Loading the Dataset¶

In [1]:
import pandas as pd
import csv
import matplotlib.pyplot as plt
import seaborn as sns

# Loading the dataset
url_dataset = 'https://drive.google.com/file/d/1mPIibWj0C0MYVkJmzRx2_QtDXSTVoX5G/view?usp=sharing'
url_dataset = 'https://drive.google.com/uc?id=' + url_dataset.split('/')[-2]
main_df = pd.read_csv(url_dataset, sep=',')

Handling missing values/ensuring no missing values¶

In [2]:
#Copying the main DataFrame
df = main_df.copy()

#dropping the empty rows from the main DataFrame copy
r = main_df.shape[0]
for i in range(r):
    if pd.isnull(main_df.iloc[i]['Timestamp (DD/MM/YY H:M:S)']) == True:
        df = df.drop([i])
#dropping the negligible columns from the main DataFrame copy
df = df.drop(columns=['ID', 'Timestamp (DD/MM/YY H:M:S)', 'Tweet URL', 'Group', 'Collector', 'Category', 'Topic', 'Screenshot', 'Reviewer', 'Review'])

#function for handling missing values
def missing_values_handler():
    columns_with_missing_values = df.columns[df.isna().any()].tolist()
    print(columns_with_missing_values)

    #categorizing list of columns with missing values
    unstruct_missing_textual_columns = ['Account Bio', 'Tweet Translated', 'Remarks', 'Racial, Religious, Cultural, Economic, or Socio-Political Keywords', 'Oppressive Keywords']
    nominal_missing_data_columns = ['Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs']
    rational_missing_data_columns = ['Quote Tweets', 'Views']

    #filling in the missing values
    df[unstruct_missing_textual_columns] = df[unstruct_missing_textual_columns].fillna('')
    df[nominal_missing_data_columns] = df[nominal_missing_data_columns].fillna(0)
    df[rational_missing_data_columns] = df[rational_missing_data_columns].fillna(0)
    print(df.isnull().sum())
missing_values_handler()
['Account Bio', 'Tweet Translated', 'Quote Tweets', 'Views', 'Remarks']
Keywords                                                                                                             0
Account Handle                                                                                                       0
Account Name                                                                                                         0
Account Bio                                                                                                          0
Account Type                                                                                                         0
Joined (MM/YYYY)                                                                                                     0
Following                                                                                                            0
Followers                                                                                                            0
Location                                                                                                             0
Tweet                                                                                                                0
Tweet Translated                                                                                                     0
Tweet Type                                                                                                           0
Date Posted (DD/MM/YY H:M:S)                                                                                         0
Content Type                                                                                                         0
Likes                                                                                                                0
Replies                                                                                                              0
Retweets                                                                                                             0
Quote Tweets                                                                                                         0
Views                                                                                                                0
Rating                                                                                                               0
Reasoning                                                                                                            0
Remarks                                                                                                              0
No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)                                               0
No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)                                             0
No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)    0
No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)                          0
Mentioned or Referenced COVID-19 Vaccine Brand                                                                       0
Mentioned or Referenced Other Vaccine/Drugs                                                                          0
Peddled Medical Adverse Side Effect                                                                                  0
Distrust in Vaccine Development                                                                                      0
Racial, Religious, Cultural, Economic, or Socio-Political Keywords                                                   0
Oppressive Keywords                                                                                                  0
dtype: int64

Ensuring formatting consistency (date, labels, etc.)¶

In [3]:
#function for ensuring formatting consistency
def formatting_handler():
    #df.info()
    #categorizing list of all columns according to data levels
    unstruct_textual_data_columns = ['Keywords', 'Account Handle', 'Account Name', 'Account Bio', 'Tweet', 'Tweet Translated', 'Reasoning', 'Remarks', 'Racial, Religious, Cultural, Economic, or Socio-Political Keywords', 'Oppressive Keywords']
    nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']
    ordinal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    #converting and ensuring string columns
    df[nominal_data_columns] = df[nominal_data_columns].astype('string')

    #converting and ensuring datetime columns
    df[ordinal_data_columns[0]] = pd.to_datetime(df[ordinal_data_columns[0]], format="%b-%y")
    df[ordinal_data_columns[1]] = pd.to_datetime(df[ordinal_data_columns[1]], format="%d/%m/%Y %H:%M")

    #converting and ensuring numeric columns
    df[interval_data_columns] = df[interval_data_columns].astype('int64')
    for i in range(len(rational_data_columns)):
        for j in range(len(df.index)):
            x = str(df[rational_data_columns[i]][j])
            x = x.replace(',', '')
            df.loc[j, rational_data_columns[i]] = x
    df[rational_data_columns] = df[rational_data_columns].astype('float64')

    #converting and ensuring unstructured textual data columns
    df[unstruct_textual_data_columns] = df[unstruct_textual_data_columns].astype('string')

    df.info()
formatting_handler()
<class 'pandas.core.frame.DataFrame'>
Int64Index: 155 entries, 0 to 154
Data columns (total 32 columns):
 #   Column                                                                                                             Non-Null Count  Dtype         
---  ------                                                                                                             --------------  -----         
 0   Keywords                                                                                                           155 non-null    string        
 1   Account Handle                                                                                                     155 non-null    string        
 2   Account Name                                                                                                       155 non-null    string        
 3   Account Bio                                                                                                        155 non-null    string        
 4   Account Type                                                                                                       155 non-null    string        
 5   Joined (MM/YYYY)                                                                                                   155 non-null    datetime64[ns]
 6   Following                                                                                                          155 non-null    float64       
 7   Followers                                                                                                          155 non-null    float64       
 8   Location                                                                                                           155 non-null    string        
 9   Tweet                                                                                                              155 non-null    string        
 10  Tweet Translated                                                                                                   155 non-null    string        
 11  Tweet Type                                                                                                         155 non-null    string        
 12  Date Posted (DD/MM/YY H:M:S)                                                                                       155 non-null    datetime64[ns]
 13  Content Type                                                                                                       155 non-null    string        
 14  Likes                                                                                                              155 non-null    float64       
 15  Replies                                                                                                            155 non-null    float64       
 16  Retweets                                                                                                           155 non-null    float64       
 17  Quote Tweets                                                                                                       155 non-null    float64       
 18  Views                                                                                                              155 non-null    float64       
 19  Rating                                                                                                             155 non-null    string        
 20  Reasoning                                                                                                          155 non-null    string        
 21  Remarks                                                                                                            155 non-null    string        
 22  No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)                                             155 non-null    int64         
 23  No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)                                           155 non-null    int64         
 24  No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)  155 non-null    int64         
 25  No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)                        155 non-null    int64         
 26  Mentioned or Referenced COVID-19 Vaccine Brand                                                                     155 non-null    string        
 27  Mentioned or Referenced Other Vaccine/Drugs                                                                        155 non-null    string        
 28  Peddled Medical Adverse Side Effect                                                                                155 non-null    string        
 29  Distrust in Vaccine Development                                                                                    155 non-null    string        
 30  Racial, Religious, Cultural, Economic, or Socio-Political Keywords                                                 155 non-null    string        
 31  Oppressive Keywords                                                                                                155 non-null    string        
dtypes: datetime64[ns](2), float64(7), int64(4), string(19)
memory usage: 44.0 KB

Categorical data encoding¶

In [4]:
#python dictionaries for mapping nominal data to int values
account_types_dict = {'Identified': 1, 'Anonymous': 2, 'Media': 3}
locations_dict = {'Philippines': 0, 'Republic of the Philippines': 0,
                  'NCR': 1, 'National Capital Region': 1, 'National Capital Region, Repub': 1,
                  'CAR': 2, 'Cordillera Administrative Region': 2,
                  'Region I': 3, 'Urdaneta, Pangasinan': 3, 'Ilocos Region': 3,
                  'Region II': 4, 'Cagayan Valley': 4,
                  'Region III': 5, 'Central Luzon': 5, 'San Antonio, Central Luzon': 5,
                  'Region IV-A': 6, 'CALABARZON': 6, 'Cavite Philippines': 6,
                  'Region IV-B': 7, 'MIMAROPA': 7,
                  'Region V': 8, 'Bicol Region': 8,
                  'Region VI': 9,
                  'Region VII': 10, 'Cebu City, Central Visayas': 10,
                  'Region VIII': 11,
                  'Region IX': 12, 'Zamboanga Peninsula': 12,
                  'Region X': 13, 'Region XI': 14,
                  'Region XII': 15, 'Isulan, SOCCSKSARGEN': 15, 'SOCCSKSARGEN': 15,
                  'Region XIII': 16, 'Caraga Region': 16,
                  'BARMM': 17, 'ARMM': 17, 'Bangsamoro': 17}
tweet_types_dict = {'Text': 1, 'Image': 2, 'Video': 3, 'URL': 4, 'Reply': 5}
content_types_dict = {'Rational': 1, 'Emotional': 2, 'Transactional': 3}
ratings_dict = {'0': 0, 'FAKE': 1, 'FALSE': 2,
                'MISLEADING': 3, 'UNPROVEN': 4,
                'INACCURATE': 5, 'NEED CONTEXT': 6,
                'FLIPFLOP': 7}
vaccine_brands_dict = {'None': 0, '0': 0, 'Pfizer': 1,
                       'AstraZeneca': 2, 'Sinopharm': 3, 'Covaxin': 4,
                       'Sinovac/CoronaVac': 5, 'Gamaleya/Sputnik': 6, 'Janssen/Jcovden': 7,
                       'Moderna/Spikevax': 8, 'Novavax/Covovax': 9, 'Multiple': 10}
other_vaccine_drugs_dict = {'None': 0, '0': 0, 'Dengvaxia': 1,
                            'Ivermectin': 2, 'Flu Vaccine': 3,
                            'Antibiotics': 4, 'Amoxicillin': 4}
vaccine_side_effects_dict = {'INFECTION': 1, 'ALLERGY': 2,
                             'DEATH': 3, 'COVID ITSELF': 4,
                             'POISONING': 5, 'POISONOUS': 5,
                             'OTHER AILMENT': 6, 'INEFFICIENCY': 7}
vaccine_distrusts_dict = {'NO': 0, 'YES; Vaccine Content': 1, 'YES; Vaccine Trials': 2,
                          'YES; Vaccine Distribution': 3, 'YES; Other Conspiracy': 4}

#lists for storing substrings under specific categorical data
addntl_locs_NCR_cities = []
addntl_locs_international = []
addntl_peddled_side_effects = []

#function for categorical data encoding
def categ_data_encoder():
    nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']

    for i in range(len(nominal_data_columns)):
        for j in range(len(df.index)):
            x = df[nominal_data_columns[i]][j]

            if nominal_data_columns[i] == 'Account Type':
                x = account_types_dict.get(x)
            elif nominal_data_columns[i] == 'Location':
                if x in locations_dict or 'NCR, ' in x:
                    if 'NCR, ' in x:
                        x = x.split(', ')
                        city = x[1]
                        addntl_locs_NCR_cities.append(city)
                        x = locations_dict.get(x[0])
                    else:
                        x = locations_dict.get(x)
                else:
                    addntl_locs_international.append(x)
                    x = 18
            elif nominal_data_columns[i] == 'Tweet Type':
                x = tweet_types_dict.get(x)
            elif nominal_data_columns[i] == 'Content Type':
                temp = x
                temp = temp.split(', ')
                if len(temp) == 1:
                    x = content_types_dict.get(x)
                else:
                    x = x.split(', ')
                    x_a = ''
                    for k in range(len(x)):
                        x_b = content_types_dict.get(x[k])
                        x_a += str(x_b)
                    x = x_a
            elif nominal_data_columns[i] == 'Rating':
                x = ratings_dict.get(x)
            elif nominal_data_columns[i] == 'Mentioned or Referenced COVID-19 Vaccine Brand':
                x = vaccine_brands_dict.get(x)
            elif nominal_data_columns[i] == 'Mentioned or Referenced Other Vaccine/Drugs':
                x = other_vaccine_drugs_dict.get(x)
            elif nominal_data_columns[i] == 'Peddled Medical Adverse Side Effect':
                temp = x
                temp = temp.split(', ')
                if len(temp) == 1:
                    if 'OTHER AILMENT' in x:
                        ailments = x.split(' ')
                        ailments.pop(0)
                        ailments.pop(0)
                        for ail in ailments:
                            addntl_peddled_side_effects.append(ail)
                        x = vaccine_side_effects_dict.get('OTHER AILMENT')
                    else:
                        x = vaccine_side_effects_dict.get(x)
                else:
                    x = x.split(', ')
                    x_a = ''
                    for k in range(len(x)):
                        if 'OTHER AILMENT' in x[k]:
                            ailments = x[k].split(' ')
                            ailments.pop(0)
                            ailments.pop(0)
                            for ail in ailments:
                                addntl_peddled_side_effects.append(ail)
                            x_b = vaccine_side_effects_dict.get('OTHER AILMENT')
                        else:
                            x_b = vaccine_side_effects_dict.get(x[k])
                        x_a += str(x_b)
                    x = x_a
            elif nominal_data_columns[i] == 'Distrust in Vaccine Development':
                x = vaccine_distrusts_dict.get(x)

            df.loc[j, nominal_data_columns[i]] = str(x)
    df[nominal_data_columns] = df[nominal_data_columns].astype('int64')

    df.info()
categ_data_encoder()

ser_addntl_locs_NCR_cities = pd.Series(x for x in addntl_locs_NCR_cities).astype('string')
ser_addntl_locs_international = pd.Series(x for x in addntl_locs_international).astype('string')
ser_addntl_peddled_side_effects = pd.Series(x for x in addntl_peddled_side_effects).astype('string')
<class 'pandas.core.frame.DataFrame'>
Int64Index: 155 entries, 0 to 154
Data columns (total 32 columns):
 #   Column                                                                                                             Non-Null Count  Dtype         
---  ------                                                                                                             --------------  -----         
 0   Keywords                                                                                                           155 non-null    string        
 1   Account Handle                                                                                                     155 non-null    string        
 2   Account Name                                                                                                       155 non-null    string        
 3   Account Bio                                                                                                        155 non-null    string        
 4   Account Type                                                                                                       155 non-null    int64         
 5   Joined (MM/YYYY)                                                                                                   155 non-null    datetime64[ns]
 6   Following                                                                                                          155 non-null    float64       
 7   Followers                                                                                                          155 non-null    float64       
 8   Location                                                                                                           155 non-null    int64         
 9   Tweet                                                                                                              155 non-null    string        
 10  Tweet Translated                                                                                                   155 non-null    string        
 11  Tweet Type                                                                                                         155 non-null    int64         
 12  Date Posted (DD/MM/YY H:M:S)                                                                                       155 non-null    datetime64[ns]
 13  Content Type                                                                                                       155 non-null    int64         
 14  Likes                                                                                                              155 non-null    float64       
 15  Replies                                                                                                            155 non-null    float64       
 16  Retweets                                                                                                           155 non-null    float64       
 17  Quote Tweets                                                                                                       155 non-null    float64       
 18  Views                                                                                                              155 non-null    float64       
 19  Rating                                                                                                             155 non-null    int64         
 20  Reasoning                                                                                                          155 non-null    string        
 21  Remarks                                                                                                            155 non-null    string        
 22  No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)                                             155 non-null    int64         
 23  No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)                                           155 non-null    int64         
 24  No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)  155 non-null    int64         
 25  No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)                        155 non-null    int64         
 26  Mentioned or Referenced COVID-19 Vaccine Brand                                                                     155 non-null    int64         
 27  Mentioned or Referenced Other Vaccine/Drugs                                                                        155 non-null    int64         
 28  Peddled Medical Adverse Side Effect                                                                                155 non-null    int64         
 29  Distrust in Vaccine Development                                                                                    155 non-null    int64         
 30  Racial, Religious, Cultural, Economic, or Socio-Political Keywords                                                 155 non-null    string        
 31  Oppressive Keywords                                                                                                155 non-null    string        
dtypes: datetime64[ns](2), float64(7), int64(13), string(10)
memory usage: 44.0 KB

Handling Outliers¶

In [5]:
#function for handling outliers
def winsorization_technique(col, x, j):
    q25 = df[col].quantile(0.25)
    q75 = df[col].quantile(0.75)
    IQR = q75 - q25
    mult = 2
    lower_thresh = q25 - mult*IQR
    upper_thresh = q75 + mult*IQR
    if x < lower_thresh:
        df.loc[j, col] = lower_thresh
    elif x > upper_thresh:
        df.loc[j, col] = upper_thresh

def outliers_handler():
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    temporal_data_outliers = {'Column Name': temporal_data_columns, 'Mean': [], 'Std': [], 'Outliers': [], 'Z-Scores': [], 'Outliers Count': []}
    interval_data_outliers = {'Column Name': interval_data_columns, 'Mean': [], 'Std': [], 'Outliers': [], 'Z-Scores': [], 'Outliers Count': []}
    rational_data_outliers = {'Column Name': rational_data_columns, 'Mean': [], 'Std': [], 'Outliers': [], 'Z-Scores': [], 'Outliers Count': []}

    for i in range(len(temporal_data_columns)):
        col = temporal_data_columns[i]
        outliers = []
        zs = []
        mean = df[col].mean()
        std = df[col].std()
        for j in range(len(df.index)):
            x = df[col][j]
            z_score = (x - mean)/std
            if z_score > 3 or z_score < -3:
                outliers.append(x)
                zs.append(z_score)
                winsorization_technique(col, x, j)
                new_x = df[col][j]
                new_mean = df[col].mean()
                new_std = df[col].std()
                new_z_score = (new_x - new_mean)/new_std
                outliers[-1] = new_x
                zs[-1] = new_z_score
        temporal_data_outliers['Mean'] = temporal_data_outliers['Mean'] + [mean]
        temporal_data_outliers['Std'] = temporal_data_outliers['Std'] + [std]
        temporal_data_outliers['Outliers'] = temporal_data_outliers['Outliers'] + [outliers]
        temporal_data_outliers['Z-Scores'] = temporal_data_outliers['Z-Scores'] + [zs]
        temporal_data_outliers['Outliers Count'] = temporal_data_outliers['Outliers Count'] + [len(outliers)]

    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        outliers = []
        zs = []
        mean = df[col].mean()
        std = df[col].std()
        for j in range(len(df.index)):
            x = df[col][j]
            z_score = (x - mean)/std
            if z_score > 3 or z_score < -3:
                outliers.append(x)
                zs.append(z_score)
                winsorization_technique(col, x, j)
                new_x = df[col][j]
                new_mean = df[col].mean()
                new_std = df[col].std()
                new_z_score = (new_x - new_mean)/new_std
                outliers[-1] = new_x
                zs[-1] = new_z_score
        interval_data_outliers['Mean'] = interval_data_outliers['Mean'] + [mean]
        interval_data_outliers['Std'] = interval_data_outliers['Std'] + [std]
        interval_data_outliers['Outliers'] = interval_data_outliers['Outliers'] + [outliers]
        interval_data_outliers['Z-Scores'] = interval_data_outliers['Z-Scores'] + [zs]
        interval_data_outliers['Outliers Count'] = interval_data_outliers['Outliers Count'] + [len(outliers)]

    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        outliers = []
        zs = []
        mean = df[col].mean()
        std = df[col].std()
        for j in range(len(df.index)):
            x = df[col][j]
            z_score = (x - mean)/std
            if z_score > 3 or z_score < -3:
                outliers.append(x)
                zs.append(z_score)
                winsorization_technique(col, x, j)
                new_x = df[col][j]
                new_mean = df[col].mean()
                new_std = df[col].std()
                new_z_score = (new_x - new_mean)/new_std
                outliers[-1] = new_x
                zs[-1] = new_z_score
        mean = df[col].mean()
        std = df[col].std()
        rational_data_outliers['Mean'] = rational_data_outliers['Mean'] + [mean]
        rational_data_outliers['Std'] = rational_data_outliers['Std'] + [std]
        rational_data_outliers['Outliers'] = rational_data_outliers['Outliers'] + [outliers]
        rational_data_outliers['Z-Scores'] = rational_data_outliers['Z-Scores'] + [zs]
        rational_data_outliers['Outliers Count'] = rational_data_outliers['Outliers Count'] + [len(outliers)]

    temporal_data_outliers_df = pd.DataFrame(data=temporal_data_outliers)
    interval_data_outliers_df = pd.DataFrame(data=interval_data_outliers)
    rational_data_outliers_df = pd.DataFrame(data=rational_data_outliers)

    print(temporal_data_outliers_df)
    print(interval_data_outliers_df)
    print(rational_data_outliers_df)
outliers_handler()
                    Column Name                          Mean  \
0              Joined (MM/YYYY) 2017-04-02 18:06:58.064516096   
1  Date Posted (DD/MM/YY H:M:S) 2021-11-17 04:07:48.387096832   

                           Std Outliers Z-Scores  Outliers Count  
0 1657 days 06:00:04.410934272       []       []               0  
1  232 days 10:29:43.294250220       []       []               0  
                                         Column Name        Mean        Std  \
0  No. of Days since Philippines Joined the COVAX...  480.612903  232.46252   
1  No. of Days since FDA Approved the First COVID...  340.612903  232.46252   
2  No. of Days since Arrival of First Batch of CO...  257.612903  232.46252   
3  No. of Days since First Detected Cases of Omic... -258.387097  232.46252   

  Outliers Z-Scores  Outliers Count  
0       []       []               0  
1       []       []               0  
2       []       []               0  
3       []       []               0  
    Column Name         Mean           Std  \
0     Following   554.138710    705.202659   
1     Followers  6336.103226  39938.484935   
2         Likes     3.206452     14.081256   
3       Replies     0.793548      5.782527   
4      Retweets     0.516129      2.785293   
5  Quote Tweets     0.948387     10.862657   
6         Views     1.509677      7.793910   

                                            Outliers  \
0  [2383.5, 2383.5, 2383.5, 2383.5, 2383.5, 2383....   
1                                            [966.0]   
2                                         [3.0, 3.0]   
3                                              [0.0]   
4                                         [0.0, 0.0]   
5                                         [0.0, 0.0]   
6                                              [0.0]   

                                            Z-Scores  Outliers Count  
0  [2.002174094659905, 2.105105512729481, 2.22287...               7  
1                             [-0.13445936255660038]               1  
2       [-0.08066708679313941, -0.01466144851776053]               2  
3                             [-0.13723210701760644]               1  
4       [-0.09418897037309694, -0.18530513679304392]               2  
5       [-0.08075311666303801, -0.08730710082256544]               2  
6                             [-0.19369961778137185]               1  

Normalization/Standardization/Scaling¶

In [6]:
import numpy as np
#functions for normalization, standardization, and scaling
def data_minmax_scaler(datafr):
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        x_min = datafr[col].min()
        x_max = datafr[col].max()
        for j in range(len(datafr.index)):
            x = datafr[col][j]
            x_norm = (x - x_min) / (x_max - x_min)
            datafr.loc[j, col] = x_norm
    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        x_min = datafr[col].min()
        x_max = datafr[col].max()
        for j in range(len(datafr.index)):
            x = datafr[col][j]
            x_norm = (x - x_min) / (x_max - x_min)
            datafr.loc[j, col] = x_norm
    return datafr

def data_standardizer(datafr):
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    from scipy.stats import shapiro

    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        statistics, p_value = shapiro(datafr[col])
        if p_value > 0.05:
            #print("Likely to be Normally Distributed: p-value is %f", p_value)
            mean = datafr[col].mean()
            std = datafr[col].std()
            for j in range(len(datafr.index)):
                x = datafr[col][j]
                z_score = (x - mean)/std
                datafr.loc[j, col] = z_score
        else:
            #print("Not Likely to be Normally Distributed: p-value is %f", p_value)
            mean = datafr[col].mean()
            std = datafr[col].std()
            for j in range(len(datafr.index)):
                x = datafr[col][j]
                z_score = (x - mean)/std
                datafr.loc[j, col] = z_score
    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        statistics, p_value = shapiro(datafr[col])
        if p_value > 0.05:
            #print("Likely to be Normally Distributed: p-value is %f", p_value)
            mean = datafr[col].mean()
            std = datafr[col].std()
            for j in range(len(datafr.index)):
                x = datafr[col][j]
                z_score = (x - mean)/std
                datafr.loc[j, col] = z_score
        else:
            #print("Not Likely to be Normally Distributed: p-value is %f", p_value)
            mean = datafr[col].mean()
            std = datafr[col].std()
            for j in range(len(datafr.index)):
                x = datafr[col][j]
                z_score = (x - mean)/std
                datafr.loc[j, col] = z_score
    return datafr

def data_power_transformer(datafr):
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    from scipy.stats import yeojohnson

    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        datafr[col], _ = yeojohnson(datafr[col])
    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        datafr[col], _ = yeojohnson(datafr[col])
    return datafr

def data_unit_vector_scaler(datafr):
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        euclid_norm = np.linalg.norm(datafr[col])
        for j in range(len(datafr.index)):
            x = datafr[col][j]
            new_x = x/euclid_norm
            datafr.loc[j, col] = new_x
    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        euclid_norm = np.linalg.norm(datafr[col])
        for j in range(len(datafr.index)):
            x = datafr[col][j]
            new_x = x/euclid_norm
            datafr.loc[j, col] = new_x
    return datafr

df_minmax_scaled = data_minmax_scaler(df.copy())
df_standardized = data_standardizer(df.copy())
df_power_transformed = data_power_transformer(df.copy())
df_unit_vector_scaled = data_unit_vector_scaler(df.copy())
print(df_minmax_scaled[['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'Following']])
print(df_standardized[['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'Following']])
print(df_power_transformed[['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'Following']])
print(df_unit_vector_scaled[['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'Following']])
     No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                             0.454082                        
1                                             0.198980                        
2                                             0.284694                        
3                                             0.363265                        
4                                             0.000000                        
..                                                 ...                        
150                                           0.619388                        
151                                           0.631633                        
152                                           0.631633                        
153                                           0.619388                        
154                                           0.615306                        

     Following  
0     0.249620  
1     0.119648  
2     1.000000  
3     0.141209  
4     0.099909  
..         ...  
150   0.255390  
151   0.255390  
152   0.255390  
153   0.255390  
154   0.255390  

[155 rows x 2 columns]
     No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                            -0.394098                        
1                                            -1.469540                        
2                                            -1.108191                        
3                                            -0.776955                        
4                                            -2.308385                        
..                                                 ...                        
150                                           0.302789                        
151                                           0.354410                        
152                                           0.354410                        
153                                           0.302789                        
154                                           0.285582                        

     Following  
0     0.382672  
1    -0.224246  
2     3.886629  
3    -0.123565  
4    -0.316418  
..         ...  
150   0.409615  
151   0.409615  
152   0.409615  
153   0.409615  
154   0.409615  

[155 rows x 2 columns]
     No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                           253.001025                        
1                                            98.630466                        
2                                           152.067183                        
3                                           199.488914                        
4                                           -73.642036                        
..                                                 ...                        
150                                         347.831640                        
151                                         354.749960                        
152                                         354.749960                        
153                                         347.831640                        
154                                         345.522635                        

     Following  
0     9.211477  
1     7.918879  
2    11.903984  
3     8.202293  
4     7.615588  
..         ...  
150   9.253090  
151   9.253090  
152   9.253090  
153   9.253090  
154   9.253090  

[155 rows x 2 columns]
     No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                             0.058561                        
1                                             0.020925                        
2                                             0.033571                        
3                                             0.045162                        
4                                            -0.008430                        
..                                                 ...                        
150                                           0.082948                        
151                                           0.084755                        
152                                           0.084755                        
153                                           0.082948                        
154                                           0.082346                        

     Following  
0     0.073943  
1     0.035536  
2     0.295683  
3     0.041907  
4     0.029703  
..         ...  
150   0.075648  
151   0.075648  
152   0.075648  
153   0.075648  
154   0.075648  

[155 rows x 2 columns]

Natural Language Processing¶

Preparation of Data for NLP¶

Converting Dataframe to a list of texts¶

In [7]:
# Loading the "Tweet" Column and dropping the rows with NaN values
texts_df = main_df.loc[:, "Tweet"].dropna()

#  Converting the dataframe to a list of texts
texts_raw = texts_df.values.tolist()


texts_df = pd.DataFrame({'Text': texts_raw})
pd.set_option('display.max_colwidth', None)
texts_df.style.set_properties(**{'text-align': 'left'})
Out[7]:
  Text
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot!
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot..
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs?
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas?
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’?
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo!
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ}
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan.
11 Depopulation begins
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are.
15 pfizer doesnt work also
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke...
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin.
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize!
19 take note, pfizer says it "prevents" Covid....when it doesnt.
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.}
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)}
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)}
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore!
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na..
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB"
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection.
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster.
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged.
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna.
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why????
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon?
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES!
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka.
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito.
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free?
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan.
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!!
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz.
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA.
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years.
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita?
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan.
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila..
64 PFIZER a KILLER drug
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them!
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people
68 It's easy to see that More vaccination = more variant
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang.
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19.
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan.
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon?
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan.
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h…
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan!
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya.
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet…
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin.
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid
86 Walang kwenta yung vaccine mas lalo pa dumami covid
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants.
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality:
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases?
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19.
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media!
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible.
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!!
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush?
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo.
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta.
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS.
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE!
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations.
101 China vaccine kills!
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news?
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK.
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang.
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto.
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ.
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng.
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan!
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!!
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna.
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice”
117 VACCINES are UNSAFE!!!
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan.
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL.
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA.
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo!
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid.
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ...
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe?
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna.
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason.
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp.
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped!
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news!
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor!
145 Stop vax. Moderna vax causes liver disease. You shld know it.
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more!
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order!
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID!
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo???
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine????
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo???
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't?
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE

Handling the emojis¶

In [8]:
import pandas as pd
import re
import copy

# Handle Emojis [2]
url_emoji = "https://drive.google.com/uc?id=1G1vIkkbqPBYPKHcQ8qy0G2zkoab2Qv4v"
df_emoji = pd.read_pickle(url_emoji)
print(df_emoji)
df_emoji = {v: k for k, v in df_emoji.items()}

def emoji_to_word(text):
  for emot in df_emoji:
    text = re.sub(r'('+emot+')', "_".join(df_emoji[emot].replace(",","").replace(":","").split()), text)
  return text

# Handle Emoticons [2]
url_emote = "https://drive.google.com/uc?id=1HDpafp97gCl9xZTQWMgP2kKK_NuhENlE"
df_emote = pd.read_pickle(url_emote)

def emote_to_word(text):
    for emot in df_emote:
        text = re.sub(u'('+emot+')', "_".join(df_emote[emot].replace(",","").split()), text)
        text = text.replace("<3", "heart" ) # not included in emoticons database
    return text

texts = copy.deepcopy(texts_raw)

texts = [emoji_to_word(t) for t in texts]
texts = [emote_to_word(t) for t in texts]

df_emoji = pd.DataFrame({'Original': texts_raw, 'Without Emotes': texts})
df_emoji.style.set_properties(**{'text-align': 'left'})
{':1st_place_medal:': '🥇', ':2nd_place_medal:': '🥈', ':3rd_place_medal:': '🥉', ':AB_button_(blood_type):': '🆎', ':ATM_sign:': '🏧', ':A_button_(blood_type):': '🅰', ':Afghanistan:': '🇦 🇫', ':Albania:': '🇦 🇱', ':Algeria:': '🇩 🇿', ':American_Samoa:': '🇦 🇸', ':Andorra:': '🇦 🇩', ':Angola:': '🇦 🇴', ':Anguilla:': '🇦 🇮', ':Antarctica:': '🇦 🇶', ':Antigua_&_Barbuda:': '🇦 🇬', ':Aquarius:': '♒', ':Argentina:': '🇦 🇷', ':Aries:': '♈', ':Armenia:': '🇦 🇲', ':Aruba:': '🇦 🇼', ':Ascension_Island:': '🇦 🇨', ':Australia:': '🇦 🇺', ':Austria:': '🇦 🇹', ':Azerbaijan:': '🇦 🇿', ':BACK_arrow:': '🔙', ':B_button_(blood_type):': '🅱', ':Bahamas:': '🇧 🇸', ':Bahrain:': '🇧 🇭', ':Bangladesh:': '🇧 🇩', ':Barbados:': '🇧 🇧', ':Belarus:': '🇧 🇾', ':Belgium:': '🇧 🇪', ':Belize:': '🇧 🇿', ':Benin:': '🇧 🇯', ':Bermuda:': '🇧 🇲', ':Bhutan:': '🇧 🇹', ':Bolivia:': '🇧 🇴', ':Bosnia_&_Herzegovina:': '🇧 🇦', ':Botswana:': '🇧 🇼', ':Bouvet_Island:': '🇧 🇻', ':Brazil:': '🇧 🇷', ':British_Indian_Ocean_Territory:': '🇮 🇴', ':British_Virgin_Islands:': '🇻 🇬', ':Brunei:': '🇧 🇳', ':Bulgaria:': '🇧 🇬', ':Burkina_Faso:': '🇧 🇫', ':Burundi:': '🇧 🇮', ':CL_button:': '🆑', ':COOL_button:': '🆒', ':Cambodia:': '🇰 🇭', ':Cameroon:': '🇨 🇲', ':Canada:': '🇨 🇦', ':Canary_Islands:': '🇮 🇨', ':Cancer:': '♋', ':Cape_Verde:': '🇨 🇻', ':Capricorn:': '♑', ':Caribbean_Netherlands:': '🇧 🇶', ':Cayman_Islands:': '🇰 🇾', ':Central_African_Republic:': '🇨 🇫', ':Ceuta_&_Melilla:': '🇪 🇦', ':Chad:': '🇹 🇩', ':Chile:': '🇨 🇱', ':China:': '🇨 🇳', ':Christmas_Island:': '🇨 🇽', ':Christmas_tree:': '🎄', ':Clipperton_Island:': '🇨 🇵', ':Cocos_(Keeling)_Islands:': '🇨 🇨', ':Colombia:': '🇨 🇴', ':Comoros:': '🇰 🇲', ':Congo_-_Brazzaville:': '🇨 🇬', ':Congo_-_Kinshasa:': '🇨 🇩', ':Cook_Islands:': '🇨 🇰', ':Costa_Rica:': '🇨 🇷', ':Croatia:': '🇭 🇷', ':Cuba:': '🇨 🇺', ':Curaçao:': '🇨 🇼', ':Cyprus:': '🇨 🇾', ':Czech_Republic:': '🇨 🇿', ':Côte_d’Ivoire:': '🇨 🇮', ':Denmark:': '🇩 🇰', ':Diego_Garcia:': '🇩 🇬', ':Djibouti:': '🇩 🇯', ':Dominica:': '🇩 🇲', ':Dominican_Republic:': '🇩 🇴', ':END_arrow:': '🔚', ':Ecuador:': '🇪 🇨', ':Egypt:': '🇪 🇬', ':El_Salvador:': '🇸 🇻', ':Equatorial_Guinea:': '🇬 🇶', ':Eritrea:': '🇪 🇷', ':Estonia:': '🇪 🇪', ':Ethiopia:': '🇪 🇹', ':European_Union:': '🇪 🇺', ':FREE_button:': '🆓', ':Falkland_Islands:': '🇫 🇰', ':Faroe_Islands:': '🇫 🇴', ':Fiji:': '🇫 🇯', ':Finland:': '🇫 🇮', ':France:': '🇫 🇷', ':French_Guiana:': '🇬 🇫', ':French_Polynesia:': '🇵 🇫', ':French_Southern_Territories:': '🇹 🇫', ':Gabon:': '🇬 🇦', ':Gambia:': '🇬 🇲', ':Gemini:': '♊', ':Georgia:': '🇬 🇪', ':Germany:': '🇩 🇪', ':Ghana:': '🇬 🇭', ':Gibraltar:': '🇬 🇮', ':Greece:': '🇬 🇷', ':Greenland:': '🇬 🇱', ':Grenada:': '🇬 🇩', ':Guadeloupe:': '🇬 🇵', ':Guam:': '🇬 🇺', ':Guatemala:': '🇬 🇹', ':Guernsey:': '🇬 🇬', ':Guinea:': '🇬 🇳', ':Guinea-Bissau:': '🇬 🇼', ':Guyana:': '🇬 🇾', ':Haiti:': '🇭 🇹', ':Heard_&_McDonald_Islands:': '🇭 🇲', ':Honduras:': '🇭 🇳', ':Hong_Kong_SAR_China:': '🇭 🇰', ':Hungary:': '🇭 🇺', ':ID_button:': '🆔', ':Iceland:': '🇮 🇸', ':India:': '🇮 🇳', ':Indonesia:': '🇮 🇩', ':Iran:': '🇮 🇷', ':Iraq:': '🇮 🇶', ':Ireland:': '🇮 🇪', ':Isle_of_Man:': '🇮 🇲', ':Israel:': '🇮 🇱', ':Italy:': '🇮 🇹', ':Jamaica:': '🇯 🇲', ':Japan:': '🇯 🇵', ':Japanese_acceptable_button:': '🉑', ':Japanese_application_button:': '🈸', ':Japanese_bargain_button:': '🉐', ':Japanese_castle:': '🏯', ':Japanese_congratulations_button:': '㊗', ':Japanese_discount_button:': '🈹', ':Japanese_dolls:': '🎎', ':Japanese_free_of_charge_button:': '🈚', ':Japanese_here_button:': '🈁', ':Japanese_monthly_amount_button:': '🈷', ':Japanese_no_vacancy_button:': '🈵', ':Japanese_not_free_of_charge_button:': '🈶', ':Japanese_open_for_business_button:': '🈺', ':Japanese_passing_grade_button:': '🈴', ':Japanese_post_office:': '🏣', ':Japanese_prohibited_button:': '🈲', ':Japanese_reserved_button:': '🈯', ':Japanese_secret_button:': '㊙', ':Japanese_service_charge_button:': '🈂', ':Japanese_symbol_for_beginner:': '🔰', ':Japanese_vacancy_button:': '🈳', ':Jersey:': '🇯 🇪', ':Jordan:': '🇯 🇴', ':Kazakhstan:': '🇰 🇿', ':Kenya:': '🇰 🇪', ':Kiribati:': '🇰 🇮', ':Kosovo:': '🇽 🇰', ':Kuwait:': '🇰 🇼', ':Kyrgyzstan:': '🇰 🇬', ':Laos:': '🇱 🇦', ':Latvia:': '🇱 🇻', ':Lebanon:': '🇱 🇧', ':Leo:': '♌', ':Lesotho:': '🇱 🇸', ':Liberia:': '🇱 🇷', ':Libra:': '♎', ':Libya:': '🇱 🇾', ':Liechtenstein:': '🇱 🇮', ':Lithuania:': '🇱 🇹', ':Luxembourg:': '🇱 🇺', ':Macau_SAR_China:': '🇲 🇴', ':Macedonia:': '🇲 🇰', ':Madagascar:': '🇲 🇬', ':Malawi:': '🇲 🇼', ':Malaysia:': '🇲 🇾', ':Maldives:': '🇲 🇻', ':Mali:': '🇲 🇱', ':Malta:': '🇲 🇹', ':Marshall_Islands:': '🇲 🇭', ':Martinique:': '🇲 🇶', ':Mauritania:': '🇲 🇷', ':Mauritius:': '🇲 🇺', ':Mayotte:': '🇾 🇹', ':Mexico:': '🇲 🇽', ':Micronesia:': '🇫 🇲', ':Moldova:': '🇲 🇩', ':Monaco:': '🇲 🇨', ':Mongolia:': '🇲 🇳', ':Montenegro:': '🇲 🇪', ':Montserrat:': '🇲 🇸', ':Morocco:': '🇲 🇦', ':Mozambique:': '🇲 🇿', ':Mrs._Claus:': '🤶', ':Mrs._Claus_dark_skin_tone:': '🤶 🏿', ':Mrs._Claus_light_skin_tone:': '🤶 🏻', ':Mrs._Claus_medium-dark_skin_tone:': '🤶 🏾', ':Mrs._Claus_medium-light_skin_tone:': '🤶 🏼', ':Mrs._Claus_medium_skin_tone:': '🤶 🏽', ':Myanmar_(Burma):': '🇲 🇲', ':NEW_button:': '🆕', ':NG_button:': '🆖', ':Namibia:': '🇳 🇦', ':Nauru:': '🇳 🇷', ':Nepal:': '🇳 🇵', ':Netherlands:': '🇳 🇱', ':New_Caledonia:': '🇳 🇨', ':New_Zealand:': '🇳 🇿', ':Nicaragua:': '🇳 🇮', ':Niger:': '🇳 🇪', ':Nigeria:': '🇳 🇬', ':Niue:': '🇳 🇺', ':Norfolk_Island:': '🇳 🇫', ':North_Korea:': '🇰 🇵', ':Northern_Mariana_Islands:': '🇲 🇵', ':Norway:': '🇳 🇴', ':OK_button:': '🆗', ':OK_hand:': '👌', ':OK_hand_dark_skin_tone:': '👌 🏿', ':OK_hand_light_skin_tone:': '👌 🏻', ':OK_hand_medium-dark_skin_tone:': '👌 🏾', ':OK_hand_medium-light_skin_tone:': '👌 🏼', ':OK_hand_medium_skin_tone:': '👌 🏽', ':ON!_arrow:': '🔛', ':O_button_(blood_type):': '🅾', ':Oman:': '🇴 🇲', ':Ophiuchus:': '⛎', ':P_button:': '🅿', ':Pakistan:': '🇵 🇰', ':Palau:': '🇵 🇼', ':Palestinian_Territories:': '🇵 🇸', ':Panama:': '🇵 🇦', ':Papua_New_Guinea:': '🇵 🇬', ':Paraguay:': '🇵 🇾', ':Peru:': '🇵 🇪', ':Philippines:': '🇵 🇭', ':Pisces:': '♓', ':Pitcairn_Islands:': '🇵 🇳', ':Poland:': '🇵 🇱', ':Portugal:': '🇵 🇹', ':Puerto_Rico:': '🇵 🇷', ':Qatar:': '🇶 🇦', ':Romania:': '🇷 🇴', ':Russia:': '🇷 🇺', ':Rwanda:': '🇷 🇼', ':Réunion:': '🇷 🇪', ':SOON_arrow:': '🔜', ':SOS_button:': '🆘', ':Sagittarius:': '♐', ':Samoa:': '🇼 🇸', ':San_Marino:': '🇸 🇲', ':Santa_Claus:': '🎅', ':Santa_Claus_dark_skin_tone:': '🎅 🏿', ':Santa_Claus_light_skin_tone:': '🎅 🏻', ':Santa_Claus_medium-dark_skin_tone:': '🎅 🏾', ':Santa_Claus_medium-light_skin_tone:': '🎅 🏼', ':Santa_Claus_medium_skin_tone:': '🎅 🏽', ':Saudi_Arabia:': '🇸 🇦', ':Scorpius:': '♏', ':Senegal:': '🇸 🇳', ':Serbia:': '🇷 🇸', ':Seychelles:': '🇸 🇨', ':Sierra_Leone:': '🇸 🇱', ':Singapore:': '🇸 🇬', ':Sint_Maarten:': '🇸 🇽', ':Slovakia:': '🇸 🇰', ':Slovenia:': '🇸 🇮', ':Solomon_Islands:': '🇸 🇧', ':Somalia:': '🇸 🇴', ':South_Africa:': '🇿 🇦', ':South_Georgia_&_South_Sandwich_Islands:': '🇬 🇸', ':South_Korea:': '🇰 🇷', ':South_Sudan:': '🇸 🇸', ':Spain:': '🇪 🇸', ':Sri_Lanka:': '🇱 🇰', ':St._Barthélemy:': '🇧 🇱', ':St._Helena:': '🇸 🇭', ':St._Kitts_&_Nevis:': '🇰 🇳', ':St._Lucia:': '🇱 🇨', ':St._Martin:': '🇲 🇫', ':St._Pierre_&_Miquelon:': '🇵 🇲', ':St._Vincent_&_Grenadines:': '🇻 🇨', ':Statue_of_Liberty:': '🗽', ':Sudan:': '🇸 🇩', ':Suriname:': '🇸 🇷', ':Svalbard_&_Jan_Mayen:': '🇸 🇯', ':Swaziland:': '🇸 🇿', ':Sweden:': '🇸 🇪', ':Switzerland:': '🇨 🇭', ':Syria:': '🇸 🇾', ':São_Tomé_&_Príncipe:': '🇸 🇹', ':TOP_arrow:': '🔝', ':Taiwan:': '🇹 🇼', ':Tajikistan:': '🇹 🇯', ':Tanzania:': '🇹 🇿', ':Taurus:': '♉', ':Thailand:': '🇹 🇭', ':Timor-Leste:': '🇹 🇱', ':Togo:': '🇹 🇬', ':Tokelau:': '🇹 🇰', ':Tokyo_tower:': '🗼', ':Tonga:': '🇹 🇴', ':Trinidad_&_Tobago:': '🇹 🇹', ':Tristan_da_Cunha:': '🇹 🇦', ':Tunisia:': '🇹 🇳', ':Turkey:': '🇹 🇷', ':Turkmenistan:': '🇹 🇲', ':Turks_&_Caicos_Islands:': '🇹 🇨', ':Tuvalu:': '🇹 🇻', ':U.S._Outlying_Islands:': '🇺 🇲', ':U.S._Virgin_Islands:': '🇻 🇮', ':UP!_button:': '🆙', ':Uganda:': '🇺 🇬', ':Ukraine:': '🇺 🇦', ':United_Arab_Emirates:': '🇦 🇪', ':United_Kingdom:': '🇬 🇧', ':United_Nations:': '🇺 🇳', ':United_States:': '🇺 🇸', ':Uruguay:': '🇺 🇾', ':Uzbekistan:': '🇺 🇿', ':VS_button:': '🆚', ':Vanuatu:': '🇻 🇺', ':Vatican_City:': '🇻 🇦', ':Venezuela:': '🇻 🇪', ':Vietnam:': '🇻 🇳', ':Virgo:': '♍', ':Wallis_&_Futuna:': '🇼 🇫', ':Western_Sahara:': '🇪 🇭', ':Yemen:': '🇾 🇪', ':Zambia:': '🇿 🇲', ':Zimbabwe:': '🇿 🇼', ':admission_tickets:': '🎟', ':aerial_tramway:': '🚡', ':airplane:': '✈', ':airplane_arrival:': '🛬', ':airplane_departure:': '🛫', ':alarm_clock:': '⏰', ':alembic:': '⚗', ':alien:': '👽', ':alien_monster:': '👾', ':ambulance:': '🚑', ':american_football:': '🏈', ':amphora:': '🏺', ':anchor:': '⚓', ':anger_symbol:': '💢', ':angry_face:': '😠', ':angry_face_with_horns:': '👿', ':anguished_face:': '😧', ':ant:': '🐜', ':antenna_bars:': '📶', ':anticlockwise_arrows_button:': '🔄', ':articulated_lorry:': '🚛', ':artist_palette:': '🎨', ':astonished_face:': '😲', ':atom_symbol:': '⚛', ':automobile:': '🚗', ':avocado:': '🥑', ':baby:': '👶', ':baby_angel:': '👼', ':baby_angel_dark_skin_tone:': '👼 🏿', ':baby_angel_light_skin_tone:': '👼 🏻', ':baby_angel_medium-dark_skin_tone:': '👼 🏾', ':baby_angel_medium-light_skin_tone:': '👼 🏼', ':baby_angel_medium_skin_tone:': '👼 🏽', ':baby_bottle:': '🍼', ':baby_chick:': '🐤', ':baby_dark_skin_tone:': '👶 🏿', ':baby_light_skin_tone:': '👶 🏻', ':baby_medium-dark_skin_tone:': '👶 🏾', ':baby_medium-light_skin_tone:': '👶 🏼', ':baby_medium_skin_tone:': '👶 🏽', ':baby_symbol:': '🚼', ':backhand_index_pointing_down:': '👇', ':backhand_index_pointing_down_dark_skin_tone:': '👇 🏿', ':backhand_index_pointing_down_light_skin_tone:': '👇 🏻', ':backhand_index_pointing_down_medium-dark_skin_tone:': '👇 🏾', ':backhand_index_pointing_down_medium-light_skin_tone:': '👇 🏼', ':backhand_index_pointing_down_medium_skin_tone:': '👇 🏽', ':backhand_index_pointing_left:': '👈', ':backhand_index_pointing_left_dark_skin_tone:': '👈 🏿', ':backhand_index_pointing_left_light_skin_tone:': '👈 🏻', ':backhand_index_pointing_left_medium-dark_skin_tone:': '👈 🏾', ':backhand_index_pointing_left_medium-light_skin_tone:': '👈 🏼', ':backhand_index_pointing_left_medium_skin_tone:': '👈 🏽', ':backhand_index_pointing_right:': '👉', ':backhand_index_pointing_right_dark_skin_tone:': '👉 🏿', ':backhand_index_pointing_right_light_skin_tone:': '👉 🏻', ':backhand_index_pointing_right_medium-dark_skin_tone:': '👉 🏾', ':backhand_index_pointing_right_medium-light_skin_tone:': '👉 🏼', ':backhand_index_pointing_right_medium_skin_tone:': '👉 🏽', ':backhand_index_pointing_up:': '👆', ':backhand_index_pointing_up_dark_skin_tone:': '👆 🏿', ':backhand_index_pointing_up_light_skin_tone:': '👆 🏻', ':backhand_index_pointing_up_medium-dark_skin_tone:': '👆 🏾', ':backhand_index_pointing_up_medium-light_skin_tone:': '👆 🏼', ':backhand_index_pointing_up_medium_skin_tone:': '👆 🏽', ':bacon:': '🥓', ':badminton:': '🏸', ':baggage_claim:': '🛄', ':baguette_bread:': '🥖', ':balance_scale:': '⚖', ':balloon:': '🎈', ':ballot_box_with_ballot:': '🗳', ':ballot_box_with_check:': '☑', ':banana:': '🍌', ':bank:': '🏦', ':bar_chart:': '📊', ':barber_pole:': '💈', ':baseball:': '⚾', ':basketball:': '🏀', ':bat:': '🦇', ':bathtub:': '🛁', ':battery:': '🔋', ':beach_with_umbrella:': '🏖', ':bear_face:': '🐻', ':beating_heart:': '💓', ':bed:': '🛏', ':beer_mug:': '🍺', ':bell:': '🔔', ':bell_with_slash:': '🔕', ':bellhop_bell:': '🛎', ':bento_box:': '🍱', ':bicycle:': '🚲', ':bikini:': '👙', ':biohazard:': '☣', ':bird:': '🐦', ':birthday_cake:': '🎂', ':black_circle:': '⚫', ':black_flag:': '🏴', ':black_heart:': '🖤', ':black_large_square:': '⬛', ':black_medium-small_square:': '◾', ':black_medium_square:': '◼', ':black_nib:': '✒', ':black_small_square:': '▪', ':black_square_button:': '🔲', ':blond-haired_man:': '👱 \u200d ♂ ️', ':blond-haired_man_dark_skin_tone:': '👱 🏿 \u200d ♂ ️', ':blond-haired_man_light_skin_tone:': '👱 🏻 \u200d ♂ ️', ':blond-haired_man_medium-dark_skin_tone:': '👱 🏾 \u200d ♂ ️', ':blond-haired_man_medium-light_skin_tone:': '👱 🏼 \u200d ♂ ️', ':blond-haired_man_medium_skin_tone:': '👱 🏽 \u200d ♂ ️', ':blond-haired_person:': '👱', ':blond-haired_person_dark_skin_tone:': '👱 🏿', ':blond-haired_person_light_skin_tone:': '👱 🏻', ':blond-haired_person_medium-dark_skin_tone:': '👱 🏾', ':blond-haired_person_medium-light_skin_tone:': '👱 🏼', ':blond-haired_person_medium_skin_tone:': '👱 🏽', ':blond-haired_woman:': '👱 \u200d ♀ ️', ':blond-haired_woman_dark_skin_tone:': '👱 🏿 \u200d ♀ ️', ':blond-haired_woman_light_skin_tone:': '👱 🏻 \u200d ♀ ️', ':blond-haired_woman_medium-dark_skin_tone:': '👱 🏾 \u200d ♀ ️', ':blond-haired_woman_medium-light_skin_tone:': '👱 🏼 \u200d ♀ ️', ':blond-haired_woman_medium_skin_tone:': '👱 🏽 \u200d ♀ ️', ':blossom:': '🌼', ':blowfish:': '🐡', ':blue_book:': '📘', ':blue_circle:': '🔵', ':blue_heart:': '💙', ':boar:': '🐗', ':bomb:': '💣', ':bookmark:': '🔖', ':bookmark_tabs:': '📑', ':books:': '📚', ':bottle_with_popping_cork:': '🍾', ':bouquet:': '💐', ':bow_and_arrow:': '🏹', ':bowling:': '🎳', ':boxing_glove:': '🥊', ':boy:': '👦', ':boy_dark_skin_tone:': '👦 🏿', ':boy_light_skin_tone:': '👦 🏻', ':boy_medium-dark_skin_tone:': '👦 🏾', ':boy_medium-light_skin_tone:': '👦 🏼', ':boy_medium_skin_tone:': '👦 🏽', ':bread:': '🍞', ':bride_with_veil:': '👰', ':bride_with_veil_dark_skin_tone:': '👰 🏿', ':bride_with_veil_light_skin_tone:': '👰 🏻', ':bride_with_veil_medium-dark_skin_tone:': '👰 🏾', ':bride_with_veil_medium-light_skin_tone:': '👰 🏼', ':bride_with_veil_medium_skin_tone:': '👰 🏽', ':bridge_at_night:': '🌉', ':briefcase:': '💼', ':bright_button:': '🔆', ':broken_heart:': '💔', ':bug:': '🐛', ':building_construction:': '🏗', ':burrito:': '🌯', ':bus:': '🚌', ':bus_stop:': '🚏', ':bust_in_silhouette:': '👤', ':busts_in_silhouette:': '👥', ':butterfly:': '🦋', ':cactus:': '🌵', ':calendar:': '📅', ':call_me_hand:': '🤙', ':call_me_hand_dark_skin_tone:': '🤙 🏿', ':call_me_hand_light_skin_tone:': '🤙 🏻', ':call_me_hand_medium-dark_skin_tone:': '🤙 🏾', ':call_me_hand_medium-light_skin_tone:': '🤙 🏼', ':call_me_hand_medium_skin_tone:': '🤙 🏽', ':camel:': '🐪', ':camera:': '📷', ':camera_with_flash:': '📸', ':camping:': '🏕', ':candle:': '🕯', ':candy:': '🍬', ':canoe:': '🛶', ':card_file_box:': '🗃', ':card_index:': '📇', ':card_index_dividers:': '🗂', ':carousel_horse:': '🎠', ':carp_streamer:': '🎏', ':carrot:': '🥕', ':castle:': '🏰', ':cat:': '🐈', ':cat_face:': '🐱', ':cat_face_with_tears_of_joy:': '😹', ':cat_face_with_wry_smile:': '😼', ':chains:': '⛓', ':chart_decreasing:': '📉', ':chart_increasing:': '📈', ':chart_increasing_with_yen:': '💹', ':cheese_wedge:': '🧀', ':chequered_flag:': '🏁', ':cherries:': '🍒', ':cherry_blossom:': '🌸', ':chestnut:': '🌰', ':chicken:': '🐔', ':children_crossing:': '🚸', ':chipmunk:': '🐿', ':chocolate_bar:': '🍫', ':church:': '⛪', ':cigarette:': '🚬', ':cinema:': '🎦', ':circled_M:': 'Ⓜ', ':circus_tent:': '🎪', ':cityscape:': '🏙', ':cityscape_at_dusk:': '🌆', ':clamp:': '🗜', ':clapper_board:': '🎬', ':clapping_hands:': '👏', ':clapping_hands_dark_skin_tone:': '👏 🏿', ':clapping_hands_light_skin_tone:': '👏 🏻', ':clapping_hands_medium-dark_skin_tone:': '👏 🏾', ':clapping_hands_medium-light_skin_tone:': '👏 🏼', ':clapping_hands_medium_skin_tone:': '👏 🏽', ':classical_building:': '🏛', ':clinking_beer_mugs:': '🍻', ':clinking_glasses:': '🥂', ':clipboard:': '📋', ':clockwise_vertical_arrows:': '🔃', ':closed_book:': '📕', ':closed_mailbox_with_lowered_flag:': '📪', ':closed_mailbox_with_raised_flag:': '📫', ':closed_umbrella:': '🌂', ':cloud:': '☁', ':cloud_with_lightning:': '🌩', ':cloud_with_lightning_and_rain:': '⛈', ':cloud_with_rain:': '🌧', ':cloud_with_snow:': '🌨', ':clown_face:': '🤡', ':club_suit:': '♣', ':clutch_bag:': '👝', ':cocktail_glass:': '🍸', ':coffin:': '⚰', ':collision:': '💥', ':comet:': '☄', ':computer_disk:': '💽', ':computer_mouse:': '🖱', ':confetti_ball:': '🎊', ':confounded_face:': '😖', ':confused_face:': '😕', ':construction:': '🚧', ':construction_worker:': '👷', ':construction_worker_dark_skin_tone:': '👷 🏿', ':construction_worker_light_skin_tone:': '👷 🏻', ':construction_worker_medium-dark_skin_tone:': '👷 🏾', ':construction_worker_medium-light_skin_tone:': '👷 🏼', ':construction_worker_medium_skin_tone:': '👷 🏽', ':control_knobs:': '🎛', ':convenience_store:': '🏪', ':cooked_rice:': '🍚', ':cookie:': '🍪', ':cooking:': '🍳', ':copyright:': '©', ':couch_and_lamp:': '🛋', ':couple_with_heart:': '💑', ':couple_with_heart_man_man:': '👨 \u200d ❤ ️ \u200d 👨', ':couple_with_heart_woman_man:': '👩 \u200d ❤ ️ \u200d 👨', ':couple_with_heart_woman_woman:': '👩 \u200d ❤ ️ \u200d 👩', ':cow:': '🐄', ':cow_face:': '🐮', ':cowboy_hat_face:': '🤠', ':crab:': '🦀', ':crayon:': '🖍', ':credit_card:': '💳', ':crescent_moon:': '🌙', ':cricket:': '🏏', ':crocodile:': '🐊', ':croissant:': '🥐', ':cross_mark:': '❌', ':cross_mark_button:': '❎', ':crossed_fingers:': '🤞', ':crossed_fingers_dark_skin_tone:': '🤞 🏿', ':crossed_fingers_light_skin_tone:': '🤞 🏻', ':crossed_fingers_medium-dark_skin_tone:': '🤞 🏾', ':crossed_fingers_medium-light_skin_tone:': '🤞 🏼', ':crossed_fingers_medium_skin_tone:': '🤞 🏽', ':crossed_flags:': '🎌', ':crossed_swords:': '⚔', ':crown:': '👑', ':crying_cat_face:': '😿', ':crying_face:': '😢', ':crystal_ball:': '🔮', ':cucumber:': '🥒', ':curly_loop:': '➰', ':currency_exchange:': '💱', ':curry_rice:': '🍛', ':custard:': '🍮', ':customs:': '🛃', ':cyclone:': '🌀', ':dagger:': '🗡', ':dango:': '🍡', ':dark_skin_tone:': '🏿', ':dashing_away:': '💨', ':deciduous_tree:': '🌳', ':deer:': '🦌', ':delivery_truck:': '🚚', ':department_store:': '🏬', ':derelict_house:': '🏚', ':desert:': '🏜', ':desert_island:': '🏝', ':desktop_computer:': '🖥', ':detective:': '🕵', ':detective_dark_skin_tone:': '🕵 🏿', ':detective_light_skin_tone:': '🕵 🏻', ':detective_medium-dark_skin_tone:': '🕵 🏾', ':detective_medium-light_skin_tone:': '🕵 🏼', ':detective_medium_skin_tone:': '🕵 🏽', ':diamond_suit:': '♦', ':diamond_with_a_dot:': '💠', ':dim_button:': '🔅', ':direct_hit:': '🎯', ':disappointed_but_relieved_face:': '😥', ':disappointed_face:': '😞', ':dizzy:': '💫', ':dizzy_face:': '😵', ':dog:': '🐕', ':dog_face:': '🐶', ':dollar_banknote:': '💵', ':dolphin:': '🐬', ':door:': '🚪', ':dotted_six-pointed_star:': '🔯', ':double_curly_loop:': '➿', ':double_exclamation_mark:': '‼', ':doughnut:': '🍩', ':dove:': '🕊', ':down-left_arrow:': '↙', ':down-right_arrow:': '↘', ':down_arrow:': '⬇', ':down_button:': '🔽', ':dragon:': '🐉', ':dragon_face:': '🐲', ':dress:': '👗', ':drooling_face:': '🤤', ':droplet:': '💧', ':drum:': '🥁', ':duck:': '🦆', ':dvd:': '📀', ':e-mail:': '📧', ':eagle:': '🦅', ':ear:': '👂', ':ear_dark_skin_tone:': '👂 🏿', ':ear_light_skin_tone:': '👂 🏻', ':ear_medium-dark_skin_tone:': '👂 🏾', ':ear_medium-light_skin_tone:': '👂 🏼', ':ear_medium_skin_tone:': '👂 🏽', ':ear_of_corn:': '🌽', ':egg:': '🥚', ':eggplant:': '🍆', ':eight-pointed_star:': '✴', ':eight-spoked_asterisk:': '✳', ':eight-thirty:': '🕣', ':eight_o’clock:': '🕗', ':eject_button:': '⏏', ':electric_plug:': '🔌', ':elephant:': '🐘', ':eleven-thirty:': '🕦', ':eleven_o’clock:': '🕚', ':envelope:': '✉', ':envelope_with_arrow:': '📩', ':euro_banknote:': '💶', ':evergreen_tree:': '🌲', ':exclamation_mark:': '❗', ':exclamation_question_mark:': '⁉', ':expressionless_face:': '😑', ':eye:': '👁', ':eye_in_speech_bubble:': '👁 ️ \u200d 🗨 ️', ':eyes:': '👀', ':face_blowing_a_kiss:': '😘', ':face_savouring_delicious_food:': '😋', ':face_screaming_in_fear:': '😱', ':face_with_cold_sweat:': '😓', ':face_with_head-bandage:': '🤕', ':face_with_medical_mask:': '😷', ':face_with_open_mouth:': '😮', ':face_with_open_mouth_&_cold_sweat:': '😰', ':face_with_rolling_eyes:': '🙄', ':face_with_steam_from_nose:': '😤', ':face_with_stuck-out_tongue:': '😛', ':face_with_stuck-out_tongue_&_closed_eyes:': '😝', ':face_with_stuck-out_tongue_&_winking_eye:': '😜', ':face_with_tears_of_joy:': '😂', ':face_with_thermometer:': '🤒', ':face_without_mouth:': '😶', ':factory:': '🏭', ':fallen_leaf:': '🍂', ':family:': '👪', ':family_man_boy:': '👨 \u200d 👦', ':family_man_boy_boy:': '👨 \u200d 👦 \u200d 👦', ':family_man_girl:': '👨 \u200d 👧', ':family_man_girl_boy:': '👨 \u200d 👧 \u200d 👦', ':family_man_girl_girl:': '👨 \u200d 👧 \u200d 👧', ':family_man_man_boy:': '👨 \u200d 👨 \u200d 👦', ':family_man_man_boy_boy:': '👨 \u200d 👨 \u200d 👦 \u200d 👦', ':family_man_man_girl:': '👨 \u200d 👨 \u200d 👧', ':family_man_man_girl_boy:': '👨 \u200d 👨 \u200d 👧 \u200d 👦', ':family_man_man_girl_girl:': '👨 \u200d 👨 \u200d 👧 \u200d 👧', ':family_man_woman_boy:': '👨 \u200d 👩 \u200d 👦', ':family_man_woman_boy_boy:': '👨 \u200d 👩 \u200d 👦 \u200d 👦', ':family_man_woman_girl:': '👨 \u200d 👩 \u200d 👧', ':family_man_woman_girl_boy:': '👨 \u200d 👩 \u200d 👧 \u200d 👦', ':family_man_woman_girl_girl:': '👨 \u200d 👩 \u200d 👧 \u200d 👧', ':family_woman_boy:': '👩 \u200d 👦', ':family_woman_boy_boy:': '👩 \u200d 👦 \u200d 👦', ':family_woman_girl:': '👩 \u200d 👧', ':family_woman_girl_boy:': '👩 \u200d 👧 \u200d 👦', ':family_woman_girl_girl:': '👩 \u200d 👧 \u200d 👧', ':family_woman_woman_boy:': '👩 \u200d 👩 \u200d 👦', ':family_woman_woman_boy_boy:': '👩 \u200d 👩 \u200d 👦 \u200d 👦', ':family_woman_woman_girl:': '👩 \u200d 👩 \u200d 👧', ':family_woman_woman_girl_boy:': '👩 \u200d 👩 \u200d 👧 \u200d 👦', ':family_woman_woman_girl_girl:': '👩 \u200d 👩 \u200d 👧 \u200d 👧', ':fast-forward_button:': '⏩', ':fast_down_button:': '⏬', ':fast_reverse_button:': '⏪', ':fast_up_button:': '⏫', ':fax_machine:': '📠', ':fearful_face:': '😨', ':female_sign:': '♀', ':ferris_wheel:': '🎡', ':ferry:': '⛴', ':field_hockey:': '🏑', ':file_cabinet:': '🗄', ':file_folder:': '📁', ':film_frames:': '🎞', ':film_projector:': '📽', ':fire:': '🔥', ':fire_engine:': '🚒', ':fireworks:': '🎆', ':first_quarter_moon:': '🌓', ':first_quarter_moon_with_face:': '🌛', ':fish:': '🐟', ':fish_cake_with_swirl:': '🍥', ':fishing_pole:': '🎣', ':five-thirty:': '🕠', ':five_o’clock:': '🕔', ':flag_in_hole:': '⛳', ':flashlight:': '🔦', ':fleur-de-lis:': '⚜', ':flexed_biceps:': '💪', ':flexed_biceps_dark_skin_tone:': '💪 🏿', ':flexed_biceps_light_skin_tone:': '💪 🏻', ':flexed_biceps_medium-dark_skin_tone:': '💪 🏾', ':flexed_biceps_medium-light_skin_tone:': '💪 🏼', ':flexed_biceps_medium_skin_tone:': '💪 🏽', ':floppy_disk:': '💾', ':flower_playing_cards:': '🎴', ':flushed_face:': '😳', ':fog:': '🌫', ':foggy:': '🌁', ':folded_hands:': '🙏', ':folded_hands_dark_skin_tone:': '🙏 🏿', ':folded_hands_light_skin_tone:': '🙏 🏻', ':folded_hands_medium-dark_skin_tone:': '🙏 🏾', ':folded_hands_medium-light_skin_tone:': '🙏 🏼', ':folded_hands_medium_skin_tone:': '🙏 🏽', ':footprints:': '👣', ':fork_and_knife:': '🍴', ':fork_and_knife_with_plate:': '🍽', ':fountain:': '⛲', ':fountain_pen:': '🖋', ':four-thirty:': '🕟', ':four_leaf_clover:': '🍀', ':four_o’clock:': '🕓', ':fox_face:': '🦊', ':framed_picture:': '🖼', ':french_fries:': '🍟', ':fried_shrimp:': '🍤', ':frog_face:': '🐸', ':front-facing_baby_chick:': '🐥', ':frowning_face:': '☹', ':frowning_face_with_open_mouth:': '😦', ':fuel_pump:': '⛽', ':full_moon:': '🌕', ':full_moon_with_face:': '🌝', ':funeral_urn:': '⚱', ':game_die:': '🎲', ':gear:': '⚙', ':gem_stone:': '💎', ':ghost:': '👻', ':girl:': '👧', ':girl_dark_skin_tone:': '👧 🏿', ':girl_light_skin_tone:': '👧 🏻', ':girl_medium-dark_skin_tone:': '👧 🏾', ':girl_medium-light_skin_tone:': '👧 🏼', ':girl_medium_skin_tone:': '👧 🏽', ':glass_of_milk:': '🥛', ':glasses:': '👓', ':globe_showing_Americas:': '🌎', ':globe_showing_Asia-Australia:': '🌏', ':globe_showing_Europe-Africa:': '🌍', ':globe_with_meridians:': '🌐', ':glowing_star:': '🌟', ':goal_net:': '🥅', ':goat:': '🐐', ':goblin:': '👺', ':gorilla:': '🦍', ':graduation_cap:': '🎓', ':grapes:': '🍇', ':green_apple:': '🍏', ':green_book:': '📗', ':green_heart:': '💚', ':green_salad:': '🥗', ':grimacing_face:': '😬', ':grinning_cat_face_with_smiling_eyes:': '😸', ':grinning_face:': '😀', ':grinning_face_with_smiling_eyes:': '😁', ':growing_heart:': '💗', ':guard:': '💂', ':guard_dark_skin_tone:': '💂 🏿', ':guard_light_skin_tone:': '💂 🏻', ':guard_medium-dark_skin_tone:': '💂 🏾', ':guard_medium-light_skin_tone:': '💂 🏼', ':guard_medium_skin_tone:': '💂 🏽', ':guitar:': '🎸', ':hamburger:': '🍔', ':hammer:': '🔨', ':hammer_and_pick:': '⚒', ':hammer_and_wrench:': '🛠', ':hamster_face:': '🐹', ':handbag:': '👜', ':handshake:': '🤝', ':hatching_chick:': '🐣', ':headphone:': '🎧', ':hear-no-evil_monkey:': '🙉', ':heart_decoration:': '💟', ':heart_suit:': '♥', ':heart_with_arrow:': '💘', ':heart_with_ribbon:': '💝', ':heavy_check_mark:': '✔', ':heavy_division_sign:': '➗', ':heavy_dollar_sign:': '💲', ':heavy_heart_exclamation:': '❣', ':heavy_large_circle:': '⭕', ':heavy_minus_sign:': '➖', ':heavy_multiplication_x:': '✖', ':heavy_plus_sign:': '➕', ':helicopter:': '🚁', ':herb:': '🌿', ':hibiscus:': '🌺', ':high-heeled_shoe:': '👠', ':high-speed_train:': '🚄', ':high-speed_train_with_bullet_nose:': '🚅', ':high_voltage:': '⚡', ':hole:': '🕳', ':honey_pot:': '🍯', ':honeybee:': '🐝', ':horizontal_traffic_light:': '🚥', ':horse:': '🐎', ':horse_face:': '🐴', ':horse_racing:': '🏇', ':horse_racing_dark_skin_tone:': '🏇 🏿', ':horse_racing_light_skin_tone:': '🏇 🏻', ':horse_racing_medium-dark_skin_tone:': '🏇 🏾', ':horse_racing_medium-light_skin_tone:': '🏇 🏼', ':horse_racing_medium_skin_tone:': '🏇 🏽', ':hospital:': '🏥', ':hot_beverage:': '☕', ':hot_dog:': '🌭', ':hot_pepper:': '🌶', ':hot_springs:': '♨', ':hotel:': '🏨', ':hourglass:': '⌛', ':hourglass_with_flowing_sand:': '⏳', ':house:': '🏠', ':house_with_garden:': '🏡', ':hugging_face:': '🤗', ':hundred_points:': '💯', ':hushed_face:': '😯', ':ice_cream:': '🍨', ':ice_hockey:': '🏒', ':ice_skate:': '⛸', ':inbox_tray:': '📥', ':incoming_envelope:': '📨', ':index_pointing_up:': '☝', ':index_pointing_up_dark_skin_tone:': '☝ 🏿', ':index_pointing_up_light_skin_tone:': '☝ 🏻', ':index_pointing_up_medium-dark_skin_tone:': '☝ 🏾', ':index_pointing_up_medium-light_skin_tone:': '☝ 🏼', ':index_pointing_up_medium_skin_tone:': '☝ 🏽', ':information:': 'ℹ', ':input_latin_letters:': '🔤', ':input_latin_lowercase:': '🔡', ':input_latin_uppercase:': '🔠', ':input_numbers:': '🔢', ':input_symbols:': '🔣', ':jack-o-lantern:': '🎃', ':jeans:': '👖', ':joker:': '🃏', ':joystick:': '🕹', ':kaaba:': '🕋', ':key:': '🔑', ':keyboard:': '⌨', ':keycap_#:': '# ️ ⃣', ':keycap_0:': '0 ️ ⃣', ':keycap_1:': '1 ️ ⃣', ':keycap_10:': '🔟', ':keycap_2:': '2 ️ ⃣', ':keycap_3:': '3 ️ ⃣', ':keycap_4:': '4 ️ ⃣', ':keycap_5:': '5 ️ ⃣', ':keycap_6:': '6 ️ ⃣', ':keycap_7:': '7 ️ ⃣', ':keycap_8:': '8 ️ ⃣', ':keycap_9:': '9 ️ ⃣', ':kick_scooter:': '🛴', ':kimono:': '👘', ':kiss:': '💏', ':kiss_man_man:': '👨 \u200d ❤ ️ \u200d 💋 \u200d 👨', ':kiss_mark:': '💋', ':kiss_woman_man:': '👩 \u200d ❤ ️ \u200d 💋 \u200d 👨', ':kiss_woman_woman:': '👩 \u200d ❤ ️ \u200d 💋 \u200d 👩', ':kissing_cat_face_with_closed_eyes:': '😽', ':kissing_face:': '😗', ':kissing_face_with_closed_eyes:': '😚', ':kissing_face_with_smiling_eyes:': '😙', ':kitchen_knife:': '🔪', ':kiwi_fruit:': '🥝', ':koala:': '🐨', ':label:': '🏷', ':lady_beetle:': '🐞', ':laptop_computer:': '💻', ':large_blue_diamond:': '🔷', ':large_orange_diamond:': '🔶', ':last_quarter_moon:': '🌗', ':last_quarter_moon_with_face:': '🌜', ':last_track_button:': '⏮', ':latin_cross:': '✝', ':leaf_fluttering_in_wind:': '🍃', ':ledger:': '📒', ':left-facing_fist:': '🤛', ':left-facing_fist_dark_skin_tone:': '🤛 🏿', ':left-facing_fist_light_skin_tone:': '🤛 🏻', ':left-facing_fist_medium-dark_skin_tone:': '🤛 🏾', ':left-facing_fist_medium-light_skin_tone:': '🤛 🏼', ':left-facing_fist_medium_skin_tone:': '🤛 🏽', ':left-pointing_magnifying_glass:': '🔍', ':left-right_arrow:': '↔', ':left_arrow:': '⬅', ':left_arrow_curving_right:': '↪', ':left_luggage:': '🛅', ':left_speech_bubble:': '🗨', ':lemon:': '🍋', ':leopard:': '🐆', ':level_slider:': '🎚', ':light_bulb:': '💡', ':light_rail:': '🚈', ':light_skin_tone:': '🏻', ':link:': '🔗', ':linked_paperclips:': '🖇', ':lion_face:': '🦁', ':lipstick:': '💄', ':litter_in_bin_sign:': '🚮', ':lizard:': '🦎', ':locked:': '🔒', ':locked_with_key:': '🔐', ':locked_with_pen:': '🔏', ':locomotive:': '🚂', ':lollipop:': '🍭', ':loudly_crying_face:': '😭', ':loudspeaker:': '📢', ':love_hotel:': '🏩', ':love_letter:': '💌', ':lying_face:': '🤥', ':mahjong_red_dragon:': '🀄', ':male_sign:': '♂', ':man:': '👨', ':man_and_woman_holding_hands:': '👫', ':man_artist:': '👨 \u200d 🎨', ':man_artist_dark_skin_tone:': '👨 🏿 \u200d 🎨', ':man_artist_light_skin_tone:': '👨 🏻 \u200d 🎨', ':man_artist_medium-dark_skin_tone:': '👨 🏾 \u200d 🎨', ':man_artist_medium-light_skin_tone:': '👨 🏼 \u200d 🎨', ':man_artist_medium_skin_tone:': '👨 🏽 \u200d 🎨', ':man_astronaut:': '👨 \u200d 🚀', ':man_astronaut_dark_skin_tone:': '👨 🏿 \u200d 🚀', ':man_astronaut_light_skin_tone:': '👨 🏻 \u200d 🚀', ':man_astronaut_medium-dark_skin_tone:': '👨 🏾 \u200d 🚀', ':man_astronaut_medium-light_skin_tone:': '👨 🏼 \u200d 🚀', ':man_astronaut_medium_skin_tone:': '👨 🏽 \u200d 🚀', ':man_biking:': '🚴 \u200d ♂ ️', ':man_biking_dark_skin_tone:': '🚴 🏿 \u200d ♂ ️', ':man_biking_light_skin_tone:': '🚴 🏻 \u200d ♂ ️', ':man_biking_medium-dark_skin_tone:': '🚴 🏾 \u200d ♂ ️', ':man_biking_medium-light_skin_tone:': '🚴 🏼 \u200d ♂ ️', ':man_biking_medium_skin_tone:': '🚴 🏽 \u200d ♂ ️', ':man_bouncing_ball:': '⛹ ️ \u200d ♂ ️', ':man_bouncing_ball_dark_skin_tone:': '⛹ 🏿 \u200d ♂ ️', ':man_bouncing_ball_light_skin_tone:': '⛹ 🏻 \u200d ♂ ️', ':man_bouncing_ball_medium-dark_skin_tone:': '⛹ 🏾 \u200d ♂ ️', ':man_bouncing_ball_medium-light_skin_tone:': '⛹ 🏼 \u200d ♂ ️', ':man_bouncing_ball_medium_skin_tone:': '⛹ 🏽 \u200d ♂ ️', ':man_bowing:': '🙇 \u200d ♂ ️', ':man_bowing_dark_skin_tone:': '🙇 🏿 \u200d ♂ ️', ':man_bowing_light_skin_tone:': '🙇 🏻 \u200d ♂ ️', ':man_bowing_medium-dark_skin_tone:': '🙇 🏾 \u200d ♂ ️', ':man_bowing_medium-light_skin_tone:': '🙇 🏼 \u200d ♂ ️', ':man_bowing_medium_skin_tone:': '🙇 🏽 \u200d ♂ ️', ':man_cartwheeling:': '🤸 \u200d ♂ ️', ':man_cartwheeling_dark_skin_tone:': '🤸 🏿 \u200d ♂ ️', ':man_cartwheeling_light_skin_tone:': '🤸 🏻 \u200d ♂ ️', ':man_cartwheeling_medium-dark_skin_tone:': '🤸 🏾 \u200d ♂ ️', ':man_cartwheeling_medium-light_skin_tone:': '🤸 🏼 \u200d ♂ ️', ':man_cartwheeling_medium_skin_tone:': '🤸 🏽 \u200d ♂ ️', ':man_construction_worker:': '👷 \u200d ♂ ️', ':man_construction_worker_dark_skin_tone:': '👷 🏿 \u200d ♂ ️', ':man_construction_worker_light_skin_tone:': '👷 🏻 \u200d ♂ ️', ':man_construction_worker_medium-dark_skin_tone:': '👷 🏾 \u200d ♂ ️', ':man_construction_worker_medium-light_skin_tone:': '👷 🏼 \u200d ♂ ️', ':man_construction_worker_medium_skin_tone:': '👷 🏽 \u200d ♂ ️', ':man_cook:': '👨 \u200d 🍳', ':man_cook_dark_skin_tone:': '👨 🏿 \u200d 🍳', ':man_cook_light_skin_tone:': '👨 🏻 \u200d 🍳', ':man_cook_medium-dark_skin_tone:': '👨 🏾 \u200d 🍳', ':man_cook_medium-light_skin_tone:': '👨 🏼 \u200d 🍳', ':man_cook_medium_skin_tone:': '👨 🏽 \u200d 🍳', ':man_dancing:': '🕺', ':man_dancing_dark_skin_tone:': '🕺 🏿', ':man_dancing_light_skin_tone:': '🕺 🏻', ':man_dancing_medium-dark_skin_tone:': '🕺 🏾', ':man_dancing_medium-light_skin_tone:': '🕺 🏼', ':man_dancing_medium_skin_tone:': '🕺 🏽', ':man_dark_skin_tone:': '👨 🏿', ':man_detective:': '🕵 ️ \u200d ♂ ️', ':man_detective_dark_skin_tone:': '🕵 🏿 \u200d ♂ ️', ':man_detective_light_skin_tone:': '🕵 🏻 \u200d ♂ ️', ':man_detective_medium-dark_skin_tone:': '🕵 🏾 \u200d ♂ ️', ':man_detective_medium-light_skin_tone:': '🕵 🏼 \u200d ♂ ️', ':man_detective_medium_skin_tone:': '🕵 🏽 \u200d ♂ ️', ':man_facepalming:': '🤦 \u200d ♂ ️', ':man_facepalming_dark_skin_tone:': '🤦 🏿 \u200d ♂ ️', ':man_facepalming_light_skin_tone:': '🤦 🏻 \u200d ♂ ️', ':man_facepalming_medium-dark_skin_tone:': '🤦 🏾 \u200d ♂ ️', ':man_facepalming_medium-light_skin_tone:': '🤦 🏼 \u200d ♂ ️', ':man_facepalming_medium_skin_tone:': '🤦 🏽 \u200d ♂ ️', ':man_factory_worker:': '👨 \u200d 🏭', ':man_factory_worker_dark_skin_tone:': '👨 🏿 \u200d 🏭', ':man_factory_worker_light_skin_tone:': '👨 🏻 \u200d 🏭', ':man_factory_worker_medium-dark_skin_tone:': '👨 🏾 \u200d 🏭', ':man_factory_worker_medium-light_skin_tone:': '👨 🏼 \u200d 🏭', ':man_factory_worker_medium_skin_tone:': '👨 🏽 \u200d 🏭', ':man_farmer:': '👨 \u200d 🌾', ':man_farmer_dark_skin_tone:': '👨 🏿 \u200d 🌾', ':man_farmer_light_skin_tone:': '👨 🏻 \u200d 🌾', ':man_farmer_medium-dark_skin_tone:': '👨 🏾 \u200d 🌾', ':man_farmer_medium-light_skin_tone:': '👨 🏼 \u200d 🌾', ':man_farmer_medium_skin_tone:': '👨 🏽 \u200d 🌾', ':man_firefighter:': '👨 \u200d 🚒', ':man_firefighter_dark_skin_tone:': '👨 🏿 \u200d 🚒', ':man_firefighter_light_skin_tone:': '👨 🏻 \u200d 🚒', ':man_firefighter_medium-dark_skin_tone:': '👨 🏾 \u200d 🚒', ':man_firefighter_medium-light_skin_tone:': '👨 🏼 \u200d 🚒', ':man_firefighter_medium_skin_tone:': '👨 🏽 \u200d 🚒', ':man_frowning:': '🙍 \u200d ♂ ️', ':man_frowning_dark_skin_tone:': '🙍 🏿 \u200d ♂ ️', ':man_frowning_light_skin_tone:': '🙍 🏻 \u200d ♂ ️', ':man_frowning_medium-dark_skin_tone:': '🙍 🏾 \u200d ♂ ️', ':man_frowning_medium-light_skin_tone:': '🙍 🏼 \u200d ♂ ️', ':man_frowning_medium_skin_tone:': '🙍 🏽 \u200d ♂ ️', ':man_gesturing_NO:': '🙅 \u200d ♂ ️', ':man_gesturing_NO_dark_skin_tone:': '🙅 🏿 \u200d ♂ ️', ':man_gesturing_NO_light_skin_tone:': '🙅 🏻 \u200d ♂ ️', ':man_gesturing_NO_medium-dark_skin_tone:': '🙅 🏾 \u200d ♂ ️', ':man_gesturing_NO_medium-light_skin_tone:': '🙅 🏼 \u200d ♂ ️', ':man_gesturing_NO_medium_skin_tone:': '🙅 🏽 \u200d ♂ ️', ':man_gesturing_OK:': '🙆 \u200d ♂ ️', ':man_gesturing_OK_dark_skin_tone:': '🙆 🏿 \u200d ♂ ️', ':man_gesturing_OK_light_skin_tone:': '🙆 🏻 \u200d ♂ ️', ':man_gesturing_OK_medium-dark_skin_tone:': '🙆 🏾 \u200d ♂ ️', ':man_gesturing_OK_medium-light_skin_tone:': '🙆 🏼 \u200d ♂ ️', ':man_gesturing_OK_medium_skin_tone:': '🙆 🏽 \u200d ♂ ️', ':man_getting_haircut:': '💇 \u200d ♂ ️', ':man_getting_haircut_dark_skin_tone:': '💇 🏿 \u200d ♂ ️', ':man_getting_haircut_light_skin_tone:': '💇 🏻 \u200d ♂ ️', ':man_getting_haircut_medium-dark_skin_tone:': '💇 🏾 \u200d ♂ ️', ':man_getting_haircut_medium-light_skin_tone:': '💇 🏼 \u200d ♂ ️', ':man_getting_haircut_medium_skin_tone:': '💇 🏽 \u200d ♂ ️', ':man_getting_massage:': '💆 \u200d ♂ ️', ':man_getting_massage_dark_skin_tone:': '💆 🏿 \u200d ♂ ️', ':man_getting_massage_light_skin_tone:': '💆 🏻 \u200d ♂ ️', ':man_getting_massage_medium-dark_skin_tone:': '💆 🏾 \u200d ♂ ️', ':man_getting_massage_medium-light_skin_tone:': '💆 🏼 \u200d ♂ ️', ':man_getting_massage_medium_skin_tone:': '💆 🏽 \u200d ♂ ️', ':man_golfing:': '🏌 ️ \u200d ♂ ️', ':man_golfing_dark_skin_tone:': '🏌 🏿 \u200d ♂ ️', ':man_golfing_light_skin_tone:': '🏌 🏻 \u200d ♂ ️', ':man_golfing_medium-dark_skin_tone:': '🏌 🏾 \u200d ♂ ️', ':man_golfing_medium-light_skin_tone:': '🏌 🏼 \u200d ♂ ️', ':man_golfing_medium_skin_tone:': '🏌 🏽 \u200d ♂ ️', ':man_guard:': '💂 \u200d ♂ ️', ':man_guard_dark_skin_tone:': '💂 🏿 \u200d ♂ ️', ':man_guard_light_skin_tone:': '💂 🏻 \u200d ♂ ️', ':man_guard_medium-dark_skin_tone:': '💂 🏾 \u200d ♂ ️', ':man_guard_medium-light_skin_tone:': '💂 🏼 \u200d ♂ ️', ':man_guard_medium_skin_tone:': '💂 🏽 \u200d ♂ ️', ':man_health_worker:': '👨 \u200d ⚕ ️', ':man_health_worker_dark_skin_tone:': '👨 🏿 \u200d ⚕ ️', ':man_health_worker_light_skin_tone:': '👨 🏻 \u200d ⚕ ️', ':man_health_worker_medium-dark_skin_tone:': '👨 🏾 \u200d ⚕ ️', ':man_health_worker_medium-light_skin_tone:': '👨 🏼 \u200d ⚕ ️', ':man_health_worker_medium_skin_tone:': '👨 🏽 \u200d ⚕ ️', ':man_in_business_suit_levitating:': '🕴', ':man_in_business_suit_levitating_dark_skin_tone:': '🕴 🏿', ':man_in_business_suit_levitating_light_skin_tone:': '🕴 🏻', ':man_in_business_suit_levitating_medium-dark_skin_tone:': '🕴 🏾', ':man_in_business_suit_levitating_medium-light_skin_tone:': '🕴 🏼', ':man_in_business_suit_levitating_medium_skin_tone:': '🕴 🏽', ':man_in_tuxedo:': '🤵', ':man_in_tuxedo_dark_skin_tone:': '🤵 🏿', ':man_in_tuxedo_light_skin_tone:': '🤵 🏻', ':man_in_tuxedo_medium-dark_skin_tone:': '🤵 🏾', ':man_in_tuxedo_medium-light_skin_tone:': '🤵 🏼', ':man_in_tuxedo_medium_skin_tone:': '🤵 🏽', ':man_judge:': '👨 \u200d ⚖ ️', ':man_judge_dark_skin_tone:': '👨 🏿 \u200d ⚖ ️', ':man_judge_light_skin_tone:': '👨 🏻 \u200d ⚖ ️', ':man_judge_medium-dark_skin_tone:': '👨 🏾 \u200d ⚖ ️', ':man_judge_medium-light_skin_tone:': '👨 🏼 \u200d ⚖ ️', ':man_judge_medium_skin_tone:': '👨 🏽 \u200d ⚖ ️', ':man_juggling:': '🤹 \u200d ♂ ️', ':man_juggling_dark_skin_tone:': '🤹 🏿 \u200d ♂ ️', ':man_juggling_light_skin_tone:': '🤹 🏻 \u200d ♂ ️', ':man_juggling_medium-dark_skin_tone:': '🤹 🏾 \u200d ♂ ️', ':man_juggling_medium-light_skin_tone:': '🤹 🏼 \u200d ♂ ️', ':man_juggling_medium_skin_tone:': '🤹 🏽 \u200d ♂ ️', ':man_lifting_weights:': '🏋 ️ \u200d ♂ ️', ':man_lifting_weights_dark_skin_tone:': '🏋 🏿 \u200d ♂ ️', ':man_lifting_weights_light_skin_tone:': '🏋 🏻 \u200d ♂ ️', ':man_lifting_weights_medium-dark_skin_tone:': '🏋 🏾 \u200d ♂ ️', ':man_lifting_weights_medium-light_skin_tone:': '🏋 🏼 \u200d ♂ ️', ':man_lifting_weights_medium_skin_tone:': '🏋 🏽 \u200d ♂ ️', ':man_light_skin_tone:': '👨 🏻', ':man_mechanic:': '👨 \u200d 🔧', ':man_mechanic_dark_skin_tone:': '👨 🏿 \u200d 🔧', ':man_mechanic_light_skin_tone:': '👨 🏻 \u200d 🔧', ':man_mechanic_medium-dark_skin_tone:': '👨 🏾 \u200d 🔧', ':man_mechanic_medium-light_skin_tone:': '👨 🏼 \u200d 🔧', ':man_mechanic_medium_skin_tone:': '👨 🏽 \u200d 🔧', ':man_medium-dark_skin_tone:': '👨 🏾', ':man_medium-light_skin_tone:': '👨 🏼', ':man_medium_skin_tone:': '👨 🏽', ':man_mountain_biking:': '🚵 \u200d ♂ ️', ':man_mountain_biking_dark_skin_tone:': '🚵 🏿 \u200d ♂ ️', ':man_mountain_biking_light_skin_tone:': '🚵 🏻 \u200d ♂ ️', ':man_mountain_biking_medium-dark_skin_tone:': '🚵 🏾 \u200d ♂ ️', ':man_mountain_biking_medium-light_skin_tone:': '🚵 🏼 \u200d ♂ ️', ':man_mountain_biking_medium_skin_tone:': '🚵 🏽 \u200d ♂ ️', ':man_office_worker:': '👨 \u200d 💼', ':man_office_worker_dark_skin_tone:': '👨 🏿 \u200d 💼', ':man_office_worker_light_skin_tone:': '👨 🏻 \u200d 💼', ':man_office_worker_medium-dark_skin_tone:': '👨 🏾 \u200d 💼', ':man_office_worker_medium-light_skin_tone:': '👨 🏼 \u200d 💼', ':man_office_worker_medium_skin_tone:': '👨 🏽 \u200d 💼', ':man_pilot:': '👨 \u200d ✈ ️', ':man_pilot_dark_skin_tone:': '👨 🏿 \u200d ✈ ️', ':man_pilot_light_skin_tone:': '👨 🏻 \u200d ✈ ️', ':man_pilot_medium-dark_skin_tone:': '👨 🏾 \u200d ✈ ️', ':man_pilot_medium-light_skin_tone:': '👨 🏼 \u200d ✈ ️', ':man_pilot_medium_skin_tone:': '👨 🏽 \u200d ✈ ️', ':man_playing_handball:': '🤾 \u200d ♂ ️', ':man_playing_handball_dark_skin_tone:': '🤾 🏿 \u200d ♂ ️', ':man_playing_handball_light_skin_tone:': '🤾 🏻 \u200d ♂ ️', ':man_playing_handball_medium-dark_skin_tone:': '🤾 🏾 \u200d ♂ ️', ':man_playing_handball_medium-light_skin_tone:': '🤾 🏼 \u200d ♂ ️', ':man_playing_handball_medium_skin_tone:': '🤾 🏽 \u200d ♂ ️', ':man_playing_water_polo:': '🤽 \u200d ♂ ️', ':man_playing_water_polo_dark_skin_tone:': '🤽 🏿 \u200d ♂ ️', ':man_playing_water_polo_light_skin_tone:': '🤽 🏻 \u200d ♂ ️', ':man_playing_water_polo_medium-dark_skin_tone:': '🤽 🏾 \u200d ♂ ️', ':man_playing_water_polo_medium-light_skin_tone:': '🤽 🏼 \u200d ♂ ️', ':man_playing_water_polo_medium_skin_tone:': '🤽 🏽 \u200d ♂ ️', ':man_police_officer:': '👮 \u200d ♂ ️', ':man_police_officer_dark_skin_tone:': '👮 🏿 \u200d ♂ ️', ':man_police_officer_light_skin_tone:': '👮 🏻 \u200d ♂ ️', ':man_police_officer_medium-dark_skin_tone:': '👮 🏾 \u200d ♂ ️', ':man_police_officer_medium-light_skin_tone:': '👮 🏼 \u200d ♂ ️', ':man_police_officer_medium_skin_tone:': '👮 🏽 \u200d ♂ ️', ':man_pouting:': '🙎 \u200d ♂ ️', ':man_pouting_dark_skin_tone:': '🙎 🏿 \u200d ♂ ️', ':man_pouting_light_skin_tone:': '🙎 🏻 \u200d ♂ ️', ':man_pouting_medium-dark_skin_tone:': '🙎 🏾 \u200d ♂ ️', ':man_pouting_medium-light_skin_tone:': '🙎 🏼 \u200d ♂ ️', ':man_pouting_medium_skin_tone:': '🙎 🏽 \u200d ♂ ️', ':man_raising_hand:': '🙋 \u200d ♂ ️', ':man_raising_hand_dark_skin_tone:': '🙋 🏿 \u200d ♂ ️', ':man_raising_hand_light_skin_tone:': '🙋 🏻 \u200d ♂ ️', ':man_raising_hand_medium-dark_skin_tone:': '🙋 🏾 \u200d ♂ ️', ':man_raising_hand_medium-light_skin_tone:': '🙋 🏼 \u200d ♂ ️', ':man_raising_hand_medium_skin_tone:': '🙋 🏽 \u200d ♂ ️', ':man_rowing_boat:': '🚣 \u200d ♂ ️', ':man_rowing_boat_dark_skin_tone:': '🚣 🏿 \u200d ♂ ️', ':man_rowing_boat_light_skin_tone:': '🚣 🏻 \u200d ♂ ️', ':man_rowing_boat_medium-dark_skin_tone:': '🚣 🏾 \u200d ♂ ️', ':man_rowing_boat_medium-light_skin_tone:': '🚣 🏼 \u200d ♂ ️', ':man_rowing_boat_medium_skin_tone:': '🚣 🏽 \u200d ♂ ️', ':man_running:': '🏃 \u200d ♂ ️', ':man_running_dark_skin_tone:': '🏃 🏿 \u200d ♂ ️', ':man_running_light_skin_tone:': '🏃 🏻 \u200d ♂ ️', ':man_running_medium-dark_skin_tone:': '🏃 🏾 \u200d ♂ ️', ':man_running_medium-light_skin_tone:': '🏃 🏼 \u200d ♂ ️', ':man_running_medium_skin_tone:': '🏃 🏽 \u200d ♂ ️', ':man_scientist:': '👨 \u200d 🔬', ':man_scientist_dark_skin_tone:': '👨 🏿 \u200d 🔬', ':man_scientist_light_skin_tone:': '👨 🏻 \u200d 🔬', ':man_scientist_medium-dark_skin_tone:': '👨 🏾 \u200d 🔬', ':man_scientist_medium-light_skin_tone:': '👨 🏼 \u200d 🔬', ':man_scientist_medium_skin_tone:': '👨 🏽 \u200d 🔬', ':man_shrugging:': '🤷 \u200d ♂ ️', ':man_shrugging_dark_skin_tone:': '🤷 🏿 \u200d ♂ ️', ':man_shrugging_light_skin_tone:': '🤷 🏻 \u200d ♂ ️', ':man_shrugging_medium-dark_skin_tone:': '🤷 🏾 \u200d ♂ ️', ':man_shrugging_medium-light_skin_tone:': '🤷 🏼 \u200d ♂ ️', ':man_shrugging_medium_skin_tone:': '🤷 🏽 \u200d ♂ ️', ':man_singer:': '👨 \u200d 🎤', ':man_singer_dark_skin_tone:': '👨 🏿 \u200d 🎤', ':man_singer_light_skin_tone:': '👨 🏻 \u200d 🎤', ':man_singer_medium-dark_skin_tone:': '👨 🏾 \u200d 🎤', ':man_singer_medium-light_skin_tone:': '👨 🏼 \u200d 🎤', ':man_singer_medium_skin_tone:': '👨 🏽 \u200d 🎤', ':man_student:': '👨 \u200d 🎓', ':man_student_dark_skin_tone:': '👨 🏿 \u200d 🎓', ':man_student_light_skin_tone:': '👨 🏻 \u200d 🎓', ':man_student_medium-dark_skin_tone:': '👨 🏾 \u200d 🎓', ':man_student_medium-light_skin_tone:': '👨 🏼 \u200d 🎓', ':man_student_medium_skin_tone:': '👨 🏽 \u200d 🎓', ':man_surfing:': '🏄 \u200d ♂ ️', ':man_surfing_dark_skin_tone:': '🏄 🏿 \u200d ♂ ️', ':man_surfing_light_skin_tone:': '🏄 🏻 \u200d ♂ ️', ':man_surfing_medium-dark_skin_tone:': '🏄 🏾 \u200d ♂ ️', ':man_surfing_medium-light_skin_tone:': '🏄 🏼 \u200d ♂ ️', ':man_surfing_medium_skin_tone:': '🏄 🏽 \u200d ♂ ️', ':man_swimming:': '🏊 \u200d ♂ ️', ':man_swimming_dark_skin_tone:': '🏊 🏿 \u200d ♂ ️', ':man_swimming_light_skin_tone:': '🏊 🏻 \u200d ♂ ️', ':man_swimming_medium-dark_skin_tone:': '🏊 🏾 \u200d ♂ ️', ':man_swimming_medium-light_skin_tone:': '🏊 🏼 \u200d ♂ ️', ':man_swimming_medium_skin_tone:': '🏊 🏽 \u200d ♂ ️', ':man_teacher:': '👨 \u200d 🏫', ':man_teacher_dark_skin_tone:': '👨 🏿 \u200d 🏫', ':man_teacher_light_skin_tone:': '👨 🏻 \u200d 🏫', ':man_teacher_medium-dark_skin_tone:': '👨 🏾 \u200d 🏫', ':man_teacher_medium-light_skin_tone:': '👨 🏼 \u200d 🏫', ':man_teacher_medium_skin_tone:': '👨 🏽 \u200d 🏫', ':man_technologist:': '👨 \u200d 💻', ':man_technologist_dark_skin_tone:': '👨 🏿 \u200d 💻', ':man_technologist_light_skin_tone:': '👨 🏻 \u200d 💻', ':man_technologist_medium-dark_skin_tone:': '👨 🏾 \u200d 💻', ':man_technologist_medium-light_skin_tone:': '👨 🏼 \u200d 💻', ':man_technologist_medium_skin_tone:': '👨 🏽 \u200d 💻', ':man_tipping_hand:': '💁 \u200d ♂ ️', ':man_tipping_hand_dark_skin_tone:': '💁 🏿 \u200d ♂ ️', ':man_tipping_hand_light_skin_tone:': '💁 🏻 \u200d ♂ ️', ':man_tipping_hand_medium-dark_skin_tone:': '💁 🏾 \u200d ♂ ️', ':man_tipping_hand_medium-light_skin_tone:': '💁 🏼 \u200d ♂ ️', ':man_tipping_hand_medium_skin_tone:': '💁 🏽 \u200d ♂ ️', ':man_walking:': '🚶 \u200d ♂ ️', ':man_walking_dark_skin_tone:': '🚶 🏿 \u200d ♂ ️', ':man_walking_light_skin_tone:': '🚶 🏻 \u200d ♂ ️', ':man_walking_medium-dark_skin_tone:': '🚶 🏾 \u200d ♂ ️', ':man_walking_medium-light_skin_tone:': '🚶 🏼 \u200d ♂ ️', ':man_walking_medium_skin_tone:': '🚶 🏽 \u200d ♂ ️', ':man_wearing_turban:': '👳 \u200d ♂ ️', ':man_wearing_turban_dark_skin_tone:': '👳 🏿 \u200d ♂ ️', ':man_wearing_turban_light_skin_tone:': '👳 🏻 \u200d ♂ ️', ':man_wearing_turban_medium-dark_skin_tone:': '👳 🏾 \u200d ♂ ️', ':man_wearing_turban_medium-light_skin_tone:': '👳 🏼 \u200d ♂ ️', ':man_wearing_turban_medium_skin_tone:': '👳 🏽 \u200d ♂ ️', ':man_with_Chinese_cap:': '👲', ':man_with_Chinese_cap_dark_skin_tone:': '👲 🏿', ':man_with_Chinese_cap_light_skin_tone:': '👲 🏻', ':man_with_Chinese_cap_medium-dark_skin_tone:': '👲 🏾', ':man_with_Chinese_cap_medium-light_skin_tone:': '👲 🏼', ':man_with_Chinese_cap_medium_skin_tone:': '👲 🏽', ':mantelpiece_clock:': '🕰', ':man’s_shoe:': '👞', ':map_of_Japan:': '🗾', ':maple_leaf:': '🍁', ':martial_arts_uniform:': '🥋', ':meat_on_bone:': '🍖', ':medical_symbol:': '⚕', ':medium-dark_skin_tone:': '🏾', ':medium-light_skin_tone:': '🏼', ':medium_skin_tone:': '🏽', ':megaphone:': '📣', ':melon:': '🍈', ':memo:': '📝', ':men_with_bunny_ears_partying:': '👯 \u200d ♂ ️', ':men_wrestling:': '🤼 \u200d ♂ ️', ':menorah:': '🕎', ':men’s_room:': '🚹', ':metro:': '🚇', ':microphone:': '🎤', ':microscope:': '🔬', ':middle_finger:': '🖕', ':middle_finger_dark_skin_tone:': '🖕 🏿', ':middle_finger_light_skin_tone:': '🖕 🏻', ':middle_finger_medium-dark_skin_tone:': '🖕 🏾', ':middle_finger_medium-light_skin_tone:': '🖕 🏼', ':middle_finger_medium_skin_tone:': '🖕 🏽', ':military_medal:': '🎖', ':milky_way:': '🌌', ':minibus:': '🚐', ':moai:': '🗿', ':mobile_phone:': '📱', ':mobile_phone_off:': '📴', ':mobile_phone_with_arrow:': '📲', ':money-mouth_face:': '🤑', ':money_bag:': '💰', ':money_with_wings:': '💸', ':monkey:': '🐒', ':monkey_face:': '🐵', ':monorail:': '🚝', ':moon_viewing_ceremony:': '🎑', ':mosque:': '🕌', ':motor_boat:': '🛥', ':motor_scooter:': '🛵', ':motorcycle:': '🏍', ':motorway:': '🛣', ':mount_fuji:': '🗻', ':mountain:': '⛰', ':mountain_cableway:': '🚠', ':mountain_railway:': '🚞', ':mouse:': '🐁', ':mouse_face:': '🐭', ':mouth:': '👄', ':movie_camera:': '🎥', ':mushroom:': '🍄', ':musical_keyboard:': '🎹', ':musical_note:': '🎵', ':musical_notes:': '🎶', ':musical_score:': '🎼', ':muted_speaker:': '🔇', ':nail_polish:': '💅', ':nail_polish_dark_skin_tone:': '💅 🏿', ':nail_polish_light_skin_tone:': '💅 🏻', ':nail_polish_medium-dark_skin_tone:': '💅 🏾', ':nail_polish_medium-light_skin_tone:': '💅 🏼', ':nail_polish_medium_skin_tone:': '💅 🏽', ':name_badge:': '📛', ':national_park:': '🏞', ':nauseated_face:': '🤢', ':necktie:': '👔', ':nerd_face:': '🤓', ':neutral_face:': '😐', ':new_moon:': '🌑', ':new_moon_face:': '🌚', ':newspaper:': '📰', ':next_track_button:': '⏭', ':night_with_stars:': '🌃', ':nine-thirty:': '🕤', ':nine_o’clock:': '🕘', ':no_bicycles:': '🚳', ':no_entry:': '⛔', ':no_littering:': '🚯', ':no_mobile_phones:': '📵', ':no_one_under_eighteen:': '🔞', ':no_pedestrians:': '🚷', ':no_smoking:': '🚭', ':non-potable_water:': '🚱', ':nose:': '👃', ':nose_dark_skin_tone:': '👃 🏿', ':nose_light_skin_tone:': '👃 🏻', ':nose_medium-dark_skin_tone:': '👃 🏾', ':nose_medium-light_skin_tone:': '👃 🏼', ':nose_medium_skin_tone:': '👃 🏽', ':notebook:': '📓', ':notebook_with_decorative_cover:': '📔', ':nut_and_bolt:': '🔩', ':octopus:': '🐙', ':oden:': '🍢', ':office_building:': '🏢', ':ogre:': '👹', ':oil_drum:': '🛢', ':old_key:': '🗝', ':old_man:': '👴', ':old_man_dark_skin_tone:': '👴 🏿', ':old_man_light_skin_tone:': '👴 🏻', ':old_man_medium-dark_skin_tone:': '👴 🏾', ':old_man_medium-light_skin_tone:': '👴 🏼', ':old_man_medium_skin_tone:': '👴 🏽', ':old_woman:': '👵', ':old_woman_dark_skin_tone:': '👵 🏿', ':old_woman_light_skin_tone:': '👵 🏻', ':old_woman_medium-dark_skin_tone:': '👵 🏾', ':old_woman_medium-light_skin_tone:': '👵 🏼', ':old_woman_medium_skin_tone:': '👵 🏽', ':om:': '🕉', ':oncoming_automobile:': '🚘', ':oncoming_bus:': '🚍', ':oncoming_fist:': '👊', ':oncoming_fist_dark_skin_tone:': '👊 🏿', ':oncoming_fist_light_skin_tone:': '👊 🏻', ':oncoming_fist_medium-dark_skin_tone:': '👊 🏾', ':oncoming_fist_medium-light_skin_tone:': '👊 🏼', ':oncoming_fist_medium_skin_tone:': '👊 🏽', ':oncoming_police_car:': '🚔', ':oncoming_taxi:': '🚖', ':one-thirty:': '🕜', ':one_o’clock:': '🕐', ':open_book:': '📖', ':open_file_folder:': '📂', ':open_hands:': '👐', ':open_hands_dark_skin_tone:': '👐 🏿', ':open_hands_light_skin_tone:': '👐 🏻', ':open_hands_medium-dark_skin_tone:': '👐 🏾', ':open_hands_medium-light_skin_tone:': '👐 🏼', ':open_hands_medium_skin_tone:': '👐 🏽', ':open_mailbox_with_lowered_flag:': '📭', ':open_mailbox_with_raised_flag:': '📬', ':optical_disk:': '💿', ':orange_book:': '📙', ':orthodox_cross:': '☦', ':outbox_tray:': '📤', ':owl:': '🦉', ':ox:': '🐂', ':package:': '📦', ':page_facing_up:': '📄', ':page_with_curl:': '📃', ':pager:': '📟', ':paintbrush:': '🖌', ':palm_tree:': '🌴', ':pancakes:': '🥞', ':panda_face:': '🐼', ':paperclip:': '📎', ':part_alternation_mark:': '〽', ':party_popper:': '🎉', ':passenger_ship:': '🛳', ':passport_control:': '🛂', ':pause_button:': '⏸', ':paw_prints:': '🐾', ':peace_symbol:': '☮', ':peach:': '🍑', ':peanuts:': '🥜', ':pear:': '🍐', ':pen:': '🖊', ':pencil:': '✏', ':penguin:': '🐧', ':pensive_face:': '😔', ':people_with_bunny_ears_partying:': '👯', ':people_wrestling:': '🤼', ':performing_arts:': '🎭', ':persevering_face:': '😣', ':person_biking:': '🚴', ':person_biking_dark_skin_tone:': '🚴 🏿', ':person_biking_light_skin_tone:': '🚴 🏻', ':person_biking_medium-dark_skin_tone:': '🚴 🏾', ':person_biking_medium-light_skin_tone:': '🚴 🏼', ':person_biking_medium_skin_tone:': '🚴 🏽', ':person_bouncing_ball:': '⛹', ':person_bouncing_ball_dark_skin_tone:': '⛹ 🏿', ':person_bouncing_ball_light_skin_tone:': '⛹ 🏻', ':person_bouncing_ball_medium-dark_skin_tone:': '⛹ 🏾', ':person_bouncing_ball_medium-light_skin_tone:': '⛹ 🏼', ':person_bouncing_ball_medium_skin_tone:': '⛹ 🏽', ':person_bowing:': '🙇', ':person_bowing_dark_skin_tone:': '🙇 🏿', ':person_bowing_light_skin_tone:': '🙇 🏻', ':person_bowing_medium-dark_skin_tone:': '🙇 🏾', ':person_bowing_medium-light_skin_tone:': '🙇 🏼', ':person_bowing_medium_skin_tone:': '🙇 🏽', ':person_cartwheeling:': '🤸', ':person_cartwheeling_dark_skin_tone:': '🤸 🏿', ':person_cartwheeling_light_skin_tone:': '🤸 🏻', ':person_cartwheeling_medium-dark_skin_tone:': '🤸 🏾', ':person_cartwheeling_medium-light_skin_tone:': '🤸 🏼', ':person_cartwheeling_medium_skin_tone:': '🤸 🏽', ':person_facepalming:': '🤦', ':person_facepalming_dark_skin_tone:': '🤦 🏿', ':person_facepalming_light_skin_tone:': '🤦 🏻', ':person_facepalming_medium-dark_skin_tone:': '🤦 🏾', ':person_facepalming_medium-light_skin_tone:': '🤦 🏼', ':person_facepalming_medium_skin_tone:': '🤦 🏽', ':person_fencing:': '🤺', ':person_frowning:': '🙍', ':person_frowning_dark_skin_tone:': '🙍 🏿', ':person_frowning_light_skin_tone:': '🙍 🏻', ':person_frowning_medium-dark_skin_tone:': '🙍 🏾', ':person_frowning_medium-light_skin_tone:': '🙍 🏼', ':person_frowning_medium_skin_tone:': '🙍 🏽', ':person_gesturing_NO:': '🙅', ':person_gesturing_NO_dark_skin_tone:': '🙅 🏿', ':person_gesturing_NO_light_skin_tone:': '🙅 🏻', ':person_gesturing_NO_medium-dark_skin_tone:': '🙅 🏾', ':person_gesturing_NO_medium-light_skin_tone:': '🙅 🏼', ':person_gesturing_NO_medium_skin_tone:': '🙅 🏽', ':person_gesturing_OK:': '🙆', ':person_gesturing_OK_dark_skin_tone:': '🙆 🏿', ':person_gesturing_OK_light_skin_tone:': '🙆 🏻', ':person_gesturing_OK_medium-dark_skin_tone:': '🙆 🏾', ':person_gesturing_OK_medium-light_skin_tone:': '🙆 🏼', ':person_gesturing_OK_medium_skin_tone:': '🙆 🏽', ':person_getting_haircut:': '💇', ':person_getting_haircut_dark_skin_tone:': '💇 🏿', ':person_getting_haircut_light_skin_tone:': '💇 🏻', ':person_getting_haircut_medium-dark_skin_tone:': '💇 🏾', ':person_getting_haircut_medium-light_skin_tone:': '💇 🏼', ':person_getting_haircut_medium_skin_tone:': '💇 🏽', ':person_getting_massage:': '💆', ':person_getting_massage_dark_skin_tone:': '💆 🏿', ':person_getting_massage_light_skin_tone:': '💆 🏻', ':person_getting_massage_medium-dark_skin_tone:': '💆 🏾', ':person_getting_massage_medium-light_skin_tone:': '💆 🏼', ':person_getting_massage_medium_skin_tone:': '💆 🏽', ':person_golfing:': '🏌', ':person_golfing_dark_skin_tone:': '🏌 🏿', ':person_golfing_light_skin_tone:': '🏌 🏻', ':person_golfing_medium-dark_skin_tone:': '🏌 🏾', ':person_golfing_medium-light_skin_tone:': '🏌 🏼', ':person_golfing_medium_skin_tone:': '🏌 🏽', ':person_in_bed:': '🛌', ':person_in_bed_dark_skin_tone:': '🛌 🏿', ':person_in_bed_light_skin_tone:': '🛌 🏻', ':person_in_bed_medium-dark_skin_tone:': '🛌 🏾', ':person_in_bed_medium-light_skin_tone:': '🛌 🏼', ':person_in_bed_medium_skin_tone:': '🛌 🏽', ':person_juggling:': '🤹', ':person_juggling_dark_skin_tone:': '🤹 🏿', ':person_juggling_light_skin_tone:': '🤹 🏻', ':person_juggling_medium-dark_skin_tone:': '🤹 🏾', ':person_juggling_medium-light_skin_tone:': '🤹 🏼', ':person_juggling_medium_skin_tone:': '🤹 🏽', ':person_lifting_weights:': '🏋', ':person_lifting_weights_dark_skin_tone:': '🏋 🏿', ':person_lifting_weights_light_skin_tone:': '🏋 🏻', ':person_lifting_weights_medium-dark_skin_tone:': '🏋 🏾', ':person_lifting_weights_medium-light_skin_tone:': '🏋 🏼', ':person_lifting_weights_medium_skin_tone:': '🏋 🏽', ':person_mountain_biking:': '🚵', ':person_mountain_biking_dark_skin_tone:': '🚵 🏿', ':person_mountain_biking_light_skin_tone:': '🚵 🏻', ':person_mountain_biking_medium-dark_skin_tone:': '🚵 🏾', ':person_mountain_biking_medium-light_skin_tone:': '🚵 🏼', ':person_mountain_biking_medium_skin_tone:': '🚵 🏽', ':person_playing_handball:': '🤾', ':person_playing_handball_dark_skin_tone:': '🤾 🏿', ':person_playing_handball_light_skin_tone:': '🤾 🏻', ':person_playing_handball_medium-dark_skin_tone:': '🤾 🏾', ':person_playing_handball_medium-light_skin_tone:': '🤾 🏼', ':person_playing_handball_medium_skin_tone:': '🤾 🏽', ':person_playing_water_polo:': '🤽', ':person_playing_water_polo_dark_skin_tone:': '🤽 🏿', ':person_playing_water_polo_light_skin_tone:': '🤽 🏻', ':person_playing_water_polo_medium-dark_skin_tone:': '🤽 🏾', ':person_playing_water_polo_medium-light_skin_tone:': '🤽 🏼', ':person_playing_water_polo_medium_skin_tone:': '🤽 🏽', ':person_pouting:': '🙎', ':person_pouting_dark_skin_tone:': '🙎 🏿', ':person_pouting_light_skin_tone:': '🙎 🏻', ':person_pouting_medium-dark_skin_tone:': '🙎 🏾', ':person_pouting_medium-light_skin_tone:': '🙎 🏼', ':person_pouting_medium_skin_tone:': '🙎 🏽', ':person_raising_hand:': '🙋', ':person_raising_hand_dark_skin_tone:': '🙋 🏿', ':person_raising_hand_light_skin_tone:': '🙋 🏻', ':person_raising_hand_medium-dark_skin_tone:': '🙋 🏾', ':person_raising_hand_medium-light_skin_tone:': '🙋 🏼', ':person_raising_hand_medium_skin_tone:': '🙋 🏽', ':person_rowing_boat:': '🚣', ':person_rowing_boat_dark_skin_tone:': '🚣 🏿', ':person_rowing_boat_light_skin_tone:': '🚣 🏻', ':person_rowing_boat_medium-dark_skin_tone:': '🚣 🏾', ':person_rowing_boat_medium-light_skin_tone:': '🚣 🏼', ':person_rowing_boat_medium_skin_tone:': '🚣 🏽', ':person_running:': '🏃', ':person_running_dark_skin_tone:': '🏃 🏿', ':person_running_light_skin_tone:': '🏃 🏻', ':person_running_medium-dark_skin_tone:': '🏃 🏾', ':person_running_medium-light_skin_tone:': '🏃 🏼', ':person_running_medium_skin_tone:': '🏃 🏽', ':person_shrugging:': '🤷', ':person_shrugging_dark_skin_tone:': '🤷 🏿', ':person_shrugging_light_skin_tone:': '🤷 🏻', ':person_shrugging_medium-dark_skin_tone:': '🤷 🏾', ':person_shrugging_medium-light_skin_tone:': '🤷 🏼', ':person_shrugging_medium_skin_tone:': '🤷 🏽', ':person_surfing:': '🏄', ':person_surfing_dark_skin_tone:': '🏄 🏿', ':person_surfing_light_skin_tone:': '🏄 🏻', ':person_surfing_medium-dark_skin_tone:': '🏄 🏾', ':person_surfing_medium-light_skin_tone:': '🏄 🏼', ':person_surfing_medium_skin_tone:': '🏄 🏽', ':person_swimming:': '🏊', ':person_swimming_dark_skin_tone:': '🏊 🏿', ':person_swimming_light_skin_tone:': '🏊 🏻', ':person_swimming_medium-dark_skin_tone:': '🏊 🏾', ':person_swimming_medium-light_skin_tone:': '🏊 🏼', ':person_swimming_medium_skin_tone:': '🏊 🏽', ':person_taking_bath:': '🛀', ':person_taking_bath_dark_skin_tone:': '🛀 🏿', ':person_taking_bath_light_skin_tone:': '🛀 🏻', ':person_taking_bath_medium-dark_skin_tone:': '🛀 🏾', ':person_taking_bath_medium-light_skin_tone:': '🛀 🏼', ':person_taking_bath_medium_skin_tone:': '🛀 🏽', ':person_tipping_hand:': '💁', ':person_tipping_hand_dark_skin_tone:': '💁 🏿', ':person_tipping_hand_light_skin_tone:': '💁 🏻', ':person_tipping_hand_medium-dark_skin_tone:': '💁 🏾', ':person_tipping_hand_medium-light_skin_tone:': '💁 🏼', ':person_tipping_hand_medium_skin_tone:': '💁 🏽', ':person_walking:': '🚶', ':person_walking_dark_skin_tone:': '🚶 🏿', ':person_walking_light_skin_tone:': '🚶 🏻', ':person_walking_medium-dark_skin_tone:': '🚶 🏾', ':person_walking_medium-light_skin_tone:': '🚶 🏼', ':person_walking_medium_skin_tone:': '🚶 🏽', ':person_wearing_turban:': '👳', ':person_wearing_turban_dark_skin_tone:': '👳 🏿', ':person_wearing_turban_light_skin_tone:': '👳 🏻', ':person_wearing_turban_medium-dark_skin_tone:': '👳 🏾', ':person_wearing_turban_medium-light_skin_tone:': '👳 🏼', ':person_wearing_turban_medium_skin_tone:': '👳 🏽', ':pick:': '⛏', ':pig:': '🐖', ':pig_face:': '🐷', ':pig_nose:': '🐽', ':pile_of_poo:': '💩', ':pill:': '💊', ':pine_decoration:': '🎍', ':pineapple:': '🍍', ':ping_pong:': '🏓', ':pistol:': '🔫', ':pizza:': '🍕', ':place_of_worship:': '🛐', ':play_button:': '▶', ':play_or_pause_button:': '⏯', ':police_car:': '🚓', ':police_car_light:': '🚨', ':police_officer:': '👮', ':police_officer_dark_skin_tone:': '👮 🏿', ':police_officer_light_skin_tone:': '👮 🏻', ':police_officer_medium-dark_skin_tone:': '👮 🏾', ':police_officer_medium-light_skin_tone:': '👮 🏼', ':police_officer_medium_skin_tone:': '👮 🏽', ':poodle:': '🐩', ':pool_8_ball:': '🎱', ':popcorn:': '🍿', ':post_office:': '🏤', ':postal_horn:': '📯', ':postbox:': '📮', ':pot_of_food:': '🍲', ':potable_water:': '🚰', ':potato:': '🥔', ':poultry_leg:': '🍗', ':pound_banknote:': '💷', ':pouting_cat_face:': '😾', ':pouting_face:': '😡', ':prayer_beads:': '📿', ':pregnant_woman:': '🤰', ':pregnant_woman_dark_skin_tone:': '🤰 🏿', ':pregnant_woman_light_skin_tone:': '🤰 🏻', ':pregnant_woman_medium-dark_skin_tone:': '🤰 🏾', ':pregnant_woman_medium-light_skin_tone:': '🤰 🏼', ':pregnant_woman_medium_skin_tone:': '🤰 🏽', ':prince:': '🤴', ':prince_dark_skin_tone:': '🤴 🏿', ':prince_light_skin_tone:': '🤴 🏻', ':prince_medium-dark_skin_tone:': '🤴 🏾', ':prince_medium-light_skin_tone:': '🤴 🏼', ':prince_medium_skin_tone:': '🤴 🏽', ':princess:': '👸', ':princess_dark_skin_tone:': '👸 🏿', ':princess_light_skin_tone:': '👸 🏻', ':princess_medium-dark_skin_tone:': '👸 🏾', ':princess_medium-light_skin_tone:': '👸 🏼', ':princess_medium_skin_tone:': '👸 🏽', ':printer:': '🖨', ':prohibited:': '🚫', ':purple_heart:': '💜', ':purse:': '👛', ':pushpin:': '📌', ':question_mark:': '❓', ':rabbit:': '🐇', ':rabbit_face:': '🐰', ':racing_car:': '🏎', ':radio:': '📻', ':radio_button:': '🔘', ':radioactive:': '☢', ':railway_car:': '🚃', ':railway_track:': '🛤', ':rainbow:': '🌈', ':rainbow_flag:': '🏳 ️ \u200d 🌈', ':raised_back_of_hand:': '🤚', ':raised_back_of_hand_dark_skin_tone:': '🤚 🏿', ':raised_back_of_hand_light_skin_tone:': '🤚 🏻', ':raised_back_of_hand_medium-dark_skin_tone:': '🤚 🏾', ':raised_back_of_hand_medium-light_skin_tone:': '🤚 🏼', ':raised_back_of_hand_medium_skin_tone:': '🤚 🏽', ':raised_fist:': '✊', ':raised_fist_dark_skin_tone:': '✊ 🏿', ':raised_fist_light_skin_tone:': '✊ 🏻', ':raised_fist_medium-dark_skin_tone:': '✊ 🏾', ':raised_fist_medium-light_skin_tone:': '✊ 🏼', ':raised_fist_medium_skin_tone:': '✊ 🏽', ':raised_hand:': '✋', ':raised_hand_dark_skin_tone:': '✋ 🏿', ':raised_hand_light_skin_tone:': '✋ 🏻', ':raised_hand_medium-dark_skin_tone:': '✋ 🏾', ':raised_hand_medium-light_skin_tone:': '✋ 🏼', ':raised_hand_medium_skin_tone:': '✋ 🏽', ':raised_hand_with_fingers_splayed:': '🖐', ':raised_hand_with_fingers_splayed_dark_skin_tone:': '🖐 🏿', ':raised_hand_with_fingers_splayed_light_skin_tone:': '🖐 🏻', ':raised_hand_with_fingers_splayed_medium-dark_skin_tone:': '🖐 🏾', ':raised_hand_with_fingers_splayed_medium-light_skin_tone:': '🖐 🏼', ':raised_hand_with_fingers_splayed_medium_skin_tone:': '🖐 🏽', ':raising_hands:': '🙌', ':raising_hands_dark_skin_tone:': '🙌 🏿', ':raising_hands_light_skin_tone:': '🙌 🏻', ':raising_hands_medium-dark_skin_tone:': '🙌 🏾', ':raising_hands_medium-light_skin_tone:': '🙌 🏼', ':raising_hands_medium_skin_tone:': '🙌 🏽', ':ram:': '🐏', ':rat:': '🐀', ':record_button:': '⏺', ':recycling_symbol:': '♻', ':red_apple:': '🍎', ':red_circle:': '🔴', ':red_heart:': '❤', ':red_paper_lantern:': '🏮', ':red_triangle_pointed_down:': '🔻', ':red_triangle_pointed_up:': '🔺', ':registered:': '®', ':relieved_face:': '😌', ':reminder_ribbon:': '🎗', ':repeat_button:': '🔁', ':repeat_single_button:': '🔂', ':rescue_worker’s_helmet:': '⛑', ':restroom:': '🚻', ':reverse_button:': '◀', ':revolving_hearts:': '💞', ':rhinoceros:': '🦏', ':ribbon:': '🎀', ':rice_ball:': '🍙', ':rice_cracker:': '🍘', ':right-facing_fist:': '🤜', ':right-facing_fist_dark_skin_tone:': '🤜 🏿', ':right-facing_fist_light_skin_tone:': '🤜 🏻', ':right-facing_fist_medium-dark_skin_tone:': '🤜 🏾', ':right-facing_fist_medium-light_skin_tone:': '🤜 🏼', ':right-facing_fist_medium_skin_tone:': '🤜 🏽', ':right-pointing_magnifying_glass:': '🔎', ':right_anger_bubble:': '🗯', ':right_arrow:': '➡', ':right_arrow_curving_down:': '⤵', ':right_arrow_curving_left:': '↩', ':right_arrow_curving_up:': '⤴', ':ring:': '💍', ':roasted_sweet_potato:': '🍠', ':robot_face:': '🤖', ':rocket:': '🚀', ':rolled-up_newspaper:': '🗞', ':roller_coaster:': '🎢', ':rolling_on_the_floor_laughing:': '🤣', ':rooster:': '🐓', ':rose:': '🌹', ':rosette:': '🏵', ':round_pushpin:': '📍', ':rugby_football:': '🏉', ':running_shirt:': '🎽', ':running_shoe:': '👟', ':sailboat:': '⛵', ':sake:': '🍶', ':satellite:': '🛰', ':satellite_antenna:': '📡', ':saxophone:': '🎷', ':school:': '🏫', ':school_backpack:': '🎒', ':scissors:': '✂', ':scorpion:': '🦂', ':scroll:': '📜', ':seat:': '💺', ':see-no-evil_monkey:': '🙈', ':seedling:': '🌱', ':selfie:': '🤳', ':selfie_dark_skin_tone:': '🤳 🏿', ':selfie_light_skin_tone:': '🤳 🏻', ':selfie_medium-dark_skin_tone:': '🤳 🏾', ':selfie_medium-light_skin_tone:': '🤳 🏼', ':selfie_medium_skin_tone:': '🤳 🏽', ':seven-thirty:': '🕢', ':seven_o’clock:': '🕖', ':shallow_pan_of_food:': '🥘', ':shamrock:': '☘', ':shark:': '🦈', ':shaved_ice:': '🍧', ':sheaf_of_rice:': '🌾', ':sheep:': '🐑', ':shield:': '🛡', ':shinto_shrine:': '⛩', ':ship:': '🚢', ':shooting_star:': '🌠', ':shopping_bags:': '🛍', ':shopping_cart:': '🛒', ':shortcake:': '🍰', ':shower:': '🚿', ':shrimp:': '🦐', ':shuffle_tracks_button:': '🔀', ':sign_of_the_horns:': '🤘', ':sign_of_the_horns_dark_skin_tone:': '🤘 🏿', ':sign_of_the_horns_light_skin_tone:': '🤘 🏻', ':sign_of_the_horns_medium-dark_skin_tone:': '🤘 🏾', ':sign_of_the_horns_medium-light_skin_tone:': '🤘 🏼', ':sign_of_the_horns_medium_skin_tone:': '🤘 🏽', ':six-thirty:': '🕡', ':six_o’clock:': '🕕', ':skier:': '⛷', ':skis:': '🎿', ':skull:': '💀', ':skull_and_crossbones:': '☠', ':sleeping_face:': '😴', ':sleepy_face:': '😪', ':slightly_frowning_face:': '🙁', ':slightly_smiling_face:': '🙂', ':slot_machine:': '🎰', ':small_airplane:': '🛩', ':small_blue_diamond:': '🔹', ':small_orange_diamond:': '🔸', ':smiling_cat_face_with_heart-eyes:': '😻', ':smiling_cat_face_with_open_mouth:': '😺', ':smiling_face:': '☺', ':smiling_face_with_halo:': '😇', ':smiling_face_with_heart-eyes:': '😍', ':smiling_face_with_horns:': '😈', ':smiling_face_with_open_mouth:': '😃', ':smiling_face_with_open_mouth_&_closed_eyes:': '😆', ':smiling_face_with_open_mouth_&_cold_sweat:': '😅', ':smiling_face_with_open_mouth_&_smiling_eyes:': '😄', ':smiling_face_with_smiling_eyes:': '😊', ':smiling_face_with_sunglasses:': '😎', ':smirking_face:': '😏', ':snail:': '🐌', ':snake:': '🐍', ':sneezing_face:': '🤧', ':snow-capped_mountain:': '🏔', ':snowboarder:': '🏂', ':snowboarder_dark_skin_tone:': '🏂 🏿', ':snowboarder_light_skin_tone:': '🏂 🏻', ':snowboarder_medium-dark_skin_tone:': '🏂 🏾', ':snowboarder_medium-light_skin_tone:': '🏂 🏼', ':snowboarder_medium_skin_tone:': '🏂 🏽', ':snowflake:': '❄', ':snowman:': '☃', ':snowman_without_snow:': '⛄', ':soccer_ball:': '⚽', ':soft_ice_cream:': '🍦', ':spade_suit:': '♠', ':spaghetti:': '🍝', ':sparkle:': '❇', ':sparkler:': '🎇', ':sparkles:': '✨', ':sparkling_heart:': '💖', ':speak-no-evil_monkey:': '🙊', ':speaker_high_volume:': '🔊', ':speaker_low_volume:': '🔈', ':speaker_medium_volume:': '🔉', ':speaking_head:': '🗣', ':speech_balloon:': '💬', ':speedboat:': '🚤', ':spider:': '🕷', ':spider_web:': '🕸', ':spiral_calendar:': '🗓', ':spiral_notepad:': '🗒', ':spiral_shell:': '🐚', ':spoon:': '🥄', ':sport_utility_vehicle:': '🚙', ':sports_medal:': '🏅', ':spouting_whale:': '🐳', ':squid:': '🦑', ':stadium:': '🏟', ':star_and_crescent:': '☪', ':star_of_David:': '✡', ':station:': '🚉', ':steaming_bowl:': '🍜', ':stop_button:': '⏹', ':stop_sign:': '🛑', ':stopwatch:': '⏱', ':straight_ruler:': '📏', ':strawberry:': '🍓', ':studio_microphone:': '🎙', ':stuffed_flatbread:': '🥙', ':sun:': '☀', ':sun_behind_cloud:': '⛅', ':sun_behind_large_cloud:': '🌥', ':sun_behind_rain_cloud:': '🌦', ':sun_behind_small_cloud:': '🌤', ':sun_with_face:': '🌞', ':sunflower:': '🌻', ':sunglasses:': '🕶', ':sunrise:': '🌅', ':sunrise_over_mountains:': '🌄', ':sunset:': '🌇', ':sushi:': '🍣', ':suspension_railway:': '🚟', ':sweat_droplets:': '💦', ':synagogue:': '🕍', ':syringe:': '💉', ':t-shirt:': '👕', ':taco:': '🌮', ':tanabata_tree:': '🎋', ':tangerine:': '🍊', ':taxi:': '🚕', ':teacup_without_handle:': '🍵', ':tear-off_calendar:': '📆', ':telephone:': '☎', ':telephone_receiver:': '📞', ':telescope:': '🔭', ':television:': '📺', ':ten-thirty:': '🕥', ':ten_o’clock:': '🕙', ':tennis:': '🎾', ':tent:': '⛺', ':thermometer:': '🌡', ':thinking_face:': '🤔', ':thought_balloon:': '💭', ':three-thirty:': '🕞', ':three_o’clock:': '🕒', ':thumbs_down:': '👎', ':thumbs_down_dark_skin_tone:': '👎 🏿', ':thumbs_down_light_skin_tone:': '👎 🏻', ':thumbs_down_medium-dark_skin_tone:': '👎 🏾', ':thumbs_down_medium-light_skin_tone:': '👎 🏼', ':thumbs_down_medium_skin_tone:': '👎 🏽', ':thumbs_up:': '👍', ':thumbs_up_dark_skin_tone:': '👍 🏿', ':thumbs_up_light_skin_tone:': '👍 🏻', ':thumbs_up_medium-dark_skin_tone:': '👍 🏾', ':thumbs_up_medium-light_skin_tone:': '👍 🏼', ':thumbs_up_medium_skin_tone:': '👍 🏽', ':ticket:': '🎫', ':tiger:': '🐅', ':tiger_face:': '🐯', ':timer_clock:': '⏲', ':tired_face:': '😫', ':toilet:': '🚽', ':tomato:': '🍅', ':tongue:': '👅', ':top_hat:': '🎩', ':tornado:': '🌪', ':trackball:': '🖲', ':tractor:': '🚜', ':trade_mark:': '™', ':train:': '🚆', ':tram:': '🚊', ':tram_car:': '🚋', ':triangular_flag:': '🚩', ':triangular_ruler:': '📐', ':trident_emblem:': '🔱', ':trolleybus:': '🚎', ':trophy:': '🏆', ':tropical_drink:': '🍹', ':tropical_fish:': '🐠', ':trumpet:': '🎺', ':tulip:': '🌷', ':tumbler_glass:': '🥃', ':turkey:': '🦃', ':turtle:': '🐢', ':twelve-thirty:': '🕧', ':twelve_o’clock:': '🕛', ':two-hump_camel:': '🐫', ':two-thirty:': '🕝', ':two_hearts:': '💕', ':two_men_holding_hands:': '👬', ':two_o’clock:': '🕑', ':two_women_holding_hands:': '👭', ':umbrella:': '☂', ':umbrella_on_ground:': '⛱', ':umbrella_with_rain_drops:': '☔', ':unamused_face:': '😒', ':unicorn_face:': '🦄', ':unlocked:': '🔓', ':up-down_arrow:': '↕', ':up-left_arrow:': '↖', ':up-right_arrow:': '↗', ':up_arrow:': '⬆', ':up_button:': '🔼', ':upside-down_face:': '🙃', ':vertical_traffic_light:': '🚦', ':vibration_mode:': '📳', ':victory_hand:': '✌', ':victory_hand_dark_skin_tone:': '✌ 🏿', ':victory_hand_light_skin_tone:': '✌ 🏻', ':victory_hand_medium-dark_skin_tone:': '✌ 🏾', ':victory_hand_medium-light_skin_tone:': '✌ 🏼', ':victory_hand_medium_skin_tone:': '✌ 🏽', ':video_camera:': '📹', ':video_game:': '🎮', ':videocassette:': '📼', ':violin:': '🎻', ':volcano:': '🌋', ':volleyball:': '🏐', ':vulcan_salute:': '🖖', ':vulcan_salute_dark_skin_tone:': '🖖 🏿', ':vulcan_salute_light_skin_tone:': '🖖 🏻', ':vulcan_salute_medium-dark_skin_tone:': '🖖 🏾', ':vulcan_salute_medium-light_skin_tone:': '🖖 🏼', ':vulcan_salute_medium_skin_tone:': '🖖 🏽', ':waning_crescent_moon:': '🌘', ':waning_gibbous_moon:': '🌖', ':warning:': '⚠', ':wastebasket:': '🗑', ':watch:': '⌚', ':water_buffalo:': '🐃', ':water_closet:': '🚾', ':water_wave:': '🌊', ':watermelon:': '🍉', ':waving_hand:': '👋', ':waving_hand_dark_skin_tone:': '👋 🏿', ':waving_hand_light_skin_tone:': '👋 🏻', ':waving_hand_medium-dark_skin_tone:': '👋 🏾', ':waving_hand_medium-light_skin_tone:': '👋 🏼', ':waving_hand_medium_skin_tone:': '👋 🏽', ':wavy_dash:': '〰', ':waxing_crescent_moon:': '🌒', ':waxing_gibbous_moon:': '🌔', ':weary_cat_face:': '🙀', ':weary_face:': '😩', ':wedding:': '💒', ':whale:': '🐋', ':wheel_of_dharma:': '☸', ':wheelchair_symbol:': '♿', ':white_circle:': '⚪', ':white_exclamation_mark:': '❕', ':white_flag:': '🏳', ':white_flower:': '💮', ':white_heavy_check_mark:': '✅', ':white_large_square:': '⬜', ':white_medium-small_square:': '◽', ':white_medium_square:': '◻', ':white_medium_star:': '⭐', ':white_question_mark:': '❔', ':white_small_square:': '▫', ':white_square_button:': '🔳', ':wilted_flower:': '🥀', ':wind_chime:': '🎐', ':wind_face:': '🌬', ':wine_glass:': '🍷', ':winking_face:': '😉', ':wolf_face:': '🐺', ':woman:': '👩', ':woman_artist:': '👩 \u200d 🎨', ':woman_artist_dark_skin_tone:': '👩 🏿 \u200d 🎨', ':woman_artist_light_skin_tone:': '👩 🏻 \u200d 🎨', ':woman_artist_medium-dark_skin_tone:': '👩 🏾 \u200d 🎨', ':woman_artist_medium-light_skin_tone:': '👩 🏼 \u200d 🎨', ':woman_artist_medium_skin_tone:': '👩 🏽 \u200d 🎨', ':woman_astronaut:': '👩 \u200d 🚀', ':woman_astronaut_dark_skin_tone:': '👩 🏿 \u200d 🚀', ':woman_astronaut_light_skin_tone:': '👩 🏻 \u200d 🚀', ':woman_astronaut_medium-dark_skin_tone:': '👩 🏾 \u200d 🚀', ':woman_astronaut_medium-light_skin_tone:': '👩 🏼 \u200d 🚀', ':woman_astronaut_medium_skin_tone:': '👩 🏽 \u200d 🚀', ':woman_biking:': '🚴 \u200d ♀ ️', ':woman_biking_dark_skin_tone:': '🚴 🏿 \u200d ♀ ️', ':woman_biking_light_skin_tone:': '🚴 🏻 \u200d ♀ ️', ':woman_biking_medium-dark_skin_tone:': '🚴 🏾 \u200d ♀ ️', ':woman_biking_medium-light_skin_tone:': '🚴 🏼 \u200d ♀ ️', ':woman_biking_medium_skin_tone:': '🚴 🏽 \u200d ♀ ️', ':woman_bouncing_ball:': '⛹ ️ \u200d ♀ ️', ':woman_bouncing_ball_dark_skin_tone:': '⛹ 🏿 \u200d ♀ ️', ':woman_bouncing_ball_light_skin_tone:': '⛹ 🏻 \u200d ♀ ️', ':woman_bouncing_ball_medium-dark_skin_tone:': '⛹ 🏾 \u200d ♀ ️', ':woman_bouncing_ball_medium-light_skin_tone:': '⛹ 🏼 \u200d ♀ ️', ':woman_bouncing_ball_medium_skin_tone:': '⛹ 🏽 \u200d ♀ ️', ':woman_bowing:': '🙇 \u200d ♀ ️', ':woman_bowing_dark_skin_tone:': '🙇 🏿 \u200d ♀ ️', ':woman_bowing_light_skin_tone:': '🙇 🏻 \u200d ♀ ️', ':woman_bowing_medium-dark_skin_tone:': '🙇 🏾 \u200d ♀ ️', ':woman_bowing_medium-light_skin_tone:': '🙇 🏼 \u200d ♀ ️', ':woman_bowing_medium_skin_tone:': '🙇 🏽 \u200d ♀ ️', ':woman_cartwheeling:': '🤸 \u200d ♀ ️', ':woman_cartwheeling_dark_skin_tone:': '🤸 🏿 \u200d ♀ ️', ':woman_cartwheeling_light_skin_tone:': '🤸 🏻 \u200d ♀ ️', ':woman_cartwheeling_medium-dark_skin_tone:': '🤸 🏾 \u200d ♀ ️', ':woman_cartwheeling_medium-light_skin_tone:': '🤸 🏼 \u200d ♀ ️', ':woman_cartwheeling_medium_skin_tone:': '🤸 🏽 \u200d ♀ ️', ':woman_construction_worker:': '👷 \u200d ♀ ️', ':woman_construction_worker_dark_skin_tone:': '👷 🏿 \u200d ♀ ️', ':woman_construction_worker_light_skin_tone:': '👷 🏻 \u200d ♀ ️', ':woman_construction_worker_medium-dark_skin_tone:': '👷 🏾 \u200d ♀ ️', ':woman_construction_worker_medium-light_skin_tone:': '👷 🏼 \u200d ♀ ️', ':woman_construction_worker_medium_skin_tone:': '👷 🏽 \u200d ♀ ️', ':woman_cook:': '👩 \u200d 🍳', ':woman_cook_dark_skin_tone:': '👩 🏿 \u200d 🍳', ':woman_cook_light_skin_tone:': '👩 🏻 \u200d 🍳', ':woman_cook_medium-dark_skin_tone:': '👩 🏾 \u200d 🍳', ':woman_cook_medium-light_skin_tone:': '👩 🏼 \u200d 🍳', ':woman_cook_medium_skin_tone:': '👩 🏽 \u200d 🍳', ':woman_dancing:': '💃', ':woman_dancing_dark_skin_tone:': '💃 🏿', ':woman_dancing_light_skin_tone:': '💃 🏻', ':woman_dancing_medium-dark_skin_tone:': '💃 🏾', ':woman_dancing_medium-light_skin_tone:': '💃 🏼', ':woman_dancing_medium_skin_tone:': '💃 🏽', ':woman_dark_skin_tone:': '👩 🏿', ':woman_detective:': '🕵 ️ \u200d ♀ ️', ':woman_detective_dark_skin_tone:': '🕵 🏿 \u200d ♀ ️', ':woman_detective_light_skin_tone:': '🕵 🏻 \u200d ♀ ️', ':woman_detective_medium-dark_skin_tone:': '🕵 🏾 \u200d ♀ ️', ':woman_detective_medium-light_skin_tone:': '🕵 🏼 \u200d ♀ ️', ':woman_detective_medium_skin_tone:': '🕵 🏽 \u200d ♀ ️', ':woman_facepalming:': '🤦 \u200d ♀ ️', ':woman_facepalming_dark_skin_tone:': '🤦 🏿 \u200d ♀ ️', ':woman_facepalming_light_skin_tone:': '🤦 🏻 \u200d ♀ ️', ':woman_facepalming_medium-dark_skin_tone:': '🤦 🏾 \u200d ♀ ️', ':woman_facepalming_medium-light_skin_tone:': '🤦 🏼 \u200d ♀ ️', ':woman_facepalming_medium_skin_tone:': '🤦 🏽 \u200d ♀ ️', ':woman_factory_worker:': '👩 \u200d 🏭', ':woman_factory_worker_dark_skin_tone:': '👩 🏿 \u200d 🏭', ':woman_factory_worker_light_skin_tone:': '👩 🏻 \u200d 🏭', ':woman_factory_worker_medium-dark_skin_tone:': '👩 🏾 \u200d 🏭', ':woman_factory_worker_medium-light_skin_tone:': '👩 🏼 \u200d 🏭', ':woman_factory_worker_medium_skin_tone:': '👩 🏽 \u200d 🏭', ':woman_farmer:': '👩 \u200d 🌾', ':woman_farmer_dark_skin_tone:': '👩 🏿 \u200d 🌾', ':woman_farmer_light_skin_tone:': '👩 🏻 \u200d 🌾', ':woman_farmer_medium-dark_skin_tone:': '👩 🏾 \u200d 🌾', ':woman_farmer_medium-light_skin_tone:': '👩 🏼 \u200d 🌾', ':woman_farmer_medium_skin_tone:': '👩 🏽 \u200d 🌾', ':woman_firefighter:': '👩 \u200d 🚒', ':woman_firefighter_dark_skin_tone:': '👩 🏿 \u200d 🚒', ':woman_firefighter_light_skin_tone:': '👩 🏻 \u200d 🚒', ':woman_firefighter_medium-dark_skin_tone:': '👩 🏾 \u200d 🚒', ':woman_firefighter_medium-light_skin_tone:': '👩 🏼 \u200d 🚒', ':woman_firefighter_medium_skin_tone:': '👩 🏽 \u200d 🚒', ':woman_frowning:': '🙍 \u200d ♀ ️', ':woman_frowning_dark_skin_tone:': '🙍 🏿 \u200d ♀ ️', ':woman_frowning_light_skin_tone:': '🙍 🏻 \u200d ♀ ️', ':woman_frowning_medium-dark_skin_tone:': '🙍 🏾 \u200d ♀ ️', ':woman_frowning_medium-light_skin_tone:': '🙍 🏼 \u200d ♀ ️', ':woman_frowning_medium_skin_tone:': '🙍 🏽 \u200d ♀ ️', ':woman_gesturing_NO:': '🙅 \u200d ♀ ️', ':woman_gesturing_NO_dark_skin_tone:': '🙅 🏿 \u200d ♀ ️', ':woman_gesturing_NO_light_skin_tone:': '🙅 🏻 \u200d ♀ ️', ':woman_gesturing_NO_medium-dark_skin_tone:': '🙅 🏾 \u200d ♀ ️', ':woman_gesturing_NO_medium-light_skin_tone:': '🙅 🏼 \u200d ♀ ️', ':woman_gesturing_NO_medium_skin_tone:': '🙅 🏽 \u200d ♀ ️', ':woman_gesturing_OK:': '🙆 \u200d ♀ ️', ':woman_gesturing_OK_dark_skin_tone:': '🙆 🏿 \u200d ♀ ️', ':woman_gesturing_OK_light_skin_tone:': '🙆 🏻 \u200d ♀ ️', ':woman_gesturing_OK_medium-dark_skin_tone:': '🙆 🏾 \u200d ♀ ️', ':woman_gesturing_OK_medium-light_skin_tone:': '🙆 🏼 \u200d ♀ ️', ':woman_gesturing_OK_medium_skin_tone:': '🙆 🏽 \u200d ♀ ️', ':woman_getting_haircut:': '💇 \u200d ♀ ️', ':woman_getting_haircut_dark_skin_tone:': '💇 🏿 \u200d ♀ ️', ':woman_getting_haircut_light_skin_tone:': '💇 🏻 \u200d ♀ ️', ':woman_getting_haircut_medium-dark_skin_tone:': '💇 🏾 \u200d ♀ ️', ':woman_getting_haircut_medium-light_skin_tone:': '💇 🏼 \u200d ♀ ️', ':woman_getting_haircut_medium_skin_tone:': '💇 🏽 \u200d ♀ ️', ':woman_getting_massage:': '💆 \u200d ♀ ️', ':woman_getting_massage_dark_skin_tone:': '💆 🏿 \u200d ♀ ️', ':woman_getting_massage_light_skin_tone:': '💆 🏻 \u200d ♀ ️', ':woman_getting_massage_medium-dark_skin_tone:': '💆 🏾 \u200d ♀ ️', ':woman_getting_massage_medium-light_skin_tone:': '💆 🏼 \u200d ♀ ️', ':woman_getting_massage_medium_skin_tone:': '💆 🏽 \u200d ♀ ️', ':woman_golfing:': '🏌 ️ \u200d ♀ ️', ':woman_golfing_dark_skin_tone:': '🏌 🏿 \u200d ♀ ️', ':woman_golfing_light_skin_tone:': '🏌 🏻 \u200d ♀ ️', ':woman_golfing_medium-dark_skin_tone:': '🏌 🏾 \u200d ♀ ️', ':woman_golfing_medium-light_skin_tone:': '🏌 🏼 \u200d ♀ ️', ':woman_golfing_medium_skin_tone:': '🏌 🏽 \u200d ♀ ️', ':woman_guard:': '💂 \u200d ♀ ️', ':woman_guard_dark_skin_tone:': '💂 🏿 \u200d ♀ ️', ':woman_guard_light_skin_tone:': '💂 🏻 \u200d ♀ ️', ':woman_guard_medium-dark_skin_tone:': '💂 🏾 \u200d ♀ ️', ':woman_guard_medium-light_skin_tone:': '💂 🏼 \u200d ♀ ️', ':woman_guard_medium_skin_tone:': '💂 🏽 \u200d ♀ ️', ':woman_health_worker:': '👩 \u200d ⚕ ️', ':woman_health_worker_dark_skin_tone:': '👩 🏿 \u200d ⚕ ️', ':woman_health_worker_light_skin_tone:': '👩 🏻 \u200d ⚕ ️', ':woman_health_worker_medium-dark_skin_tone:': '👩 🏾 \u200d ⚕ ️', ':woman_health_worker_medium-light_skin_tone:': '👩 🏼 \u200d ⚕ ️', ':woman_health_worker_medium_skin_tone:': '👩 🏽 \u200d ⚕ ️', ':woman_judge:': '👩 \u200d ⚖ ️', ':woman_judge_dark_skin_tone:': '👩 🏿 \u200d ⚖ ️', ':woman_judge_light_skin_tone:': '👩 🏻 \u200d ⚖ ️', ':woman_judge_medium-dark_skin_tone:': '👩 🏾 \u200d ⚖ ️', ':woman_judge_medium-light_skin_tone:': '👩 🏼 \u200d ⚖ ️', ':woman_judge_medium_skin_tone:': '👩 🏽 \u200d ⚖ ️', ':woman_juggling:': '🤹 \u200d ♀ ️', ':woman_juggling_dark_skin_tone:': '🤹 🏿 \u200d ♀ ️', ':woman_juggling_light_skin_tone:': '🤹 🏻 \u200d ♀ ️', ':woman_juggling_medium-dark_skin_tone:': '🤹 🏾 \u200d ♀ ️', ':woman_juggling_medium-light_skin_tone:': '🤹 🏼 \u200d ♀ ️', ':woman_juggling_medium_skin_tone:': '🤹 🏽 \u200d ♀ ️', ':woman_lifting_weights:': '🏋 ️ \u200d ♀ ️', ':woman_lifting_weights_dark_skin_tone:': '🏋 🏿 \u200d ♀ ️', ':woman_lifting_weights_light_skin_tone:': '🏋 🏻 \u200d ♀ ️', ':woman_lifting_weights_medium-dark_skin_tone:': '🏋 🏾 \u200d ♀ ️', ':woman_lifting_weights_medium-light_skin_tone:': '🏋 🏼 \u200d ♀ ️', ':woman_lifting_weights_medium_skin_tone:': '🏋 🏽 \u200d ♀ ️', ':woman_light_skin_tone:': '👩 🏻', ':woman_mechanic:': '👩 \u200d 🔧', ':woman_mechanic_dark_skin_tone:': '👩 🏿 \u200d 🔧', ':woman_mechanic_light_skin_tone:': '👩 🏻 \u200d 🔧', ':woman_mechanic_medium-dark_skin_tone:': '👩 🏾 \u200d 🔧', ':woman_mechanic_medium-light_skin_tone:': '👩 🏼 \u200d 🔧', ':woman_mechanic_medium_skin_tone:': '👩 🏽 \u200d 🔧', ':woman_medium-dark_skin_tone:': '👩 🏾', ':woman_medium-light_skin_tone:': '👩 🏼', ':woman_medium_skin_tone:': '👩 🏽', ':woman_mountain_biking:': '🚵 \u200d ♀ ️', ':woman_mountain_biking_dark_skin_tone:': '🚵 🏿 \u200d ♀ ️', ':woman_mountain_biking_light_skin_tone:': '🚵 🏻 \u200d ♀ ️', ':woman_mountain_biking_medium-dark_skin_tone:': '🚵 🏾 \u200d ♀ ️', ':woman_mountain_biking_medium-light_skin_tone:': '🚵 🏼 \u200d ♀ ️', ':woman_mountain_biking_medium_skin_tone:': '🚵 🏽 \u200d ♀ ️', ':woman_office_worker:': '👩 \u200d 💼', ':woman_office_worker_dark_skin_tone:': '👩 🏿 \u200d 💼', ':woman_office_worker_light_skin_tone:': '👩 🏻 \u200d 💼', ':woman_office_worker_medium-dark_skin_tone:': '👩 🏾 \u200d 💼', ':woman_office_worker_medium-light_skin_tone:': '👩 🏼 \u200d 💼', ':woman_office_worker_medium_skin_tone:': '👩 🏽 \u200d 💼', ':woman_pilot:': '👩 \u200d ✈ ️', ':woman_pilot_dark_skin_tone:': '👩 🏿 \u200d ✈ ️', ':woman_pilot_light_skin_tone:': '👩 🏻 \u200d ✈ ️', ':woman_pilot_medium-dark_skin_tone:': '👩 🏾 \u200d ✈ ️', ':woman_pilot_medium-light_skin_tone:': '👩 🏼 \u200d ✈ ️', ':woman_pilot_medium_skin_tone:': '👩 🏽 \u200d ✈ ️', ':woman_playing_handball:': '🤾 \u200d ♀ ️', ':woman_playing_handball_dark_skin_tone:': '🤾 🏿 \u200d ♀ ️', ':woman_playing_handball_light_skin_tone:': '🤾 🏻 \u200d ♀ ️', ':woman_playing_handball_medium-dark_skin_tone:': '🤾 🏾 \u200d ♀ ️', ':woman_playing_handball_medium-light_skin_tone:': '🤾 🏼 \u200d ♀ ️', ':woman_playing_handball_medium_skin_tone:': '🤾 🏽 \u200d ♀ ️', ':woman_playing_water_polo:': '🤽 \u200d ♀ ️', ':woman_playing_water_polo_dark_skin_tone:': '🤽 🏿 \u200d ♀ ️', ':woman_playing_water_polo_light_skin_tone:': '🤽 🏻 \u200d ♀ ️', ':woman_playing_water_polo_medium-dark_skin_tone:': '🤽 🏾 \u200d ♀ ️', ':woman_playing_water_polo_medium-light_skin_tone:': '🤽 🏼 \u200d ♀ ️', ':woman_playing_water_polo_medium_skin_tone:': '🤽 🏽 \u200d ♀ ️', ':woman_police_officer:': '👮 \u200d ♀ ️', ':woman_police_officer_dark_skin_tone:': '👮 🏿 \u200d ♀ ️', ':woman_police_officer_light_skin_tone:': '👮 🏻 \u200d ♀ ️', ':woman_police_officer_medium-dark_skin_tone:': '👮 🏾 \u200d ♀ ️', ':woman_police_officer_medium-light_skin_tone:': '👮 🏼 \u200d ♀ ️', ':woman_police_officer_medium_skin_tone:': '👮 🏽 \u200d ♀ ️', ':woman_pouting:': '🙎 \u200d ♀ ️', ':woman_pouting_dark_skin_tone:': '🙎 🏿 \u200d ♀ ️', ':woman_pouting_light_skin_tone:': '🙎 🏻 \u200d ♀ ️', ':woman_pouting_medium-dark_skin_tone:': '🙎 🏾 \u200d ♀ ️', ':woman_pouting_medium-light_skin_tone:': '🙎 🏼 \u200d ♀ ️', ':woman_pouting_medium_skin_tone:': '🙎 🏽 \u200d ♀ ️', ':woman_raising_hand:': '🙋 \u200d ♀ ️', ':woman_raising_hand_dark_skin_tone:': '🙋 🏿 \u200d ♀ ️', ':woman_raising_hand_light_skin_tone:': '🙋 🏻 \u200d ♀ ️', ':woman_raising_hand_medium-dark_skin_tone:': '🙋 🏾 \u200d ♀ ️', ':woman_raising_hand_medium-light_skin_tone:': '🙋 🏼 \u200d ♀ ️', ':woman_raising_hand_medium_skin_tone:': '🙋 🏽 \u200d ♀ ️', ':woman_rowing_boat:': '🚣 \u200d ♀ ️', ':woman_rowing_boat_dark_skin_tone:': '🚣 🏿 \u200d ♀ ️', ':woman_rowing_boat_light_skin_tone:': '🚣 🏻 \u200d ♀ ️', ':woman_rowing_boat_medium-dark_skin_tone:': '🚣 🏾 \u200d ♀ ️', ':woman_rowing_boat_medium-light_skin_tone:': '🚣 🏼 \u200d ♀ ️', ':woman_rowing_boat_medium_skin_tone:': '🚣 🏽 \u200d ♀ ️', ':woman_running:': '🏃 \u200d ♀ ️', ':woman_running_dark_skin_tone:': '🏃 🏿 \u200d ♀ ️', ':woman_running_light_skin_tone:': '🏃 🏻 \u200d ♀ ️', ':woman_running_medium-dark_skin_tone:': '🏃 🏾 \u200d ♀ ️', ':woman_running_medium-light_skin_tone:': '🏃 🏼 \u200d ♀ ️', ':woman_running_medium_skin_tone:': '🏃 🏽 \u200d ♀ ️', ':woman_scientist:': '👩 \u200d 🔬', ':woman_scientist_dark_skin_tone:': '👩 🏿 \u200d 🔬', ':woman_scientist_light_skin_tone:': '👩 🏻 \u200d 🔬', ':woman_scientist_medium-dark_skin_tone:': '👩 🏾 \u200d 🔬', ':woman_scientist_medium-light_skin_tone:': '👩 🏼 \u200d 🔬', ':woman_scientist_medium_skin_tone:': '👩 🏽 \u200d 🔬', ':woman_shrugging:': '🤷 \u200d ♀ ️', ':woman_shrugging_dark_skin_tone:': '🤷 🏿 \u200d ♀ ️', ':woman_shrugging_light_skin_tone:': '🤷 🏻 \u200d ♀ ️', ':woman_shrugging_medium-dark_skin_tone:': '🤷 🏾 \u200d ♀ ️', ':woman_shrugging_medium-light_skin_tone:': '🤷 🏼 \u200d ♀ ️', ':woman_shrugging_medium_skin_tone:': '🤷 🏽 \u200d ♀ ️', ':woman_singer:': '👩 \u200d 🎤', ':woman_singer_dark_skin_tone:': '👩 🏿 \u200d 🎤', ':woman_singer_light_skin_tone:': '👩 🏻 \u200d 🎤', ':woman_singer_medium-dark_skin_tone:': '👩 🏾 \u200d 🎤', ':woman_singer_medium-light_skin_tone:': '👩 🏼 \u200d 🎤', ':woman_singer_medium_skin_tone:': '👩 🏽 \u200d 🎤', ':woman_student:': '👩 \u200d 🎓', ':woman_student_dark_skin_tone:': '👩 🏿 \u200d 🎓', ':woman_student_light_skin_tone:': '👩 🏻 \u200d 🎓', ':woman_student_medium-dark_skin_tone:': '👩 🏾 \u200d 🎓', ':woman_student_medium-light_skin_tone:': '👩 🏼 \u200d 🎓', ':woman_student_medium_skin_tone:': '👩 🏽 \u200d 🎓', ':woman_surfing:': '🏄 \u200d ♀ ️', ':woman_surfing_dark_skin_tone:': '🏄 🏿 \u200d ♀ ️', ':woman_surfing_light_skin_tone:': '🏄 🏻 \u200d ♀ ️', ':woman_surfing_medium-dark_skin_tone:': '🏄 🏾 \u200d ♀ ️', ':woman_surfing_medium-light_skin_tone:': '🏄 🏼 \u200d ♀ ️', ':woman_surfing_medium_skin_tone:': '🏄 🏽 \u200d ♀ ️', ':woman_swimming:': '🏊 \u200d ♀ ️', ':woman_swimming_dark_skin_tone:': '🏊 🏿 \u200d ♀ ️', ':woman_swimming_light_skin_tone:': '🏊 🏻 \u200d ♀ ️', ':woman_swimming_medium-dark_skin_tone:': '🏊 🏾 \u200d ♀ ️', ':woman_swimming_medium-light_skin_tone:': '🏊 🏼 \u200d ♀ ️', ':woman_swimming_medium_skin_tone:': '🏊 🏽 \u200d ♀ ️', ':woman_teacher:': '👩 \u200d 🏫', ':woman_teacher_dark_skin_tone:': '👩 🏿 \u200d 🏫', ':woman_teacher_light_skin_tone:': '👩 🏻 \u200d 🏫', ':woman_teacher_medium-dark_skin_tone:': '👩 🏾 \u200d 🏫', ':woman_teacher_medium-light_skin_tone:': '👩 🏼 \u200d 🏫', ':woman_teacher_medium_skin_tone:': '👩 🏽 \u200d 🏫', ':woman_technologist:': '👩 \u200d 💻', ':woman_technologist_dark_skin_tone:': '👩 🏿 \u200d 💻', ':woman_technologist_light_skin_tone:': '👩 🏻 \u200d 💻', ':woman_technologist_medium-dark_skin_tone:': '👩 🏾 \u200d 💻', ':woman_technologist_medium-light_skin_tone:': '👩 🏼 \u200d 💻', ':woman_technologist_medium_skin_tone:': '👩 🏽 \u200d 💻', ':woman_tipping_hand:': '💁 \u200d ♀ ️', ':woman_tipping_hand_dark_skin_tone:': '💁 🏿 \u200d ♀ ️', ':woman_tipping_hand_light_skin_tone:': '💁 🏻 \u200d ♀ ️', ':woman_tipping_hand_medium-dark_skin_tone:': '💁 🏾 \u200d ♀ ️', ':woman_tipping_hand_medium-light_skin_tone:': '💁 🏼 \u200d ♀ ️', ':woman_tipping_hand_medium_skin_tone:': '💁 🏽 \u200d ♀ ️', ':woman_walking:': '🚶 \u200d ♀ ️', ':woman_walking_dark_skin_tone:': '🚶 🏿 \u200d ♀ ️', ':woman_walking_light_skin_tone:': '🚶 🏻 \u200d ♀ ️', ':woman_walking_medium-dark_skin_tone:': '🚶 🏾 \u200d ♀ ️', ':woman_walking_medium-light_skin_tone:': '🚶 🏼 \u200d ♀ ️', ':woman_walking_medium_skin_tone:': '🚶 🏽 \u200d ♀ ️', ':woman_wearing_turban:': '👳 \u200d ♀ ️', ':woman_wearing_turban_dark_skin_tone:': '👳 🏿 \u200d ♀ ️', ':woman_wearing_turban_light_skin_tone:': '👳 🏻 \u200d ♀ ️', ':woman_wearing_turban_medium-dark_skin_tone:': '👳 🏾 \u200d ♀ ️', ':woman_wearing_turban_medium-light_skin_tone:': '👳 🏼 \u200d ♀ ️', ':woman_wearing_turban_medium_skin_tone:': '👳 🏽 \u200d ♀ ️', ':woman’s_boot:': '👢', ':woman’s_clothes:': '👚', ':woman’s_hat:': '👒', ':woman’s_sandal:': '👡', ':women_with_bunny_ears_partying:': '👯 \u200d ♀ ️', ':women_wrestling:': '🤼 \u200d ♀ ️', ':women’s_room:': '🚺', ':world_map:': '🗺', ':worried_face:': '😟', ':wrapped_gift:': '🎁', ':wrench:': '🔧', ':writing_hand:': '✍', ':writing_hand_dark_skin_tone:': '✍ 🏿', ':writing_hand_light_skin_tone:': '✍ 🏻', ':writing_hand_medium-dark_skin_tone:': '✍ 🏾', ':writing_hand_medium-light_skin_tone:': '✍ 🏼', ':writing_hand_medium_skin_tone:': '✍ 🏽', ':yellow_heart:': '💛', ':yen_banknote:': '💴', ':yin_yang:': '☯', ':zipper-mouth_face:': '🤐', ':zzz:': '💤', ':Åland_Islands:': '🇦 🇽'}
Out[8]:
  Original Without Emotes
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot! #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot!
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot.. Shocking pare. Natrangkaso(covidConfusion na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot..
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? rolling_on_the_floor_laughingrolling_on_the_floor_laughing
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs? Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs?
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas? Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas?
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’? Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’?
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo! Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo!
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ} We need to review efficacy and safety data. This is a must. I’m raising a red flagtriangular_flag Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ}
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan. Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan.
11 Depopulation begins Depopulation begins
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are. @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are.
15 pfizer doesnt work also pfizer doesnt work also
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke... based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke...
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin. the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin.
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize! I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize!
19 take note, pfizer says it "prevents" Covid....when it doesnt. take note, pfizer says it "prevents" Covid....when it doesnt.
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.} @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.}
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)} @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryOSÈ ON JUNE 23, 2022 • (1 COMMENTConfusion}
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)} @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryOSÈ ON JUNE 26, 2022 • (12 COMMENTSConfusion}
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore! I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore!
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.Confusion na rin ang namatay sa so-called bakuna @MARoxas
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na.. Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit face_with_tears_of_joy My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na..
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/t.co/YF11zal8HR
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.thumbs_upthumbs_upthumbs_upthumbs_up
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB" Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB"
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection. @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection.
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster. Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster.
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged. Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged.
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna. Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna.
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why???? This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why????
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon?
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES! Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES!
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka. Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka.
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/youtu.be/KdwrToss3dQ via @YouTube
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito. Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatayConfusion. Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito.
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free? But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free?
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣 Eh bat tumataas ang bilang ng covid casesrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughing di epektib ang galing sa Chinarolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughing
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan. Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan.
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!! na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!!
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz. Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz.
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA. TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA.
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years. They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years.
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita? Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita?
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan. Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan.
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila.. May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila..
64 PFIZER a KILLER drug PFIZER a KILLER drug
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them! How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryERIMENTAL BIOLIGICAL AGENT. NO VAX for them!
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people
68 It's easy to see that More vaccination = more variant It's easy to see that More vaccination = more variant
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 face_with_tears_of_joy. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din face_with_tears_of_joy
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang. Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 pensive_face nakakalungkot lang.
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19.
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan. @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan.
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon?
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan. Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan.
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h… Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h…
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan! @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan!
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya. @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya.
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet… lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet…
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin. @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin.
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid
86 Walang kwenta yung vaccine mas lalo pa dumami covid Walang kwenta yung vaccine mas lalo pa dumami covid
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants. Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants.
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality: Expectation: Getting Covid Vaccines will spare you from hospitalization and death. RealityEmbarrassed_or_blushing
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases? If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UKConfusion having the highest covid cases?
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19. Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19.
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media! Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media!
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible. Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible.
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!! “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!!
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush? Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush?
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo. hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo.
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta. putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta.
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS. Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS.
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE! Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE!
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations. Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations.
101 China vaccine kills! China vaccine kills!
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news? Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news?
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK. 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK.
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang. Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang.
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto. Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto.
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ. MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ.
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng. Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng.
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan! Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan!
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!! The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUESkeptical_annoyed_undecided_uneasy_or_hesitantA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!!
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to wala naman talagang epekto yung vaccine person_shrugging kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna.
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice” Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice”
117 VACCINES are UNSAFE!!! VACCINES are UNSAFE!!!
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer PEOPLE WAKE UP, These vaccines are poisons! #Pfizer
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan. Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan.
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL. Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL.
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA. Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA.
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo! Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo!
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid. Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid.
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ... Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ...
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe? DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe?
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna.
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason. Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason.
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp. Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp.
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna persevering_face
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped! Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped!
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news! Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news!
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor! Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor!
145 Stop vax. Moderna vax causes liver disease. You shld know it. Stop vax. Moderna vax causes liver disease. You shld know it.
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more! You twist facts! 1Confusion it is not a vaccine. It is an experimental biological agent! 2Confusion top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more!
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order! Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order!
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID! Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID!
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo??? Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo???
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine???? Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine????
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo??? Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo???
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't? I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't?
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE

Translating Tagalog to English¶

In [9]:
import nltk
nltk.download('punkt')
nltk.download('stopwords')
nltk.download('wordnet')

!pip install googletrans==3.1.0a0
[nltk_data] Downloading package punkt to /root/nltk_data...
[nltk_data]   Unzipping tokenizers/punkt.zip.
[nltk_data] Downloading package stopwords to /root/nltk_data...
[nltk_data]   Unzipping corpora/stopwords.zip.
[nltk_data] Downloading package wordnet to /root/nltk_data...
Collecting googletrans==3.1.0a0
  Downloading googletrans-3.1.0a0.tar.gz (19 kB)
  Preparing metadata (setup.py) ... done
Collecting httpx==0.13.3 (from googletrans==3.1.0a0)
  Downloading httpx-0.13.3-py3-none-any.whl (55 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 55.1/55.1 kB 5.8 MB/s eta 0:00:00
Requirement already satisfied: certifi in /usr/local/lib/python3.10/dist-packages (from httpx==0.13.3->googletrans==3.1.0a0) (2023.5.7)
Collecting hstspreload (from httpx==0.13.3->googletrans==3.1.0a0)
  Downloading hstspreload-2023.1.1-py3-none-any.whl (1.5 MB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 1.5/1.5 MB 57.0 MB/s eta 0:00:00
Requirement already satisfied: sniffio in /usr/local/lib/python3.10/dist-packages (from httpx==0.13.3->googletrans==3.1.0a0) (1.3.0)
Collecting chardet==3.* (from httpx==0.13.3->googletrans==3.1.0a0)
  Downloading chardet-3.0.4-py2.py3-none-any.whl (133 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 133.4/133.4 kB 14.9 MB/s eta 0:00:00
Collecting idna==2.* (from httpx==0.13.3->googletrans==3.1.0a0)
  Downloading idna-2.10-py2.py3-none-any.whl (58 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 58.8/58.8 kB 6.0 MB/s eta 0:00:00
Collecting rfc3986<2,>=1.3 (from httpx==0.13.3->googletrans==3.1.0a0)
  Downloading rfc3986-1.5.0-py2.py3-none-any.whl (31 kB)
Collecting httpcore==0.9.* (from httpx==0.13.3->googletrans==3.1.0a0)
  Downloading httpcore-0.9.1-py3-none-any.whl (42 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 42.6/42.6 kB 4.3 MB/s eta 0:00:00
Collecting h11<0.10,>=0.8 (from httpcore==0.9.*->httpx==0.13.3->googletrans==3.1.0a0)
  Downloading h11-0.9.0-py2.py3-none-any.whl (53 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 53.6/53.6 kB 5.9 MB/s eta 0:00:00
Collecting h2==3.* (from httpcore==0.9.*->httpx==0.13.3->googletrans==3.1.0a0)
  Downloading h2-3.2.0-py2.py3-none-any.whl (65 kB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 65.0/65.0 kB 6.5 MB/s eta 0:00:00
Collecting hyperframe<6,>=5.2.0 (from h2==3.*->httpcore==0.9.*->httpx==0.13.3->googletrans==3.1.0a0)
  Downloading hyperframe-5.2.0-py2.py3-none-any.whl (12 kB)
Collecting hpack<4,>=3.0 (from h2==3.*->httpcore==0.9.*->httpx==0.13.3->googletrans==3.1.0a0)
  Downloading hpack-3.0.0-py2.py3-none-any.whl (38 kB)
Building wheels for collected packages: googletrans
  Building wheel for googletrans (setup.py) ... done
  Created wheel for googletrans: filename=googletrans-3.1.0a0-py3-none-any.whl size=16352 sha256=626e39749a516beaf51102d6563311cd123a5882c22627238c932b50e1c92b09
  Stored in directory: /root/.cache/pip/wheels/50/5d/3c/8477d0af4ca2b8b1308812c09f1930863caeebc762fe265a95
Successfully built googletrans
Installing collected packages: rfc3986, hyperframe, hpack, h11, chardet, idna, hstspreload, h2, httpcore, httpx, googletrans
  Attempting uninstall: chardet
    Found existing installation: chardet 4.0.0
    Uninstalling chardet-4.0.0:
      Successfully uninstalled chardet-4.0.0
  Attempting uninstall: idna
    Found existing installation: idna 3.4
    Uninstalling idna-3.4:
      Successfully uninstalled idna-3.4
Successfully installed chardet-3.0.4 googletrans-3.1.0a0 h11-0.9.0 h2-3.2.0 hpack-3.0.0 hstspreload-2023.1.1 httpcore-0.9.1 httpx-0.13.3 hyperframe-5.2.0 idna-2.10 rfc3986-1.5.0
In [10]:
# Removing stopwords might be tedious for multilingual texts
from nltk.corpus import stopwords
from nltk.tokenize import word_tokenize

# CHEAP SOLUTION: translate texts to English (this is not 100% accurate)
from googletrans import Translator

# translate to English
translator = Translator()
texts_en = [t.text for t in translator.translate(texts, src='tl', dest='en')]

df_en = pd.DataFrame({'Original': texts_raw, 'English': texts_en})
df_en.style.set_properties(**{'text-align': 'left'})
Out[10]:
  Original English
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot! #DuterteTraydor Dead Filipinos due to the inefficiency of their vaccine, will even more die from the theft of our natural resources. Then your son will run with no achievements other than stepping on the sheriff. Let your plague family go back to where you came from!
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot.. Shocking dude. I have the flu (covidConfusion, why do I still need a vaccine? What about covid 20, 21, 22? They say it can't be done if you have an allergy. I got it when I took medicine..
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac Just a question, why do all vaccines go through WHO's covax facility first before being brought to the country that has the order? for the WHO to make sure that vaccines are ok right? but as for sinovac straight to the country without going through the covax facility, that's why those useless people say that sinovac is effective
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣 the countries where the vaccine is Pfizer and Moderna and Astra? Well, if it's the same in the Philippines, there is no issue if you don't say it but if the efficacy rate of your vaccine is 50.4, and many cases of COVID have died after being vaccinated with Sinovac, who else wants to be vaccinated? rolling_on_the_floor_laughingrolling_on_the_floor_laughing
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs? Oh yes, let's wait for the vaccine from China who tested the vaccine on doctors who had COVID and then the side effect was that the skin turned black due to the vaccine being too strong. Also, aren't they experimenting with treatment with lung transplant? Question. Where exactly did they get the lungs?
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas? Why is there doubt about the vaccine from China? China is a communist country and vaccine efficacy testing is not transparent. It was tested in Peru and discontinued due to neurological side effects. Why should we use it if it is not safe yet?
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’? Who did you cheat? We know that your BFF wants to buy a vaccine. The vaccine that stopped the 3rd phase of the trial due to possible neurological side effects. Putek. How did you become a doctor?
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo! That's it! I haven't seen anything about the case of a sinovac study page. Then their trial in Brazil was halted because their vaccine had a neurological side effect. Juskupo!
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to the problem is that it is not yet proven and the long term effects may be really dangerous. we're all still hanging by a thread but at least there's now a thread to hold on to
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ} We need to review efficacy and safety data. This is a must. I'm raising a red flagtriangular_flag The vaccine against COVID-19 by Sinovac and Clover Biopharmaceuticals--both from China, passed the Vaccine Expert Panel technical review. FULL STORY: httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ}
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan. The FDA does not want to admit that the vaccine triggered their deaths. They also don't want to inform the people that they can't treat the complications after the vaccination so the victims died, that's why they only wait 30 minutes after vaccination. It's just like Dengvaxia.
11 Depopulation begins Depopulation begins
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun Thank you Gov. We don't want people from China. It is said that the works there are not considered to be good
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs Despite the surge in COVID cases in China because of the ineffectiveness of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travelers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are. @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are.
15 pfizer doesnt work also pfizer doesn't work either
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke... based on what science?? vax does not prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke...
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin. the vaccine didn't get any prizes, causes harmful side effects and doesn't even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you. thats way scarier than ivermectin.
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize! I don't understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse! What kind of science do we have now? Ivermectin won a Nobel prize!
19 take note, pfizer says it "prevents" Covid....when it doesnt. take note, pfizer says it "prevents" Covid....when it doesn't.
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.} @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threatening Clot or Emboli that can kill the Child.}
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)} @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalized with COVID 19 BY THE ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryOSÈ ON JUNE 23, 2022 • (1 COMMENTConfusion}
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)} @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryOSÈ ON JUNE 26, 2022 • (12 COMMENTSConfusion}
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore! I'd like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be waxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore!
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas Mother, have mercy on your children. Stop the vax. Maddie de Garay was a victim of Pfizer and suffered a neurological disorder and paralysis. Millions have no money to treat side effects - thousands (45,000 in the U.S. Confusion has also died from the so-called vaccine @MARoxas
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na.. That's why Doc stopped the counting in the cities OF counting OF vaxx and unvaxx cases because it appears that more mdming fully vaxx who got sick face_with_tears_of_joy Is my hiding? Don't want to know the truth??? Or the promise to be protected when vaccinated is wrong..
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy @piacayetano Mam, you have my twitter account, maybe you see it in other countries. Many people died and got sick because of the vaccine, should we do the same to our countrymen? The Pfizer data released their efficacy of 12% for 2weeks then after 1% efficacy
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR Dr. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist calls for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/t.co/YF11zal8HR
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍 @DOHgovph Stupid, that's not a vaccine, the covid-19 injection is a bioweapon/poison and can kill. Digong's name is Berus.thumbs_upthumbs_upthumbs_upthumbs_up
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB" Like what PFIZER ,MODERNA,ASTRAZENECA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAV"
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news fake news, intimidation again the truth rally is over china because of covid restriction and now china no more scanning qr code.. and the death rate that is increasing now is because of the vaccine and not what you said omnicron which is fake news
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection. @rowena_guanzon and @COMELEC Vax doesn't prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vaccines don't prevent transmission and infection.
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna Dude it's time to stop being ignorant. It's time to speak out against poison, pesticides, covid vaccines
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster. It's bad in China, their vaccine is poor quality, and the cases of COVID are increasing there, be careful. #Magpabooster.
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, are part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged. Protection? Why are the vaccinated still infected and are they still infected? Show statistics of vacc and unvacc among the newly infected and those who died. Clean stats not rigged.
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna. So called Journalists are better, you report the children who died from the Covid 19 experimental vaccine.
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why???? This is so true! If the vaccine is effective, why do so many die after being vaccinated, not from covid but from the deadly side effects of the vaccine! This is the truth that the media does not report and tries to hide. Why????
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph It's like this. Those who have been vaccinated with the deadly sinovac can no longer take the pfizer, moderna, or aztra zeneca vaccines that have 95.5% safety and efficacy. The one who was given sinovac died from the side effects because that is not effective against covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto The group's appeal is to stop wearing facemasks, lockdown and vaccination against COVID-19 because there is no such thing as COVID-19. | via @jhomer_apresto
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? Today's issue @DrTonyLeachon why now that my vaccine is bt my covid is more? Why do you say that even if I get infected with my vaccine, it's not bad, why are there people who have been critically stabbed with covid and there are people who are dead the next day. My covids are almost my vaccine now?
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 China's vaccine is 50% alive, 50% dead Cop who got 1st Sinovac dose dies of COVID-19 httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine The worst thing is that the vaccine that is being bought is not effective against Covid-19. It seems like the budget is wasted, doesn't it? As far as I know, Sinovac is more expensive than Pfizer. But Sinovac is not effective httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ BECAUSE CHINA'S VACCINE IS USELESS The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES! No matter what you say. It's from the CDC. Some people have died from COVID 19 Vaccines! No matter what your excuse is. It's nonsense what you say COVID 19 vaccine saves LIVES!
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka. Use the billions of billions of money you owe for COVID-19. SINOVAC and AtraZeneca, both worthless. Where will you use the billions of money if not for the lives of the people of the Philippines. Before you say you didn't leave the Filipinos. You are lazy.
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID Khat me vaccinate me is still sick Kya should stop The vaccine should be a vaccine for fever What they use is not for COVID
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube Fully Vaccinated but covid-19 is the cause of death......I then asked, what does the covid-19 vaccine actually cause? THIS IS THE SICKNESS OF FIDEL RAMOS, so he is PASSED httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/youtu.be/KdwrToss3dQ via @YouTube
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito. Why are they in such a hurry? Is there a quota being chased? Because in truth, even three doses of the Covid vaccine are still ineffective (some people have even been disabled and died Confusion. It's free, it's still forced on people. It's openly forced. Because if it's not forced, no one will fool them.
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free? But even vaccinated people get infected, infect others, get critically ill or die from CoVid. 3 shots don't work. How does that protect the vaccine-free?
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation Why? If both vaccinated & unvaccinated get infected & spread infection, what's the point of requiring vaccine cards? Especially if vaccinated people are hospitalized and dying of Covid? #masspsychosis #MassPsychosisFormation
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣 Well, the number of covid casesrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughing is not effective from Chinarolling_on_the_floor_laughingrolling_on_the_floor_laughingrolling_on_the_floor_laughing
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc It should be the first last quarter of 2020. More people would have been vaccinated because it is cheaper and more effective against covid than Sinovac whose kickvacc is bigger
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan. A friend of mine is angry about the vaccine because a week after being vaccinated with the 2nd dose of Sinovac, the "side-effects" are said to be chills, joints & muscle pain, loss of sense of smell and taste and dry cough. I said, those are not side effects, those are SYMPTOMS OF COVID.
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!! is that the hospital? said @DOHgovph when it's sinovac, you can't be hospitalized and die of covid. if it dies, it really means that sinovac is not effective. sinovac more!!!
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz. The VACCINE being taught seems to be ineffective. Because my covid virus is increasing. To us in the Philippines. Or should investigate the number of people who have the covid virus. Those who have covid virus use ANTIBIOTICS for cough. To get rid of viruses.
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine Mr. President and Czar Vaccine : Where is the Covid Vaccine? SinoVac is not effective! #AsanAngCovidVaccine. We should make it a trend. #AsanAngCovidVaccine
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA. END THE COVID PANDEMIC WITH PG PAPAIN WITH ALL THE ANTIBITIC COUGHS TO GET THE VIRUS DISAPPEARED IF ANY. IT'S JUST A FRAUD CASE DOH MAFIA WHO IS THE VIRUZ SO THAT WE CAN GET VACCINATED AND DIE FROM THE VACCINES.
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years. They made a virus that is not true that there is NO CURE for it. And now they have a vaccine that kills people that after two years. When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kill people after two years.
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19 That's why the vaccine from China is free because the efficacy is only 50/50. Cop who got 1st Sinovac dose dies of COVID-19
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita? The Pinoy Healthcare Workers who were injected with Sinovac are probably nervous because they believed the propaganda that the best vaccine is what's available chuchu. Well, it's not effective, it's also deadly. Said to buy as Western made. D30 Admin is stubborn. Sinocomita?
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan. This government is slowly killing us with the reckless implementation of useless lockdown, quarantine and health protocols. Add to this the deadly covid-19 vaccine because it is practiced on humans.
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor There is also an anti-vaxxer in UP Manila? 'The COVID-19 vaccine is not effective - doctor
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila.. Sinas has covid.. even though he is one of those who may have been vaccinated with the smuggled vaccine last Oct. There are only 2 points.. the Chinese made vaccine is not really effective or they are just liars..
64 PFIZER a KILLER drug PFIZER is a KILLER drug
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the Philippines
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them! How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryERIMENTAL BIOLIGICAL AGENT. NO VAX for them!
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people Collapsed suddenly? Pity. The side effects of the vaccine are real, you won't realize it, it's all of a sudden. Rest in peace Jovit. Now it's time to talk about the side effects of the COVID vaccines that have been forced on people
68 It's easy to see that More vaccination = more variant It's easy to see that More vaccination = more variants
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂 No effect that experimental vaccine poison!. I got natural immunity because I recovered immediately from covid. I got test my antibodies the result 15000 face_with_tears_of_joy. Even next to me is the one who is sick with my covid immune. Your vax is still wearing face_with_tears_of_joy
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang. I thought it was safe to get vaccinated, but it's not. My friend got a vaccine to secure his safety, then he got more covid-19 pensive_face it's just sad.
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao You die people, you stubborn DOH forced to vaccinate people with the covid 19 vaccine that killed thousands of people because it was poison that caused various diseases to people
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. The group's appeal is to stop wearing facemasks, lockdown and vaccination against COVID-19 because there is no such thing as COVID-19.
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan. @ABSCBNNews Vaccine against Covid? Or will the vaccine sink especially in the Philippines? China made, we are dead there.
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA @TiyongGo @Audrey39602141 @MacLen315 FIRST, PFIZER WANTS YOU TO VACCINE! AND BECAUSE MANY DIE FROM PFIZER, EVEN YOU DON'T WANT TO! HE HAD INJECTED THAT MADE IN CHINA VACCINE! WHEN WILL YOU INJECT PFIZER? IN YOUR ASS TOO GAY! JUST DON'T ENTER JAN, MED BY PFIZER SO YOU DON'T HAVE COVID YOU ARE STILL DEAD
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? @k_aletha The question Now @DrTonyLeachon why now that my vaccine is more than my covid? Why do you say that even if I get infected with my vaccine, it's not bad, why are there people who have been critically stabbed with covid and there are people who are dead the next day. My covids are almost my vaccine now?
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha @youngjellybean_ We didn't die from Covid, we died from an Overdose rather than a Vaccine hahahaha
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan. Me: The vaccine is still scheduled. Sil Tita was even vaccinated when she left. Papa: The vaccine was crushed, someone died before he finished the 2nd dose, they immediately charged him with COVID. M: Maybe the vaccine is more deadly than the COVID, but the vaccinated are not dead.
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h… I don't have a skit because of the vx effect-@Irwin Zuproc. SAFE, EFFECTIVE BUT GIRLS DIE FROM VACCINE m.facebook.com/groups/6279911… said DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h…
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna @ABSCBNNews @ANCALERTS Don't vaccinate anymore and that vaccine is poison
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan! @hiram_ryu VP Leni, never trust the vaccine they give you; that must be poisonous!
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya. @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn't lie again about their so called vaccine? FUNNY. All of them are fake, they can't do clothes properly, even vaccines.
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina @JDzxl There is a very high possibility that they deliberately caused COVID 19, of course they also have the ability to fake their vaccine and PPEs. #LayasChina
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet… Everything here in China is fake. I know someone here who injected sinovac in case he got sick with covid. why is your vaccine invalid? twitter.com/inquirerdotnet…
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin. @Doc4Dead Why focus on covid, you guys, should focus on getting rid of the foreigners who pushed the vaccine, which is pointless, all we want is control.
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid @News5PH full vaccine has covid. D the vaccine is useless. there will be k. It's covid
86 Walang kwenta yung vaccine mas lalo pa dumami covid The vaccine is useless the more covid increases
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants. Actually the opposite. Unvaccinated needs to be protected from the vaccinated. You are the carrier of the variants.
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality: Expectation: Getting Covid Vaccines will save you from hospitalization and death. RealityEmbarrassed_or_blushing
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases? If covid vaccines really work then why do the top vaccinated countries (Israel, singapore, UK Confusion having the highest covid cases?
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19. Twitter test 1,2,3. Vaccines and masking don't work to stop covid 19.
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media! Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov't & the mainstream media!
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible. Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects are possible.
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!! "OFW who has been vaccinated with the Covid-19 vaccine, tested positive for the disease in Mandaue City." So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV'T ESP THOSE WHO AUTHORED THE VACCINE!!!
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush? Sinovac is expensive, but only 50% effective? Why is this government insisting on an expensive vaccine that is not very effective to prevent COVID 19? Is it the percentage that pushes?
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo. you can't achieve herd immunity if you only inject sinovac because that's not effective. you are punyetahs.
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta. that sinovac mother whore. someone is hospitalized and still dying of covid even though they have completed sinovac which is still being pushed. It's already banned in other countries because it's garbage. @DOHgovph loves garbage. you are garbage daughter-in-law
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot Why are you so afraid of COVID that you will be caught and killed? Why are you afraid of birds and the vaccine will kill you and you will die when you leave the house because you were stabbed or you are dead? What did the vaccine do?
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS. SINOVAC is like that. Why would you inject that if it is ineffective. The long term side effects of that vaccine are not yet known. We have a crazy President who bought a more expensive vaccine, but the people know it's a mistake. Inject that into all DDSs.
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE! If you expect someone to die from covid 19 vaccines. What is the use of your information on dengvaxia? Both vaccines. Both are reported to have died! And that's from the CDC! Not a CONSPIRACY WEBSITE!
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations. Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google the latest findings. Hopefully, that will be your last order! By the way, most of our vaccines are donations.
101 China vaccine kills! China vaccine kills!
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon The vaccine never prevented COVID, It is meant to weaken your immune system to kill you, have you noticed, your body has changed? Because it is a Bioweapon
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news? Who will determine what is fake news? It's like a vaccine, they say it's safe and effective but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news?
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2 The 12 active cases, are they fully vaxxed and boosted? So what's the point of getting vaccinated if you will get covid? Is it to prevent severe cases? The same is the result of early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK. 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been done. Do we lower our standards at the expense of our health just to get this treatment? Biden, Fauci even Bourla got covid even after their 5th shot? RETHINK.
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang. Scared again. Comparisons with omicron c19. Who does c19 hit?Both vax unvax. Who is hospitalized with Covid? Both vax unvax. Who dies in C19?Both vax unvax. Who can get sick and die from the vaccine? Sadly, just vaxxed.
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa The IATF widens the divide in PHL society. Here are some questions: a. Who gets infected with Covid .. Both vaxxed and unvaxxed. b. Who dies of Covid? Both waxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...there is more
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto. Who gets adverse effects due to experimental treatment? Sadly, only the vaxxed. Don't think about it.
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ. MG AMOXICILLINE 500 mg and CARBOSISTINE CAPSULS ARE THE ONLY MEDICINE AGAINST THE COVID VIRUZ THAT IS MY PROTECTION AGAINST THE COVID VIRUZ HE WAS ALREADY SMOKING BEFORE. KYSA ON VACCINES THAT SHOULD BE USED. THAT THOSE WHO ARE INJECTED WILL ALSO DIE. OF VACCINES. AGAINST VIRUSES.
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng. The government just cheated us on the price and even borrowed on the price of vaccines that have no effect on that covid virus. They just pocket the money that we all pay. So return the GANG to those who stole from the government like that, just borrow.
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan! It should be! Find out or let us know the true EFFECTS of Covid Vaccines!!! The number of deaths in Europe and other countries is not because of Covid19 but because of that Vaccine pest! And give justice to the lost!
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!! The #Pandemic was faked!!! Admit it! More Killed/Starved/Tortured and Killed by the Vaccine and the Lockdown by those Mother Whores Departmen of HELL! WHY DON'T YOU REPORT WHAT IS REALLY HAPPENING? CLUESkeptical_annoyed_undecided_uneasy_or_hesitatingA EUROPE AND OTHER WESTERN COUNTRIES A NUMBER OF DEAD...DYOR!!!
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to the vaccine really has no effect person_shrugging even if you are vaccinated you will still be positive for covid. but he didn't say not to get the vaccine. They are too narrow minded
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. Mr Joey, those vaccines have bad effects in the long run. Why don't you listen to those who say it's not good for the body? There are many data and stories of vaccine injuries that the mainstream media tries to suppress. COVID and vaccines are made by the elites.
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong that mindset, wow! that's the result of too many toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice” Dear DOH, I hope you are also aware of vaccine injuries that cause blot clots, develop auto immune diseases, and even death. I hope you will respect if other people don't want to have injections, it shouldn't be forced, it's "my body my choice"
117 VACCINES are UNSAFE!!! VACCINES are UNSAFE!!!
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer PEOPLE WAKE UP, These vaccines are poisons! #Pfizer
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan. Dear ELITES, is it cheating please? it's the vaccine that destroys the body, not the COVID. And the mainstream media, stop fueling those ELITEs, thank you. the truth will come out.
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL. CARLITO GALVES wants to wait until DECEMBER to get the papa vaccine. Which has no effect on the covid virus. ANTIBIOTIC protection against cough is good. Cheap yet effective to use like AMOXICILLINE 500mg and together with CARBOSISTINE CAPSUL.
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 China's vaccine is 50% alive, 50% dead Cop who got 1st Sinovac dose dies of COVID-19 httpsSkeptical_annoyed_undecided_uneasy_or_hesitant/newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus When resisted, there is a different way to answer, You Are The Problem, yellow liberals, You Are Even Worse With The Covid Virus Because You Are Poisoning The Thoughts Of The Filipinos Regarding China's Sinovac Vaccine, You Are Not Helping To Suppress The Pandemic Virus
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA. Waste of ASTRAZENECA and waste of public money on sinovac worthless vaccine. He is worth the price so he can make money, and china is his friend. He has no use for the people if you get covid again because he was vaccinated with a vaccine made in CHINA.
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ BECAUSE CHINA'S VACCINE IS USELESS The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo! Only Covid, What is your Delta? season 3? your vaccine is useless!
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid. Every day, his only litany is that vaccines are useless because covid is still contagious.
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ... You also said that there are many variants of covid ... So even if you have the vaccine ... you are still not safe ... You can get another variant ... So I am even though I am fully vaccinated ... Just keep going I'm wearing a face mask and face shield...
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube VACCINE AGAINST COVID NOT SAFE FOR THOSE WHO ARE DISEASE? WHAT IS THIS? WATCH - DR ... youtu.be/j8hcNe8sUW0 via @YouTube
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe? DOH why are you corrupt?? Your doctor is like a drug dealer if you recommend a vaccine. Covid vaccine is not safe and it has not been tested if it can stop the virus. Still getting sick after being vaccinated and you say it's safe?
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA It's safe from covid, he died of exhaustion because he couldn't take the vaccine AHSHSHASHA
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. Those vaccines have bad effects in the long run. Why don't you listen to those who say it's not good for the body? There are many data and stories of vaccine injuries that the mainstream media tries to suppress. COVID and vaccines are made by the elites.
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason. Like the COVID-19 brouhaha until now there is no isolated and purified specimen, and the facemask and lockdown are health hazards, the vaccine is poison.
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo Mr. President BBM I hope the vaccine will be stopped because many people are getting sick and dying from that poison. I'm one of those who got half of my body paralyzed because of the vaccine. And the current carriers of Covid are vaccinated people Mr. President... I hope you investigate
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp. Oh GOD I'm afraid of this, it's so ineffective with vaccines now.. Delta is much deadlier kind of variant the news orgs are catching up again. of the Philippines hmm.
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin what kind of vaccine do you have? It's not effective for me
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan Here we have two neighbors vaccinated but the virus was also killed so that vaccine is not effective
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣 I like that they force people to get vaccinated because they can't travel or go out without a vaccine. I watched the news and died because of the vaccine persevering_face
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo Stop vaccination! There are so many vaccine deaths and vaccine injuries in the Philippines! In America, confirmed more than 45,000 died from the 2nd dose of the vaccine and 948,000 were paralyzed, brain disease, heart disease, menstrual disorder, infant death, tinnitus, etc! @lenirobredo
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped! No data is released re vax injuries and vax deaths! The info is intentionally suppressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped!
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, ​​vaers data. It is genocide, Mr. Abalos! @MMDA
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda @DickGordonDG @DOHgovph is lying! In the US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, ​​and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news! Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your new org is that good and reliable in bringing out true news!
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor! Stop your idiocy. Even vaccinated gets covid & dies. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it is ETongue_sticking_out_cheeky_playful_or_blowing_a_raspberryERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor!
145 Stop vax. Moderna vax causes liver disease. You shld know it. Stop vax. Modern vaccine causes liver disease. You should know it.
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more! You twist facts! 1 Confusion it is not a vaccine. It is an experimental biological agent! 2Confusion top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax deaths & more!
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order! Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In Germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order!
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID! Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax does not prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID!
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo??? Please ask why they don't want to stop the Vax mandate if experts in other countries say it is not good for health. If they are for people, why not stop? In Filipino? Let people die as long as they are still sitting???
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine???? Why did they agree to the mandatory vaccine pea for the public kng in other countries This is not allowed what is their basis that the vaccine kng abroad is safe Many people die here? Why do I need my waiver because the covid vaccine is not dangerous????
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo??? I hope you can ask everyone who is running, the experts say stop the vaccine, but here you still want it even if it is bad for your health. Why We need to vote for you if you don't stop the vaccine. When are we for the Filipinos???
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't? I hope social media platforms won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't?
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE All those so called criminals are thieves, murderers, kidnappers and carnappers. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM THE VACCINE MANDATE

Tokenization, Removal of Stop Words, and Lowercasing¶

Lowercasing¶

In [11]:
import string

# convert to lowercase
texts = [t.lower() for t in texts_en]

# remove punctuation
texts = [t.translate(str.maketrans('', '', string.punctuation)) for t in texts]

df_cleaned = pd.DataFrame({'Original': texts_raw, 'Cleaned': texts})
df_cleaned.style.set_properties(**{'text-align': 'left'})
Out[11]:
  Original Cleaned
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot! dutertetraydor dead filipinos due to the inefficiency of their vaccine will even more die from the theft of our natural resources then your son will run with no achievements other than stepping on the sheriff let your plague family go back to where you came from
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot.. shocking dude i have the flu covidconfusion why do i still need a vaccine what about covid 20 21 22 they say it cant be done if you have an allergy i got it when i took medicine
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac just a question why do all vaccines go through whos covax facility first before being brought to the country that has the order for the who to make sure that vaccines are ok right but as for sinovac straight to the country without going through the covax facility thats why those useless people say that sinovac is effective
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣 the countries where the vaccine is pfizer and moderna and astra well if its the same in the philippines there is no issue if you dont say it but if the efficacy rate of your vaccine is 504 and many cases of covid have died after being vaccinated with sinovac who else wants to be vaccinated rollingonthefloorlaughingrollingonthefloorlaughing
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs? oh yes lets wait for the vaccine from china who tested the vaccine on doctors who had covid and then the side effect was that the skin turned black due to the vaccine being too strong also arent they experimenting with treatment with lung transplant question where exactly did they get the lungs
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas? why is there doubt about the vaccine from china china is a communist country and vaccine efficacy testing is not transparent it was tested in peru and discontinued due to neurological side effects why should we use it if it is not safe yet
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’? who did you cheat we know that your bff wants to buy a vaccine the vaccine that stopped the 3rd phase of the trial due to possible neurological side effects putek how did you become a doctor
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo! thats it i havent seen anything about the case of a sinovac study page then their trial in brazil was halted because their vaccine had a neurological side effect juskupo
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to the problem is that it is not yet proven and the long term effects may be really dangerous were all still hanging by a thread but at least theres now a thread to hold on to
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ} we need to review efficacy and safety data this is a must im raising a red flagtriangularflag the vaccine against covid19 by sinovac and clover biopharmaceuticalsboth from china passed the vaccine expert panel technical review full story httpsskepticalannoyedundecideduneasyorhesitantbitly3guyzso news5digital first covid19 vaccine in the philippines could come from china galvez
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan. the fda does not want to admit that the vaccine triggered their deaths they also dont want to inform the people that they cant treat the complications after the vaccination so the victims died thats why they only wait 30 minutes after vaccination its just like dengvaxia
11 Depopulation begins depopulation begins
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun thank you gov we dont want people from china it is said that the works there are not considered to be good
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs despite the surge in covid cases in china because of the ineffectiveness of their sinovac vaccine our stupid govt will still not put down strict quarantine for incoming travelers from china well increased infection in ph will allow them to earn a lot from vac orders like dutsduqs
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are. dohgovph this govt does not plan to publish vaccines received by those with covid breakthrough infection because it will show how useless sinovac vaccines are
15 pfizer doesnt work also pfizer doesnt work either
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke... based on what science vax does not prevent covid will the govt and pfizer be liable if your kids are injured no so why give it to a child im really wonderingno joke
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin. the vaccine didnt get any prizes causes harmful side effects and doesnt even stop you from getting covid worse the vax makers disclaim any liability meaning you cant sue them if something happens to you thats way scarier than ivermectin
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize! i dont understand why some staff and friends both vaccinated and unvaccinated who took ivermectin never got serious coughs and long covid while some who were double vaccinated with boosters even got it worse what kind of science do we have now ivermectin won a nobel prize
19 take note, pfizer says it "prevents" Covid....when it doesnt. take note pfizer says it prevents covidwhen it doesnt
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.} drtonyleachon and dohgovph my warning to hospitals do not transfuse the blood of mrna vaccinated person blood to children especially if vaccinated within 30 days it causes unnecessary activation of the clotting factors and can cause a lifethreatening clot or emboli that can kill the child
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)} foxnews world health organization study concludes risk of suffering serious injury due to covid vaccination is 339 higher than risk of being hospitalized with covid 19 by the etonguestickingoutcheekyplayfulorblowingaraspberryosè on june 23 2022 • 1 commentconfusion
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)} tvpatrol official documents suggest monkeypox is a coverup for damage done to immune system by covid vaccination resulting in shingles autoimmune blistering disease herpes infection by the etonguestickingoutcheekyplayfulorblowingaraspberryosè on june 26 2022 • 12 commentsconfusion
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore! id like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends employees got covid anyway some much worse than those who refused to be waxed it seems unfair in the usa hardly anyone asks for these requirements anymore
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas mother have mercy on your children stop the vax maddie de garay was a victim of pfizer and suffered a neurological disorder and paralysis millions have no money to treat side effects thousands 45000 in the us confusion has also died from the socalled vaccine maroxas
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na.. thats why doc stopped the counting in the cities of counting of vaxx and unvaxx cases because it appears that more mdming fully vaxx who got sick facewithtearsofjoy is my hiding dont want to know the truth or the promise to be protected when vaccinated is wrong
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy piacayetano mam you have my twitter account maybe you see it in other countries many people died and got sick because of the vaccine should we do the same to our countrymen the pfizer data released their efficacy of 12 for 2weeks then after 1 efficacy
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR dr robert malone inventor of mrna worlds top vaccinologist scientist calls for a halt to coercive forced vax mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects sofiatomacruz maracepeda mariaressa httpsskepticalannoyedundecideduneasyorhesitanttcoyf11zal8hr
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍 dohgovph stupid thats not a vaccine the covid19 injection is a bioweaponpoison and can kill digongs name is berusthumbsupthumbsupthumbsupthumbsup
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB" like what pfizer modernaastrazeneca is doing to people it is having everyone by killing them it is not safe for human what it should be called is killer drugs stop mandating stop jav
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news fake news intimidation again the truth rally is over china because of covid restriction and now china no more scanning qr code and the death rate that is increasing now is because of the vaccine and not what you said omnicron which is fake news
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection. rowenaguanzon and comelec vax doesnt prevent infection vaccinated can still get covid diedelta or omicron variant the immune people fr covid r those who got sick fr it its one done worlds top medical doctor peter mccollough said therefore vaccines dont prevent transmission and infection
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna dude its time to stop being ignorant its time to speak out against poison pesticides covid vaccines
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster. its bad in china their vaccine is poor quality and the cases of covid are increasing there be careful magpabooster
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet who stop your foolish fake news many vaccinated have already from covid there are more than 45000 vaccine deaths and 935000 vaccine injuries that you who are part of these crimes of genocide stop fooling humanity rapplerdotcom unchrss inquirerdotnet
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged. protection why are the vaccinated still infected and are they still infected show statistics of vacc and unvacc among the newly infected and those who died clean stats not rigged
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna. so called journalists are better you report the children who died from the covid 19 experimental vaccine
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why???? this is so true if the vaccine is effective why do so many die after being vaccinated not from covid but from the deadly side effects of the vaccine this is the truth that the media does not report and tries to hide why
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph its like this those who have been vaccinated with the deadly sinovac can no longer take the pfizer moderna or aztra zeneca vaccines that have 955 safety and efficacy the one who was given sinovac died from the side effects because that is not effective against covid 19 limbertqc lenirobredo risahontiveros dohgovph
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto the groups appeal is to stop wearing facemasks lockdown and vaccination against covid19 because there is no such thing as covid19 via jhomerapresto
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? todays issue drtonyleachon why now that my vaccine is bt my covid is more why do you say that even if i get infected with my vaccine its not bad why are there people who have been critically stabbed with covid and there are people who are dead the next day my covids are almost my vaccine now
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 chinas vaccine is 50 alive 50 dead cop who got 1st sinovac dose dies of covid19 httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine the worst thing is that the vaccine that is being bought is not effective against covid19 it seems like the budget is wasted doesnt it as far as i know sinovac is more expensive than pfizer but sinovac is not effective httpsskepticalannoyedundecideduneasyorhesitanttheguardiancomworld2021jun28indonesiancoviddeathsaddtoquestionsoversinovacvaccine
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ because chinas vaccine is useless the persian gulf island nation of bahrain battling a sharp resurgence of covid19 despite high levels of inoculation with a chinesemade vaccine has started giving booster shots using the pfizer shot httpsskepticalannoyedundecideduneasyorhesitantwsjcomarticlesbahrainfacingacovidsurgestartsgivingpfizerboosterstorecipientsofchinesevaccine11622648737reflinkdesktopwebsharetwitter via wsj
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES! no matter what you say its from the cdc some people have died from covid 19 vaccines no matter what your excuse is its nonsense what you say covid 19 vaccine saves lives
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka. use the billions of billions of money you owe for covid19 sinovac and atrazeneca both worthless where will you use the billions of money if not for the lives of the people of the philippines before you say you didnt leave the filipinos you are lazy
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID khat me vaccinate me is still sick kya should stop the vaccine should be a vaccine for fever what they use is not for covid
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube fully vaccinated but covid19 is the cause of deathi then asked what does the covid19 vaccine actually cause this is the sickness of fidel ramos so he is passed httpsskepticalannoyedundecideduneasyorhesitantyoutubekdwrtoss3dq via youtube
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito. why are they in such a hurry is there a quota being chased because in truth even three doses of the covid vaccine are still ineffective some people have even been disabled and died confusion its free its still forced on people its openly forced because if its not forced no one will fool them
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free? but even vaccinated people get infected infect others get critically ill or die from covid 3 shots dont work how does that protect the vaccinefree
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation why if both vaccinated unvaccinated get infected spread infection whats the point of requiring vaccine cards especially if vaccinated people are hospitalized and dying of covid masspsychosis masspsychosisformation
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣 well the number of covid casesrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing is not effective from chinarollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc it should be the first last quarter of 2020 more people would have been vaccinated because it is cheaper and more effective against covid than sinovac whose kickvacc is bigger
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan. a friend of mine is angry about the vaccine because a week after being vaccinated with the 2nd dose of sinovac the sideeffects are said to be chills joints muscle pain loss of sense of smell and taste and dry cough i said those are not side effects those are symptoms of covid
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!! is that the hospital said dohgovph when its sinovac you cant be hospitalized and die of covid if it dies it really means that sinovac is not effective sinovac more
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz. the vaccine being taught seems to be ineffective because my covid virus is increasing to us in the philippines or should investigate the number of people who have the covid virus those who have covid virus use antibiotics for cough to get rid of viruses
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine mr president and czar vaccine where is the covid vaccine sinovac is not effective asanangcovidvaccine we should make it a trend asanangcovidvaccine
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA. end the covid pandemic with pg papain with all the antibitic coughs to get the virus disappeared if any its just a fraud case doh mafia who is the viruz so that we can get vaccinated and die from the vaccines
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years. they made a virus that is not true that there is no cure for it and now they have a vaccine that kills people that after two years when you take the vaccines that they have created so better take antibiotic medicines for cough that the vaccines that kill people after two years
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19 thats why the vaccine from china is free because the efficacy is only 5050 cop who got 1st sinovac dose dies of covid19
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita? the pinoy healthcare workers who were injected with sinovac are probably nervous because they believed the propaganda that the best vaccine is whats available chuchu well its not effective its also deadly said to buy as western made d30 admin is stubborn sinocomita
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan. this government is slowly killing us with the reckless implementation of useless lockdown quarantine and health protocols add to this the deadly covid19 vaccine because it is practiced on humans
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor there is also an antivaxxer in up manila the covid19 vaccine is not effective doctor
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila.. sinas has covid even though he is one of those who may have been vaccinated with the smuggled vaccine last oct there are only 2 points the chinese made vaccine is not really effective or they are just liars
64 PFIZER a KILLER drug pfizer is a killer drug
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines doh we dare you to show the numbers of the vaccinated people dying hospitalized disabled versus the unvaccinated doh never ashamed to be a drug dealer of the philippines
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them! how many are vaccinated with covid in europe israel singapore more more vaccinated people are infected with covid stop spreading fallacies natural immunity esp w those who recovered fr covid is 27 times stronger than any etonguestickingoutcheekyplayfulorblowingaraspberryerimental bioligical agent no vax for them
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people collapsed suddenly pity the side effects of the vaccine are real you wont realize it its all of a sudden rest in peace jovit now its time to talk about the side effects of the covid vaccines that have been forced on people
68 It's easy to see that More vaccination = more variant its easy to see that more vaccination more variants
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂 no effect that experimental vaccine poison i got natural immunity because i recovered immediately from covid i got test my antibodies the result 15000 facewithtearsofjoy even next to me is the one who is sick with my covid immune your vax is still wearing facewithtearsofjoy
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang. i thought it was safe to get vaccinated but its not my friend got a vaccine to secure his safety then he got more covid19 pensiveface its just sad
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao you die people you stubborn doh forced to vaccinate people with the covid 19 vaccine that killed thousands of people because it was poison that caused various diseases to people
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. the groups appeal is to stop wearing facemasks lockdown and vaccination against covid19 because there is no such thing as covid19
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan. abscbnnews vaccine against covid or will the vaccine sink especially in the philippines china made we are dead there
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA tiyonggo audrey39602141 maclen315 first pfizer wants you to vaccine and because many die from pfizer even you dont want to he had injected that made in china vaccine when will you inject pfizer in your ass too gay just dont enter jan med by pfizer so you dont have covid you are still dead
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? kaletha the question now drtonyleachon why now that my vaccine is more than my covid why do you say that even if i get infected with my vaccine its not bad why are there people who have been critically stabbed with covid and there are people who are dead the next day my covids are almost my vaccine now
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha youngjellybean we didnt die from covid we died from an overdose rather than a vaccine hahahaha
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan. me the vaccine is still scheduled sil tita was even vaccinated when she left papa the vaccine was crushed someone died before he finished the 2nd dose they immediately charged him with covid m maybe the vaccine is more deadly than the covid but the vaccinated are not dead
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h… i dont have a skit because of the vx effectirwin zuproc safe effective but girls die from vaccine mfacebookcomgroups6279911… said doh sec duque pao chief acostas stunt 160th dengvaxia victim dies manilastandardnetmobilearticle… no to forced covid vxn changeorgpphilippineh…
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna abscbnnews ancalerts dont vaccinate anymore and that vaccine is poison
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan! hiramryu vp leni never trust the vaccine they give you that must be poisonous
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya. inquirerdotnet djesguerrainq china were asked about covid19 when it was starting out but they lied what makes you think that they wouldnt lie again about their so called vaccine funny all of them are fake they cant do clothes properly even vaccines
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina jdzxl there is a very high possibility that they deliberately caused covid 19 of course they also have the ability to fake their vaccine and ppes layaschina
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet… everything here in china is fake i know someone here who injected sinovac in case he got sick with covid why is your vaccine invalid twittercominquirerdotnet…
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin. doc4dead why focus on covid you guys should focus on getting rid of the foreigners who pushed the vaccine which is pointless all we want is control
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid news5ph full vaccine has covid d the vaccine is useless there will be k its covid
86 Walang kwenta yung vaccine mas lalo pa dumami covid the vaccine is useless the more covid increases
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants. actually the opposite unvaccinated needs to be protected from the vaccinated you are the carrier of the variants
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality: expectation getting covid vaccines will save you from hospitalization and death realityembarrassedorblushing
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases? if covid vaccines really work then why do the top vaccinated countries israel singapore uk confusion having the highest covid cases
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19. twitter test 123 vaccines and masking dont work to stop covid 19
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media! vaccinated 100 times more likely to die from covid19 vaccine experts study finds who are being censored by govt the mainstream media
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible. proof that the vaccine is inefficient to fight the virus worst it will lead to death because any covid vaccine is lethal accdg from the true experts being censored careful observation must be done to all those already vaccinated since highly adverse effects are possible
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!! ofw who has been vaccinated with the covid19 vaccine tested positive for the disease in mandaue city so why be vaccinated if it defeats the purpose this is a big question that must answered by the govt esp those who authored the vaccine
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush? sinovac is expensive but only 50 effective why is this government insisting on an expensive vaccine that is not very effective to prevent covid 19 is it the percentage that pushes
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo. you cant achieve herd immunity if you only inject sinovac because thats not effective you are punyetahs
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta. that sinovac mother whore someone is hospitalized and still dying of covid even though they have completed sinovac which is still being pushed its already banned in other countries because its garbage dohgovph loves garbage you are garbage daughterinlaw
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot why are you so afraid of covid that you will be caught and killed why are you afraid of birds and the vaccine will kill you and you will die when you leave the house because you were stabbed or you are dead what did the vaccine do
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS. sinovac is like that why would you inject that if it is ineffective the long term side effects of that vaccine are not yet known we have a crazy president who bought a more expensive vaccine but the people know its a mistake inject that into all ddss
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE! if you expect someone to die from covid 19 vaccines what is the use of your information on dengvaxia both vaccines both are reported to have died and thats from the cdc not a conspiracy website
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations. sinovac is not an effective vaccine the chinese manufacturers even suggest to mix it with other available vaccines out there google the latest findings hopefully that will be your last order by the way most of our vaccines are donations
101 China vaccine kills! china vaccine kills
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon the vaccine never prevented covid it is meant to weaken your immune system to kill you have you noticed your body has changed because it is a bioweapon
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news? who will determine what is fake news its like a vaccine they say its safe and effective but its not joe biden got covid twice even 2x vaxxed and twice boosted been proven the vaccinated can also spread and die of the diseaseso who is spreading fake news
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2 the 12 active cases are they fully vaxxed and boosted so whats the point of getting vaccinated if you will get covid is it to prevent severe cases the same is the result of early treatment of ivm plus vitamins minerals to boost immunity thereby avoiding 12
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK. 22 hospitalization it is stipulated in ra11525 that these vaccines are experimental and no long term studies have been done do we lower our standards at the expense of our health just to get this treatment biden fauci even bourla got covid even after their 5th shot rethink
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang. scared again comparisons with omicron c19 who does c19 hitboth vax unvax who is hospitalized with covid both vax unvax who dies in c19both vax unvax who can get sick and die from the vaccine sadly just vaxxed
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa the iatf widens the divide in phl society here are some questions a who gets infected with covid both vaxxed and unvaxxed b who dies of covid both waxed and unvaxxed c who gets hospitalized of covid both vaxxed and unvaxxedthere is more
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto. who gets adverse effects due to experimental treatment sadly only the vaxxed dont think about it
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ. mg amoxicilline 500 mg and carbosistine capsuls are the only medicine against the covid viruz that is my protection against the covid viruz he was already smoking before kysa on vaccines that should be used that those who are injected will also die of vaccines against viruses
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng. the government just cheated us on the price and even borrowed on the price of vaccines that have no effect on that covid virus they just pocket the money that we all pay so return the gang to those who stole from the government like that just borrow
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan! it should be find out or let us know the true effects of covid vaccines the number of deaths in europe and other countries is not because of covid19 but because of that vaccine pest and give justice to the lost
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!! the pandemic was faked admit it more killedstarvedtortured and killed by the vaccine and the lockdown by those mother whores departmen of hell why dont you report what is really happening clueskepticalannoyedundecideduneasyorhesitatinga europe and other western countries a number of deaddyor
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to the vaccine really has no effect personshrugging even if you are vaccinated you will still be positive for covid but he didnt say not to get the vaccine they are too narrow minded
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. mr joey those vaccines have bad effects in the long run why dont you listen to those who say its not good for the body there are many data and stories of vaccine injuries that the mainstream media tries to suppress covid and vaccines are made by the elites
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong that mindset wow thats the result of too many toxins in the body caused by vaccines promulgated by fauci and gates know the truth doc know the truth evilcannotstayhereonearthforlong
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice” dear doh i hope you are also aware of vaccine injuries that cause blot clots develop auto immune diseases and even death i hope you will respect if other people dont want to have injections it shouldnt be forced its my body my choice
117 VACCINES are UNSAFE!!! vaccines are unsafe
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer people wake up these vaccines are poisons pfizer
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan. dear elites is it cheating please its the vaccine that destroys the body not the covid and the mainstream media stop fueling those elites thank you the truth will come out
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL. carlito galves wants to wait until december to get the papa vaccine which has no effect on the covid virus antibiotic protection against cough is good cheap yet effective to use like amoxicilline 500mg and together with carbosistine capsul
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 chinas vaccine is 50 alive 50 dead cop who got 1st sinovac dose dies of covid19 httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus when resisted there is a different way to answer you are the problem yellow liberals you are even worse with the covid virus because you are poisoning the thoughts of the filipinos regarding chinas sinovac vaccine you are not helping to suppress the pandemic virus
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA. waste of astrazeneca and waste of public money on sinovac worthless vaccine he is worth the price so he can make money and china is his friend he has no use for the people if you get covid again because he was vaccinated with a vaccine made in china
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ because chinas vaccine is useless the persian gulf island nation of bahrain battling a sharp resurgence of covid19 despite high levels of inoculation with a chinesemade vaccine has started giving booster shots using the pfizer shot wsjcomarticlesbahra… via wsj
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo! only covid what is your delta season 3 your vaccine is useless
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid. every day his only litany is that vaccines are useless because covid is still contagious
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ... you also said that there are many variants of covid so even if you have the vaccine you are still not safe you can get another variant so i am even though i am fully vaccinated just keep going im wearing a face mask and face shield
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube vaccine against covid not safe for those who are disease what is this watch dr youtubej8hcne8suw0 via youtube
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe? doh why are you corrupt your doctor is like a drug dealer if you recommend a vaccine covid vaccine is not safe and it has not been tested if it can stop the virus still getting sick after being vaccinated and you say its safe
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA its safe from covid he died of exhaustion because he couldnt take the vaccine ahshshasha
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. those vaccines have bad effects in the long run why dont you listen to those who say its not good for the body there are many data and stories of vaccine injuries that the mainstream media tries to suppress covid and vaccines are made by the elites
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason. like the covid19 brouhaha until now there is no isolated and purified specimen and the facemask and lockdown are health hazards the vaccine is poison
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo mr president bbm i hope the vaccine will be stopped because many people are getting sick and dying from that poison im one of those who got half of my body paralyzed because of the vaccine and the current carriers of covid are vaccinated people mr president i hope you investigate
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp. oh god im afraid of this its so ineffective with vaccines now delta is much deadlier kind of variant the news orgs are catching up again of the philippines hmm
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin what kind of vaccine do you have its not effective for me
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan here we have two neighbors vaccinated but the virus was also killed so that vaccine is not effective
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣 i like that they force people to get vaccinated because they cant travel or go out without a vaccine i watched the news and died because of the vaccine perseveringface
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo stop vaccination there are so many vaccine deaths and vaccine injuries in the philippines in america confirmed more than 45000 died from the 2nd dose of the vaccine and 948000 were paralyzed brain disease heart disease menstrual disorder infant death tinnitus etc lenirobredo
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU kill your cops dohgovph vax is too useless vs delta omicron it is plain lethal injection thru its deadly side effects as reflected by usvaers data that runs to more than 18000 vaccine deaths in the us alone more thn 2 million serious vax injuries eg paralysis in eu
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped! no data is released re vax injuries and vax deaths the info is intentionally suppressed sofiatomacruz better investigate it in us more than 18000 vax deaths more than 3 million vax injuries in eu vax threshold is 138 deaths if it hits it vax must be stopped
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA you are killing people some 19000 vax deaths and 932000 vax injuries per us cdc fda ​​vaers data it is genocide mr abalos mmda
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda dickgordondg dohgovph is lying in the us there are 19000 vax deaths in ph dohgovph cover up is real investigate these and thousands more cases sofiatomacruz expose doh fda ​​and many hospitals in vax deaths and vax injuries cases inquirerdotnet maracepeda
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news! stop vax it is killing people why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries i thought your new org is that good and reliable in bringing out true news
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor! stop your idiocy even vaccinated gets covid dies do you know that there are more than 45000 vax deaths 948000 vaccine injuries read cdcfdavaers reports your vaccines are not even vaccines all if it is etonguestickingoutcheekyplayfulorblowingaraspberryerimental biological agents stop misinformation be a doctor
145 Stop vax. Moderna vax causes liver disease. You shld know it. stop vax modern vaccine causes liver disease you should know it
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more! you twist facts 1 confusion it is not a vaccine it is an experimental biological agent 2confusion top vaccinologists claim these fake vaccines dont prevent infection based on scientific studies it does not work 100 its safety is even questioned re uscdc report 45000 vax deaths more
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order! every politician is in panic mode now weaponizing fear to advance the delusional concept of covid prevention thru vax now even proven a failure in germany 95 infected r vaccinated in pgh 60 covid cases r vaccinated mmda is despotic with its current illegal order
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID! your mom shld promote dr peter mccollough early treatment protocols to stop covid vax does not prevent delta omicron infections your mom cn reach dr peter mccollough fr texas he is too popular can be reached thru us senate us sen ron johnson steve bannon stop covid
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo??? please ask why they dont want to stop the vax mandate if experts in other countries say it is not good for health if they are for people why not stop in filipino let people die as long as they are still sitting
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine???? why did they agree to the mandatory vaccine pea for the public kng in other countries this is not allowed what is their basis that the vaccine kng abroad is safe many people die here why do i need my waiver because the covid vaccine is not dangerous
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo??? i hope you can ask everyone who is running the experts say stop the vaccine but here you still want it even if it is bad for your health why we need to vote for you if you dont stop the vaccine when are we for the filipinos
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't? i hope social media platforms wont be biased we are all affected by vax mandate and it clearly shows that it is not safe and effective as they want us all to believe why would you guys suspend ordinary citizens accnt why not the govt
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER bill gates pfizer astra moderna ceos need to answer to the people all the lives they took they need to pay for it dont let them get away with murder
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE all those so called criminals are thieves murderers kidnappers and carnappers what is the difference now between them and our politician whom we voted and entrusted our country in they should be held liable for every death from the vaccine mandate

Tokenization and Removal of Stop Words¶

In [12]:
texts_tok = []
for text in texts:
    # tokenize the text into words
    words = word_tokenize(text)

    # remove stopwords
    filtered_words = [word for word in words if word.lower() not in stopwords.words('english')]

    # convert back into sentence
    filtered_sentence = ' '.join(filtered_words)
    texts_tok.append(filtered_sentence)

df_filt = pd.DataFrame({'Original': texts_raw, 'Tokenized': texts_tok})
df_filt.style.set_properties(**{'text-align': 'left'})
Out[12]:
  Original Tokenized
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot! dutertetraydor dead filipinos due inefficiency vaccine even die theft natural resources son run achievements stepping sheriff let plague family go back came
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot.. shocking dude flu covidconfusion still need vaccine covid 20 21 22 say cant done allergy got took medicine
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac question vaccines go whos covax facility first brought country order make sure vaccines ok right sinovac straight country without going covax facility thats useless people say sinovac effective
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣 countries vaccine pfizer moderna astra well philippines issue dont say efficacy rate vaccine 504 many cases covid died vaccinated sinovac else wants vaccinated rollingonthefloorlaughingrollingonthefloorlaughing
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs? oh yes lets wait vaccine china tested vaccine doctors covid side effect skin turned black due vaccine strong also arent experimenting treatment lung transplant question exactly get lungs
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas? doubt vaccine china china communist country vaccine efficacy testing transparent tested peru discontinued due neurological side effects use safe yet
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’? cheat know bff wants buy vaccine vaccine stopped 3rd phase trial due possible neurological side effects putek become doctor
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo! thats havent seen anything case sinovac study page trial brazil halted vaccine neurological side effect juskupo
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to problem yet proven long term effects may really dangerous still hanging thread least theres thread hold
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ} need review efficacy safety data must im raising red flagtriangularflag vaccine covid19 sinovac clover biopharmaceuticalsboth china passed vaccine expert panel technical review full story httpsskepticalannoyedundecideduneasyorhesitantbitly3guyzso news5digital first covid19 vaccine philippines could come china galvez
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan. fda want admit vaccine triggered deaths also dont want inform people cant treat complications vaccination victims died thats wait 30 minutes vaccination like dengvaxia
11 Depopulation begins depopulation begins
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun thank gov dont want people china said works considered good
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs despite surge covid cases china ineffectiveness sinovac vaccine stupid govt still put strict quarantine incoming travelers china well increased infection ph allow earn lot vac orders like dutsduqs
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are. dohgovph govt plan publish vaccines received covid breakthrough infection show useless sinovac vaccines
15 pfizer doesnt work also pfizer doesnt work either
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke... based science vax prevent covid govt pfizer liable kids injured give child im really wonderingno joke
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin. vaccine didnt get prizes causes harmful side effects doesnt even stop getting covid worse vax makers disclaim liability meaning cant sue something happens thats way scarier ivermectin
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize! dont understand staff friends vaccinated unvaccinated took ivermectin never got serious coughs long covid double vaccinated boosters even got worse kind science ivermectin nobel prize
19 take note, pfizer says it "prevents" Covid....when it doesnt. take note pfizer says prevents covidwhen doesnt
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.} drtonyleachon dohgovph warning hospitals transfuse blood mrna vaccinated person blood children especially vaccinated within 30 days causes unnecessary activation clotting factors cause lifethreatening clot emboli kill child
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)} foxnews world health organization study concludes risk suffering serious injury due covid vaccination 339 higher risk hospitalized covid 19 etonguestickingoutcheekyplayfulorblowingaraspberryosè june 23 2022 • 1 commentconfusion
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)} tvpatrol official documents suggest monkeypox coverup damage done immune system covid vaccination resulting shingles autoimmune blistering disease herpes infection etonguestickingoutcheekyplayfulorblowingaraspberryosè june 26 2022 • 12 commentsconfusion
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore! id like understand vaccine cards still required establishments majority vaccinated friends employees got covid anyway much worse refused waxed seems unfair usa hardly anyone asks requirements anymore
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas mother mercy children stop vax maddie de garay victim pfizer suffered neurological disorder paralysis millions money treat side effects thousands 45000 us confusion also died socalled vaccine maroxas
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na.. thats doc stopped counting cities counting vaxx unvaxx cases appears mdming fully vaxx got sick facewithtearsofjoy hiding dont want know truth promise protected vaccinated wrong
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy piacayetano mam twitter account maybe see countries many people died got sick vaccine countrymen pfizer data released efficacy 12 2weeks 1 efficacy
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR dr robert malone inventor mrna worlds top vaccinologist scientist calls halt coercive forced vax mass vax cause deadly mutations covid virus plus vaccines deadly side effects sofiatomacruz maracepeda mariaressa httpsskepticalannoyedundecideduneasyorhesitanttcoyf11zal8hr
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍 dohgovph stupid thats vaccine covid19 injection bioweaponpoison kill digongs name berusthumbsupthumbsupthumbsupthumbsup
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB" like pfizer modernaastrazeneca people everyone killing safe human called killer drugs stop mandating stop jav
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news fake news intimidation truth rally china covid restriction china scanning qr code death rate increasing vaccine said omnicron fake news
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection. rowenaguanzon comelec vax doesnt prevent infection vaccinated still get covid diedelta omicron variant immune people fr covid r got sick fr one done worlds top medical doctor peter mccollough said therefore vaccines dont prevent transmission infection
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna dude time stop ignorant time speak poison pesticides covid vaccines
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster. bad china vaccine poor quality cases covid increasing careful magpabooster
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet stop foolish fake news many vaccinated already covid 45000 vaccine deaths 935000 vaccine injuries part crimes genocide stop fooling humanity rapplerdotcom unchrss inquirerdotnet
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged. protection vaccinated still infected still infected show statistics vacc unvacc among newly infected died clean stats rigged
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna. called journalists better report children died covid 19 experimental vaccine
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why???? true vaccine effective many die vaccinated covid deadly side effects vaccine truth media report tries hide
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph like vaccinated deadly sinovac longer take pfizer moderna aztra zeneca vaccines 955 safety efficacy one given sinovac died side effects effective covid 19 limbertqc lenirobredo risahontiveros dohgovph
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto groups appeal stop wearing facemasks lockdown vaccination covid19 thing covid19 via jhomerapresto
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? todays issue drtonyleachon vaccine bt covid say even get infected vaccine bad people critically stabbed covid people dead next day covids almost vaccine
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 chinas vaccine 50 alive 50 dead cop got 1st sinovac dose dies covid19 httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine worst thing vaccine bought effective covid19 seems like budget wasted doesnt far know sinovac expensive pfizer sinovac effective httpsskepticalannoyedundecideduneasyorhesitanttheguardiancomworld2021jun28indonesiancoviddeathsaddtoquestionsoversinovacvaccine
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ chinas vaccine useless persian gulf island nation bahrain battling sharp resurgence covid19 despite high levels inoculation chinesemade vaccine started giving booster shots using pfizer shot httpsskepticalannoyedundecideduneasyorhesitantwsjcomarticlesbahrainfacingacovidsurgestartsgivingpfizerboosterstorecipientsofchinesevaccine11622648737reflinkdesktopwebsharetwitter via wsj
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES! matter say cdc people died covid 19 vaccines matter excuse nonsense say covid 19 vaccine saves lives
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka. use billions billions money owe covid19 sinovac atrazeneca worthless use billions money lives people philippines say didnt leave filipinos lazy
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID khat vaccinate still sick kya stop vaccine vaccine fever use covid
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube fully vaccinated covid19 cause deathi asked covid19 vaccine actually cause sickness fidel ramos passed httpsskepticalannoyedundecideduneasyorhesitantyoutubekdwrtoss3dq via youtube
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito. hurry quota chased truth even three doses covid vaccine still ineffective people even disabled died confusion free still forced people openly forced forced one fool
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free? even vaccinated people get infected infect others get critically ill die covid 3 shots dont work protect vaccinefree
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation vaccinated unvaccinated get infected spread infection whats point requiring vaccine cards especially vaccinated people hospitalized dying covid masspsychosis masspsychosisformation
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣 well number covid casesrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing effective chinarollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc first last quarter 2020 people would vaccinated cheaper effective covid sinovac whose kickvacc bigger
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan. friend mine angry vaccine week vaccinated 2nd dose sinovac sideeffects said chills joints muscle pain loss sense smell taste dry cough said side effects symptoms covid
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!! hospital said dohgovph sinovac cant hospitalized die covid dies really means sinovac effective sinovac
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz. vaccine taught seems ineffective covid virus increasing us philippines investigate number people covid virus covid virus use antibiotics cough get rid viruses
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine mr president czar vaccine covid vaccine sinovac effective asanangcovidvaccine make trend asanangcovidvaccine
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA. end covid pandemic pg papain antibitic coughs get virus disappeared fraud case doh mafia viruz get vaccinated die vaccines
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years. made virus true cure vaccine kills people two years take vaccines created better take antibiotic medicines cough vaccines kill people two years
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19 thats vaccine china free efficacy 5050 cop got 1st sinovac dose dies covid19
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita? pinoy healthcare workers injected sinovac probably nervous believed propaganda best vaccine whats available chuchu well effective also deadly said buy western made d30 admin stubborn sinocomita
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan. government slowly killing us reckless implementation useless lockdown quarantine health protocols add deadly covid19 vaccine practiced humans
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor also antivaxxer manila covid19 vaccine effective doctor
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila.. sinas covid even though one may vaccinated smuggled vaccine last oct 2 points chinese made vaccine really effective liars
64 PFIZER a KILLER drug pfizer killer drug
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines doh dare show numbers vaccinated people dying hospitalized disabled versus unvaccinated doh never ashamed drug dealer philippines
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them! many vaccinated covid europe israel singapore vaccinated people infected covid stop spreading fallacies natural immunity esp w recovered fr covid 27 times stronger etonguestickingoutcheekyplayfulorblowingaraspberryerimental bioligical agent vax
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people collapsed suddenly pity side effects vaccine real wont realize sudden rest peace jovit time talk side effects covid vaccines forced people
68 It's easy to see that More vaccination = more variant easy see vaccination variants
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂 effect experimental vaccine poison got natural immunity recovered immediately covid got test antibodies result 15000 facewithtearsofjoy even next one sick covid immune vax still wearing facewithtearsofjoy
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang. thought safe get vaccinated friend got vaccine secure safety got covid19 pensiveface sad
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao die people stubborn doh forced vaccinate people covid 19 vaccine killed thousands people poison caused various diseases people
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. groups appeal stop wearing facemasks lockdown vaccination covid19 thing covid19
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan. abscbnnews vaccine covid vaccine sink especially philippines china made dead
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA tiyonggo audrey39602141 maclen315 first pfizer wants vaccine many die pfizer even dont want injected made china vaccine inject pfizer ass gay dont enter jan med pfizer dont covid still dead
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? kaletha question drtonyleachon vaccine covid say even get infected vaccine bad people critically stabbed covid people dead next day covids almost vaccine
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha youngjellybean didnt die covid died overdose rather vaccine hahahaha
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan. vaccine still scheduled sil tita even vaccinated left papa vaccine crushed someone died finished 2nd dose immediately charged covid maybe vaccine deadly covid vaccinated dead
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h… dont skit vx effectirwin zuproc safe effective girls die vaccine mfacebookcomgroups6279911… said doh sec duque pao chief acostas stunt 160th dengvaxia victim dies manilastandardnetmobilearticle… forced covid vxn changeorgpphilippineh…
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna abscbnnews ancalerts dont vaccinate anymore vaccine poison
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan! hiramryu vp leni never trust vaccine give must poisonous
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya. inquirerdotnet djesguerrainq china asked covid19 starting lied makes think wouldnt lie called vaccine funny fake cant clothes properly even vaccines
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina jdzxl high possibility deliberately caused covid 19 course also ability fake vaccine ppes layaschina
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet… everything china fake know someone injected sinovac case got sick covid vaccine invalid twittercominquirerdotnet…
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin. doc4dead focus covid guys focus getting rid foreigners pushed vaccine pointless want control
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid news5ph full vaccine covid vaccine useless k covid
86 Walang kwenta yung vaccine mas lalo pa dumami covid vaccine useless covid increases
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants. actually opposite unvaccinated needs protected vaccinated carrier variants
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality: expectation getting covid vaccines save hospitalization death realityembarrassedorblushing
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases? covid vaccines really work top vaccinated countries israel singapore uk confusion highest covid cases
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19. twitter test 123 vaccines masking dont work stop covid 19
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media! vaccinated 100 times likely die covid19 vaccine experts study finds censored govt mainstream media
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible. proof vaccine inefficient fight virus worst lead death covid vaccine lethal accdg true experts censored careful observation must done already vaccinated since highly adverse effects possible
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!! ofw vaccinated covid19 vaccine tested positive disease mandaue city vaccinated defeats purpose big question must answered govt esp authored vaccine
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush? sinovac expensive 50 effective government insisting expensive vaccine effective prevent covid 19 percentage pushes
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo. cant achieve herd immunity inject sinovac thats effective punyetahs
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta. sinovac mother whore someone hospitalized still dying covid even though completed sinovac still pushed already banned countries garbage dohgovph loves garbage garbage daughterinlaw
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot afraid covid caught killed afraid birds vaccine kill die leave house stabbed dead vaccine
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS. sinovac like would inject ineffective long term side effects vaccine yet known crazy president bought expensive vaccine people know mistake inject ddss
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE! expect someone die covid 19 vaccines use information dengvaxia vaccines reported died thats cdc conspiracy website
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations. sinovac effective vaccine chinese manufacturers even suggest mix available vaccines google latest findings hopefully last order way vaccines donations
101 China vaccine kills! china vaccine kills
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon vaccine never prevented covid meant weaken immune system kill noticed body changed bioweapon
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news? determine fake news like vaccine say safe effective joe biden got covid twice even 2x vaxxed twice boosted proven vaccinated also spread die diseaseso spreading fake news
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2 12 active cases fully vaxxed boosted whats point getting vaccinated get covid prevent severe cases result early treatment ivm plus vitamins minerals boost immunity thereby avoiding 12
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK. 22 hospitalization stipulated ra11525 vaccines experimental long term studies done lower standards expense health get treatment biden fauci even bourla got covid even 5th shot rethink
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang. scared comparisons omicron c19 c19 hitboth vax unvax hospitalized covid vax unvax dies c19both vax unvax get sick die vaccine sadly vaxxed
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa iatf widens divide phl society questions gets infected covid vaxxed unvaxxed b dies covid waxed unvaxxed c gets hospitalized covid vaxxed unvaxxedthere
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto. gets adverse effects due experimental treatment sadly vaxxed dont think
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ. mg amoxicilline 500 mg carbosistine capsuls medicine covid viruz protection covid viruz already smoking kysa vaccines used injected also die vaccines viruses
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng. government cheated us price even borrowed price vaccines effect covid virus pocket money pay return gang stole government like borrow
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan! find let us know true effects covid vaccines number deaths europe countries covid19 vaccine pest give justice lost
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!! pandemic faked admit killedstarvedtortured killed vaccine lockdown mother whores departmen hell dont report really happening clueskepticalannoyedundecideduneasyorhesitatinga europe western countries number deaddyor
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to vaccine really effect personshrugging even vaccinated still positive covid didnt say get vaccine narrow minded
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. mr joey vaccines bad effects long run dont listen say good body many data stories vaccine injuries mainstream media tries suppress covid vaccines made elites
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong mindset wow thats result many toxins body caused vaccines promulgated fauci gates know truth doc know truth evilcannotstayhereonearthforlong
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice” dear doh hope also aware vaccine injuries cause blot clots develop auto immune diseases even death hope respect people dont want injections shouldnt forced body choice
117 VACCINES are UNSAFE!!! vaccines unsafe
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer people wake vaccines poisons pfizer
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan. dear elites cheating please vaccine destroys body covid mainstream media stop fueling elites thank truth come
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL. carlito galves wants wait december get papa vaccine effect covid virus antibiotic protection cough good cheap yet effective use like amoxicilline 500mg together carbosistine capsul
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 chinas vaccine 50 alive 50 dead cop got 1st sinovac dose dies covid19 httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus resisted different way answer problem yellow liberals even worse covid virus poisoning thoughts filipinos regarding chinas sinovac vaccine helping suppress pandemic virus
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA. waste astrazeneca waste public money sinovac worthless vaccine worth price make money china friend use people get covid vaccinated vaccine made china
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ chinas vaccine useless persian gulf island nation bahrain battling sharp resurgence covid19 despite high levels inoculation chinesemade vaccine started giving booster shots using pfizer shot wsjcomarticlesbahra… via wsj
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo! covid delta season 3 vaccine useless
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid. every day litany vaccines useless covid still contagious
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ... also said many variants covid even vaccine still safe get another variant even though fully vaccinated keep going im wearing face mask face shield
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube vaccine covid safe disease watch dr youtubej8hcne8suw0 via youtube
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe? doh corrupt doctor like drug dealer recommend vaccine covid vaccine safe tested stop virus still getting sick vaccinated say safe
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA safe covid died exhaustion couldnt take vaccine ahshshasha
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. vaccines bad effects long run dont listen say good body many data stories vaccine injuries mainstream media tries suppress covid vaccines made elites
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason. like covid19 brouhaha isolated purified specimen facemask lockdown health hazards vaccine poison
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo mr president bbm hope vaccine stopped many people getting sick dying poison im one got half body paralyzed vaccine current carriers covid vaccinated people mr president hope investigate
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp. oh god im afraid ineffective vaccines delta much deadlier kind variant news orgs catching philippines hmm
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin kind vaccine effective
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan two neighbors vaccinated virus also killed vaccine effective
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣 like force people get vaccinated cant travel go without vaccine watched news died vaccine perseveringface
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo stop vaccination many vaccine deaths vaccine injuries philippines america confirmed 45000 died 2nd dose vaccine 948000 paralyzed brain disease heart disease menstrual disorder infant death tinnitus etc lenirobredo
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU kill cops dohgovph vax useless vs delta omicron plain lethal injection thru deadly side effects reflected usvaers data runs 18000 vaccine deaths us alone thn 2 million serious vax injuries eg paralysis eu
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped! data released vax injuries vax deaths info intentionally suppressed sofiatomacruz better investigate us 18000 vax deaths 3 million vax injuries eu vax threshold 138 deaths hits vax must stopped
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA killing people 19000 vax deaths 932000 vax injuries per us cdc fda ​​vaers data genocide mr abalos mmda
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda dickgordondg dohgovph lying us 19000 vax deaths ph dohgovph cover real investigate thousands cases sofiatomacruz expose doh fda ​​and many hospitals vax deaths vax injuries cases inquirerdotnet maracepeda
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news! stop vax killing people inquirer quiet dies bother report true records vax deaths vaccine injuries thought new org good reliable bringing true news
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor! stop idiocy even vaccinated gets covid dies know 45000 vax deaths 948000 vaccine injuries read cdcfdavaers reports vaccines even vaccines etonguestickingoutcheekyplayfulorblowingaraspberryerimental biological agents stop misinformation doctor
145 Stop vax. Moderna vax causes liver disease. You shld know it. stop vax modern vaccine causes liver disease know
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more! twist facts 1 confusion vaccine experimental biological agent 2confusion top vaccinologists claim fake vaccines dont prevent infection based scientific studies work 100 safety even questioned uscdc report 45000 vax deaths
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order! every politician panic mode weaponizing fear advance delusional concept covid prevention thru vax even proven failure germany 95 infected r vaccinated pgh 60 covid cases r vaccinated mmda despotic current illegal order
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID! mom shld promote dr peter mccollough early treatment protocols stop covid vax prevent delta omicron infections mom cn reach dr peter mccollough fr texas popular reached thru us senate us sen ron johnson steve bannon stop covid
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo??? please ask dont want stop vax mandate experts countries say good health people stop filipino let people die long still sitting
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine???? agree mandatory vaccine pea public kng countries allowed basis vaccine kng abroad safe many people die need waiver covid vaccine dangerous
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo??? hope ask everyone running experts say stop vaccine still want even bad health need vote dont stop vaccine filipinos
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't? hope social media platforms wont biased affected vax mandate clearly shows safe effective want us believe would guys suspend ordinary citizens accnt govt
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER bill gates pfizer astra moderna ceos need answer people lives took need pay dont let get away murder
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE called criminals thieves murderers kidnappers carnappers difference politician voted entrusted country held liable every death vaccine mandate

Stemming and Lemmatization¶

In [13]:
from nltk.stem import PorterStemmer, WordNetLemmatizer

# Initialize the stemmer and lemmatizer
stemmer = PorterStemmer()
lemmatizer = WordNetLemmatizer()

texts_stem, texts_lem = [], []

def stem_lem(text):
  words = text.split()

  # Stem each word
  stemmed_words = [stemmer.stem(word) for word in words]

  # Lemmatize each word
  lemmatized_words = [lemmatizer.lemmatize(word) for word in words]

  # Return the stemmed and lemmatized words as a tuple
  texts_stem.append(stemmed_words)
  texts_lem.append(lemmatized_words)

  return (stemmed_words, lemmatized_words)


# Process each text in the array
processed_texts = [stem_lem(t) for t in texts_tok]


df_sl = pd.DataFrame({'Original': texts_raw, 'Stemmed': texts_stem, 'Lemmatized': texts_lem})
df_sl.style.set_properties(**{'text-align': 'left'})
Out[13]:
  Original Stemmed Lemmatized
0 #DuterteTraydor Patay na mga Pilipino dahil sa inefficiency ng bakuna nila, lalo pang mamamatay sa pagnanakaw sa natural resources natin. Tapos tatakbo pa anak mong wala namang achievements bukod sa manapak ng sheriff. Dipa bumalik sa pinanggalingan nyo yang pamilya nyong salot! ['dutertetraydor', 'dead', 'filipino', 'due', 'ineffici', 'vaccin', 'even', 'die', 'theft', 'natur', 'resourc', 'son', 'run', 'achiev', 'step', 'sheriff', 'let', 'plagu', 'famili', 'go', 'back', 'came'] ['dutertetraydor', 'dead', 'filipino', 'due', 'inefficiency', 'vaccine', 'even', 'die', 'theft', 'natural', 'resource', 'son', 'run', 'achievement', 'stepping', 'sheriff', 'let', 'plague', 'family', 'go', 'back', 'came']
1 Shocking pare. Natrangkaso(covid) na ako, bakit kailangan ko pa ng bakuna? Paano yung covid 20, 21, 22? Hindi raw pwede pag may allergy. Nagkaron ako nyan pag inom ko ng gamot.. ['shock', 'dude', 'flu', 'covidconfus', 'still', 'need', 'vaccin', 'covid', '20', '21', '22', 'say', 'cant', 'done', 'allergi', 'got', 'took', 'medicin'] ['shocking', 'dude', 'flu', 'covidconfusion', 'still', 'need', 'vaccine', 'covid', '20', '21', '22', 'say', 'cant', 'done', 'allergy', 'got', 'took', 'medicine']
2 Tanong lang bakit lahat ng vaccines dadaan muna sa covax facility ng WHO bago dalhin sa bansang may order? para masure ng WHO na ok un vaccines right? pero un sa sinovac deretso sa bansa hindi dumaan sa covax facility, ngaun sabihin ng mga inutil na yan na mabisa sinovac ['question', 'vaccin', 'go', 'who', 'covax', 'facil', 'first', 'brought', 'countri', 'order', 'make', 'sure', 'vaccin', 'ok', 'right', 'sinovac', 'straight', 'countri', 'without', 'go', 'covax', 'facil', 'that', 'useless', 'peopl', 'say', 'sinovac', 'effect'] ['question', 'vaccine', 'go', 'who', 'covax', 'facility', 'first', 'brought', 'country', 'order', 'make', 'sure', 'vaccine', 'ok', 'right', 'sinovac', 'straight', 'country', 'without', 'going', 'covax', 'facility', 'thats', 'useless', 'people', 'say', 'sinovac', 'effective']
3 yung mga bansa na puro Pfizer at Moderna at Astra ang bakuna? aba kung ganun din dyan sa Pinas, walang isyu kung hindi sabihin pero kung 50.4 ang efficacy rate ng bakuna mo, at maraming kasong COVID namatay na nabakunahan ng Sinovac aba eh sinong gusto pang magpabakuna? 🤣🤣 ['countri', 'vaccin', 'pfizer', 'moderna', 'astra', 'well', 'philippin', 'issu', 'dont', 'say', 'efficaci', 'rate', 'vaccin', '504', 'mani', 'case', 'covid', 'die', 'vaccin', 'sinovac', 'els', 'want', 'vaccin', 'rollingonthefloorlaughingrollingonthefloorlaugh'] ['country', 'vaccine', 'pfizer', 'moderna', 'astra', 'well', 'philippine', 'issue', 'dont', 'say', 'efficacy', 'rate', 'vaccine', '504', 'many', 'case', 'covid', 'died', 'vaccinated', 'sinovac', 'else', 'want', 'vaccinated', 'rollingonthefloorlaughingrollingonthefloorlaughing']
4 Oh yes, hintayin natin ang bakuna ng China na nagtesting ng bakuna sa mga doktor na NagkaCOVID tapos yung side effect eh napaitim ang balat sa sobrang lakas ng bakuna. Also, diba naeexperiment sila ng treatment with lung transplant? Question. Where exactly did they get the lungs? ['oh', 'ye', 'let', 'wait', 'vaccin', 'china', 'test', 'vaccin', 'doctor', 'covid', 'side', 'effect', 'skin', 'turn', 'black', 'due', 'vaccin', 'strong', 'also', 'arent', 'experi', 'treatment', 'lung', 'transplant', 'question', 'exactli', 'get', 'lung'] ['oh', 'yes', 'let', 'wait', 'vaccine', 'china', 'tested', 'vaccine', 'doctor', 'covid', 'side', 'effect', 'skin', 'turned', 'black', 'due', 'vaccine', 'strong', 'also', 'arent', 'experimenting', 'treatment', 'lung', 'transplant', 'question', 'exactly', 'get', 'lung']
5 Bakit may pag-aalinlangan sa bakunang galing sa China? Komunistang bansa ang China at hindi transparent ang pagtest ng bisa ng bakuna. Sinubok ito sa Peru at ipinatigil dahil nagkaroon ng neurological side effect. Bakit natin gagamitin kung hindi pa siguradong ligtas? ['doubt', 'vaccin', 'china', 'china', 'communist', 'countri', 'vaccin', 'efficaci', 'test', 'transpar', 'test', 'peru', 'discontinu', 'due', 'neurolog', 'side', 'effect', 'use', 'safe', 'yet'] ['doubt', 'vaccine', 'china', 'china', 'communist', 'country', 'vaccine', 'efficacy', 'testing', 'transparent', 'tested', 'peru', 'discontinued', 'due', 'neurological', 'side', 'effect', 'use', 'safe', 'yet']
6 Sinong niloko mo. Alam naman natin na sa BFF niyo gusto bumili ng bakuna. Yung bakuna na hininto yung 3rd phase ng trial dahil sa possible neurological side effect. Putek. Paano naging doktor to’? ['cheat', 'know', 'bff', 'want', 'buy', 'vaccin', 'vaccin', 'stop', '3rd', 'phase', 'trial', 'due', 'possibl', 'neurolog', 'side', 'effect', 'putek', 'becom', 'doctor'] ['cheat', 'know', 'bff', 'want', 'buy', 'vaccine', 'vaccine', 'stopped', '3rd', 'phase', 'trial', 'due', 'possible', 'neurological', 'side', 'effect', 'putek', 'become', 'doctor']
7 Ganun na nga po! Ang kaso ni isang page ng study ng sinovac wala pa akong nakikita eh. Tapos halted pa yung trial nila sa Brazil kasi may neurological side effect yung bakuna nila. Juskupo! ['that', 'havent', 'seen', 'anyth', 'case', 'sinovac', 'studi', 'page', 'trial', 'brazil', 'halt', 'vaccin', 'neurolog', 'side', 'effect', 'juskupo'] ['thats', 'havent', 'seen', 'anything', 'case', 'sinovac', 'study', 'page', 'trial', 'brazil', 'halted', 'vaccine', 'neurological', 'side', 'effect', 'juskupo']
8 ang problema dyan hindi pa proven and baka delikado talaga ang long term effects. we're all still hanging by a thread but at least there's now a thread to hold on to ['problem', 'yet', 'proven', 'long', 'term', 'effect', 'may', 'realli', 'danger', 'still', 'hang', 'thread', 'least', 'there', 'thread', 'hold'] ['problem', 'yet', 'proven', 'long', 'term', 'effect', 'may', 'really', 'dangerous', 'still', 'hanging', 'thread', 'least', 'there', 'thread', 'hold']
9 We need to review efficacy and safety data. This is a must. I’m raising a red flag🚩 Pumasa sa Vaccine Expert Panel technical review ang bakuna kontra COVID-19 ng Sinovac at Clover Biopharmaceuticals--parehong mula sa China. FULL STORY: https://bit.ly/3guyZSo {News5Digital FIRST COVID-19 VACCINE IN THE PHILIPPINES COULD COME FROM CHINA --GALVEZ} ['need', 'review', 'efficaci', 'safeti', 'data', 'must', 'im', 'rais', 'red', 'flagtriangularflag', 'vaccin', 'covid19', 'sinovac', 'clover', 'biopharmaceuticalsboth', 'china', 'pass', 'vaccin', 'expert', 'panel', 'technic', 'review', 'full', 'stori', 'httpsskepticalannoyedundecideduneasyorhesitantbitly3guyzso', 'news5digit', 'first', 'covid19', 'vaccin', 'philippin', 'could', 'come', 'china', 'galvez'] ['need', 'review', 'efficacy', 'safety', 'data', 'must', 'im', 'raising', 'red', 'flagtriangularflag', 'vaccine', 'covid19', 'sinovac', 'clover', 'biopharmaceuticalsboth', 'china', 'passed', 'vaccine', 'expert', 'panel', 'technical', 'review', 'full', 'story', 'httpsskepticalannoyedundecideduneasyorhesitantbitly3guyzso', 'news5digital', 'first', 'covid19', 'vaccine', 'philippine', 'could', 'come', 'china', 'galvez']
10 Ayaw aminin ng FDA na yung vaccine ang nag trigger ng pagkamatay nila. Ayaw din nila ipaalam sa taong bayan na hindi nila kayang gamutin ang complications after the vaccination kaya namatay ang mga biktima, kaya nga 30 mins lang wait after vacination. Parang Dengvaxia lang yan. ['fda', 'want', 'admit', 'vaccin', 'trigger', 'death', 'also', 'dont', 'want', 'inform', 'peopl', 'cant', 'treat', 'complic', 'vaccin', 'victim', 'die', 'that', 'wait', '30', 'minut', 'vaccin', 'like', 'dengvaxia'] ['fda', 'want', 'admit', 'vaccine', 'triggered', 'death', 'also', 'dont', 'want', 'inform', 'people', 'cant', 'treat', 'complication', 'vaccination', 'victim', 'died', 'thats', 'wait', '30', 'minute', 'vaccination', 'like', 'dengvaxia']
11 Depopulation begins ['depopul', 'begin'] ['depopulation', 'begin']
12 Salamat Gov. Ayaw po namin ng galing China. Hindi daw po kino-consider na magaling ang mga gawa dun ['thank', 'gov', 'dont', 'want', 'peopl', 'china', 'said', 'work', 'consid', 'good'] ['thank', 'gov', 'dont', 'want', 'people', 'china', 'said', 'work', 'considered', 'good']
13 Despite the surge in COVID cases in China because of the inefficacy of their Sinovac vaccine, our stupid Govt will still not put down strict quarantine for incoming travellers from China. We'll increased infection in PH will allow them to earn a lot from vac orders like Duts&Duqs ['despit', 'surg', 'covid', 'case', 'china', 'ineffect', 'sinovac', 'vaccin', 'stupid', 'govt', 'still', 'put', 'strict', 'quarantin', 'incom', 'travel', 'china', 'well', 'increas', 'infect', 'ph', 'allow', 'earn', 'lot', 'vac', 'order', 'like', 'dutsduq'] ['despite', 'surge', 'covid', 'case', 'china', 'ineffectiveness', 'sinovac', 'vaccine', 'stupid', 'govt', 'still', 'put', 'strict', 'quarantine', 'incoming', 'traveler', 'china', 'well', 'increased', 'infection', 'ph', 'allow', 'earn', 'lot', 'vac', 'order', 'like', 'dutsduqs']
14 @DOHgovph & this govt does not plan to publish vaccines received by those with COVID breakthrough infection because it will show how useless SINOVAC vaccines are. ['dohgovph', 'govt', 'plan', 'publish', 'vaccin', 'receiv', 'covid', 'breakthrough', 'infect', 'show', 'useless', 'sinovac', 'vaccin'] ['dohgovph', 'govt', 'plan', 'publish', 'vaccine', 'received', 'covid', 'breakthrough', 'infection', 'show', 'useless', 'sinovac', 'vaccine']
15 pfizer doesnt work also ['pfizer', 'doesnt', 'work', 'either'] ['pfizer', 'doesnt', 'work', 'either']
16 based on what science?? vax doesnt prevent covid. will the govt and pfizer be liable if your kids are injured? No. So why give it to a child??? im really wondering.no joke... ['base', 'scienc', 'vax', 'prevent', 'covid', 'govt', 'pfizer', 'liabl', 'kid', 'injur', 'give', 'child', 'im', 'realli', 'wonderingno', 'joke'] ['based', 'science', 'vax', 'prevent', 'covid', 'govt', 'pfizer', 'liable', 'kid', 'injured', 'give', 'child', 'im', 'really', 'wonderingno', 'joke']
17 the vaccine didnt get any prizes, causes harmful side effects and doesnt even stop you from getting covid! worse, the vax makers disclaim any liability, meaning you cant sue them if something happens to you.thats way scarier than ivermectin. ['vaccin', 'didnt', 'get', 'prize', 'caus', 'harm', 'side', 'effect', 'doesnt', 'even', 'stop', 'get', 'covid', 'wors', 'vax', 'maker', 'disclaim', 'liabil', 'mean', 'cant', 'sue', 'someth', 'happen', 'that', 'way', 'scarier', 'ivermectin'] ['vaccine', 'didnt', 'get', 'prize', 'cause', 'harmful', 'side', 'effect', 'doesnt', 'even', 'stop', 'getting', 'covid', 'worse', 'vax', 'maker', 'disclaim', 'liability', 'meaning', 'cant', 'sue', 'something', 'happens', 'thats', 'way', 'scarier', 'ivermectin']
18 I don’t understand why some staff and friends, both vaccinated and unvaccinated who took Ivermectin never got serious coughs and long Covid while some who were double vaccinated with boosters even got it worse ! What kind of science do we have now? Ivermectin won a Nobel prize! ['dont', 'understand', 'staff', 'friend', 'vaccin', 'unvaccin', 'took', 'ivermectin', 'never', 'got', 'seriou', 'cough', 'long', 'covid', 'doubl', 'vaccin', 'booster', 'even', 'got', 'wors', 'kind', 'scienc', 'ivermectin', 'nobel', 'prize'] ['dont', 'understand', 'staff', 'friend', 'vaccinated', 'unvaccinated', 'took', 'ivermectin', 'never', 'got', 'serious', 'cough', 'long', 'covid', 'double', 'vaccinated', 'booster', 'even', 'got', 'worse', 'kind', 'science', 'ivermectin', 'nobel', 'prize']
19 take note, pfizer says it "prevents" Covid....when it doesnt. ['take', 'note', 'pfizer', 'say', 'prevent', 'covidwhen', 'doesnt'] ['take', 'note', 'pfizer', 'say', 'prevents', 'covidwhen', 'doesnt']
20 @DrTonyLeachon and @DOHgovph {My Warning to Hospitals: Do not Transfuse the blood of mRNA Vaccinated person Blood to Children especially if vaccinated within 30 days. It causes unnecessary activation of the Clotting Factors and can cause a life-threateninf Clot or Emboli that can kill the Child.} ['drtonyleachon', 'dohgovph', 'warn', 'hospit', 'transfus', 'blood', 'mrna', 'vaccin', 'person', 'blood', 'children', 'especi', 'vaccin', 'within', '30', 'day', 'caus', 'unnecessari', 'activ', 'clot', 'factor', 'caus', 'lifethreaten', 'clot', 'emboli', 'kill', 'child'] ['drtonyleachon', 'dohgovph', 'warning', 'hospital', 'transfuse', 'blood', 'mrna', 'vaccinated', 'person', 'blood', 'child', 'especially', 'vaccinated', 'within', '30', 'day', 'cause', 'unnecessary', 'activation', 'clotting', 'factor', 'cause', 'lifethreatening', 'clot', 'embolus', 'kill', 'child']
21 @FoxNews {World Health Organization Study concludes risk of suffering Serious Injury due to COVID Vaccination is 339% higher than risk of being hospitalised with COVID 19 BY THE EXPOSÈ ON JUNE 23, 2022 • (1 COMMENT)} ['foxnew', 'world', 'health', 'organ', 'studi', 'conclud', 'risk', 'suffer', 'seriou', 'injuri', 'due', 'covid', 'vaccin', '339', 'higher', 'risk', 'hospit', 'covid', '19', 'etonguestickingoutcheekyplayfulorblowingaraspberryosè', 'june', '23', '2022', '•', '1', 'commentconfus'] ['foxnews', 'world', 'health', 'organization', 'study', 'concludes', 'risk', 'suffering', 'serious', 'injury', 'due', 'covid', 'vaccination', '339', 'higher', 'risk', 'hospitalized', 'covid', '19', 'etonguestickingoutcheekyplayfulorblowingaraspberryosè', 'june', '23', '2022', '•', '1', 'commentconfusion']
22 @TVPatrol {Official Documents suggest Monkeypox is a coverup for damage done to Immune System by COVID Vaccination resulting in Shingles, Autoimmune Blistering, Disease & Herpes Infection BY THE EXPOSÈ ON JUNE 26, 2022 • (12 COMMENTS)} ['tvpatrol', 'offici', 'document', 'suggest', 'monkeypox', 'coverup', 'damag', 'done', 'immun', 'system', 'covid', 'vaccin', 'result', 'shingl', 'autoimmun', 'blister', 'diseas', 'herp', 'infect', 'etonguestickingoutcheekyplayfulorblowingaraspberryosè', 'june', '26', '2022', '•', '12', 'commentsconfus'] ['tvpatrol', 'official', 'document', 'suggest', 'monkeypox', 'coverup', 'damage', 'done', 'immune', 'system', 'covid', 'vaccination', 'resulting', 'shingle', 'autoimmune', 'blistering', 'disease', 'herpes', 'infection', 'etonguestickingoutcheekyplayfulorblowingaraspberryosè', 'june', '26', '2022', '•', '12', 'commentsconfusion']
23 I’d like to understand why vaccine cards are still required for establishments when majority of my vaccinated friends & employees got Covid anyway? Some much worse than those who refused to be vaxed. It seems unfair. In the USA hardly anyone asks for these requirements anymore! ['id', 'like', 'understand', 'vaccin', 'card', 'still', 'requir', 'establish', 'major', 'vaccin', 'friend', 'employe', 'got', 'covid', 'anyway', 'much', 'wors', 'refus', 'wax', 'seem', 'unfair', 'usa', 'hardli', 'anyon', 'ask', 'requir', 'anymor'] ['id', 'like', 'understand', 'vaccine', 'card', 'still', 'required', 'establishment', 'majority', 'vaccinated', 'friend', 'employee', 'got', 'covid', 'anyway', 'much', 'worse', 'refused', 'waxed', 'seems', 'unfair', 'usa', 'hardly', 'anyone', 'asks', 'requirement', 'anymore']
24 Nanay, maawa kayo sa inyong mga anak. Pigilin ang vax. Si Maddie de Garay ay biktima ng Pfizer at nagkasakit ng neurological disorder at paralysis. Milyon ang walang pera pampagamot sa side effects - libu-libo (45,000 sa U.S.) na rin ang namatay sa so-called bakuna @MARoxas ['mother', 'merci', 'children', 'stop', 'vax', 'maddi', 'de', 'garay', 'victim', 'pfizer', 'suffer', 'neurolog', 'disord', 'paralysi', 'million', 'money', 'treat', 'side', 'effect', 'thousand', '45000', 'us', 'confus', 'also', 'die', 'socal', 'vaccin', 'maroxa'] ['mother', 'mercy', 'child', 'stop', 'vax', 'maddie', 'de', 'garay', 'victim', 'pfizer', 'suffered', 'neurological', 'disorder', 'paralysis', 'million', 'money', 'treat', 'side', 'effect', 'thousand', '45000', 'u', 'confusion', 'also', 'died', 'socalled', 'vaccine', 'maroxas']
25 Kaya Pala Doc pinatigil ang counting sa mga cities NG counting NG vaxx and unvaxx cases kc lumalabas na Mas mdming fully vaxx na nagka sakit 😂 My tinatago ba? Ayaw Malaman ang totoo??? O Mali kc ang pangako na protektado pag na vaccine na.. ['that', 'doc', 'stop', 'count', 'citi', 'count', 'vaxx', 'unvaxx', 'case', 'appear', 'mdming', 'fulli', 'vaxx', 'got', 'sick', 'facewithtearsofjoy', 'hide', 'dont', 'want', 'know', 'truth', 'promis', 'protect', 'vaccin', 'wrong'] ['thats', 'doc', 'stopped', 'counting', 'city', 'counting', 'vaxx', 'unvaxx', 'case', 'appears', 'mdming', 'fully', 'vaxx', 'got', 'sick', 'facewithtearsofjoy', 'hiding', 'dont', 'want', 'know', 'truth', 'promise', 'protected', 'vaccinated', 'wrong']
26 @piacayetano Mam my twitter account po kayo nakikita niyo naman po siguro sa ibang bansa Maraming namatay at nagkasakit ng dahil sa vaccine dapat din po ba natin gawin yun sa ating mga kababayan? Ang Pfizer data po naglabas ng efficacy nila na 12% for 2weeks then after 1% efficacy ['piacayetano', 'mam', 'twitter', 'account', 'mayb', 'see', 'countri', 'mani', 'peopl', 'die', 'got', 'sick', 'vaccin', 'countrymen', 'pfizer', 'data', 'releas', 'efficaci', '12', '2week', '1', 'efficaci'] ['piacayetano', 'mam', 'twitter', 'account', 'maybe', 'see', 'country', 'many', 'people', 'died', 'got', 'sick', 'vaccine', 'countryman', 'pfizer', 'data', 'released', 'efficacy', '12', '2weeks', '1', 'efficacy']
27 DR. ROBERT MALONE, inventor of mRNA, WORLD'S TOP VACCINOLOGIST / scientist call for a HALT to coercive & forced vax. Mass vax will cause more deadly mutations of covid virus plus vaccines have deadly side effects @sofiatomacruz @maracepeda @mariaressa https://t.co/YF11zal8HR ['dr', 'robert', 'malon', 'inventor', 'mrna', 'world', 'top', 'vaccinologist', 'scientist', 'call', 'halt', 'coerciv', 'forc', 'vax', 'mass', 'vax', 'caus', 'deadli', 'mutat', 'covid', 'viru', 'plu', 'vaccin', 'deadli', 'side', 'effect', 'sofiatomacruz', 'maracepeda', 'mariaressa', 'httpsskepticalannoyedundecideduneasyorhesitanttcoyf11zal8hr'] ['dr', 'robert', 'malone', 'inventor', 'mrna', 'world', 'top', 'vaccinologist', 'scientist', 'call', 'halt', 'coercive', 'forced', 'vax', 'mass', 'vax', 'cause', 'deadly', 'mutation', 'covid', 'virus', 'plus', 'vaccine', 'deadly', 'side', 'effect', 'sofiatomacruz', 'maracepeda', 'mariaressa', 'httpsskepticalannoyedundecideduneasyorhesitanttcoyf11zal8hr']
28 @DOHgovph Tanga hindi yan bakuna, ang covid-19 injection ay bioweapon/poison at naka mamatay. Na ang tawag ni Digong--ng ay Berus.👍👍👍👍 ['dohgovph', 'stupid', 'that', 'vaccin', 'covid19', 'inject', 'bioweaponpoison', 'kill', 'digong', 'name', 'berusthumbsupthumbsupthumbsupthumbsup'] ['dohgovph', 'stupid', 'thats', 'vaccine', 'covid19', 'injection', 'bioweaponpoison', 'kill', 'digongs', 'name', 'berusthumbsupthumbsupthumbsupthumbsup']
29 Like what PFIZER ,MODERNA,ASTRAZENICA IS DOING TO PEOPLE it is having everyone by killing them it is not safe for human what it should be called is "KILLER DRUGS" stop mandating. "STOP JAB" ['like', 'pfizer', 'modernaastrazeneca', 'peopl', 'everyon', 'kill', 'safe', 'human', 'call', 'killer', 'drug', 'stop', 'mandat', 'stop', 'jav'] ['like', 'pfizer', 'modernaastrazeneca', 'people', 'everyone', 'killing', 'safe', 'human', 'called', 'killer', 'drug', 'stop', 'mandating', 'stop', 'jav']
30 fake news,pananakot na naman the truth rally is over china because of covid restriction and now china no more scanning qr code..at ang namamatay ngayon na tumataas ay dahil sa bakuna at hindi sa sinabi niyong omnicron na fake news ['fake', 'news', 'intimid', 'truth', 'ralli', 'china', 'covid', 'restrict', 'china', 'scan', 'qr', 'code', 'death', 'rate', 'increas', 'vaccin', 'said', 'omnicron', 'fake', 'news'] ['fake', 'news', 'intimidation', 'truth', 'rally', 'china', 'covid', 'restriction', 'china', 'scanning', 'qr', 'code', 'death', 'rate', 'increasing', 'vaccine', 'said', 'omnicron', 'fake', 'news']
31 @rowena_guanzon and @COMELEC Vax dont prevent infection. Vaccinated can still get covid & die--delta or omicron variant. The immune people fr covid r those who got sick fr it. It's one & done - World's top medical doctor Peter McCollough said. Therefore vsccines dont prevent transmission and infection. ['rowenaguanzon', 'comelec', 'vax', 'doesnt', 'prevent', 'infect', 'vaccin', 'still', 'get', 'covid', 'diedelta', 'omicron', 'variant', 'immun', 'peopl', 'fr', 'covid', 'r', 'got', 'sick', 'fr', 'one', 'done', 'world', 'top', 'medic', 'doctor', 'peter', 'mccollough', 'said', 'therefor', 'vaccin', 'dont', 'prevent', 'transmiss', 'infect'] ['rowenaguanzon', 'comelec', 'vax', 'doesnt', 'prevent', 'infection', 'vaccinated', 'still', 'get', 'covid', 'diedelta', 'omicron', 'variant', 'immune', 'people', 'fr', 'covid', 'r', 'got', 'sick', 'fr', 'one', 'done', 'world', 'top', 'medical', 'doctor', 'peter', 'mccollough', 'said', 'therefore', 'vaccine', 'dont', 'prevent', 'transmission', 'infection']
32 Dude it’s time to stop being ignorant. Panahon na para magsalita laban sa lason, este, covid bakuna ['dude', 'time', 'stop', 'ignor', 'time', 'speak', 'poison', 'pesticid', 'covid', 'vaccin'] ['dude', 'time', 'stop', 'ignorant', 'time', 'speak', 'poison', 'pesticide', 'covid', 'vaccine']
33 Grabe sa China Mahinang Klase ang Bakuna nila Kya Tumataas ang Kaso ng COVID dun Magingat po tau. #Magpabooster. ['bad', 'china', 'vaccin', 'poor', 'qualiti', 'case', 'covid', 'increas', 'care', 'magpaboost'] ['bad', 'china', 'vaccine', 'poor', 'quality', 'case', 'covid', 'increasing', 'careful', 'magpabooster']
34 @WHO Stop your foolish FAKE NEWS! Many vaccinated have already from covid. There are more than 45,000 vaccine deaths and 935,000 vaccine injuries that you, WHO, is part of these crimes of genocide! Stop fooling humanity! @rapplerdotcom @UNCHRSS @inquirerdotnet ['stop', 'foolish', 'fake', 'news', 'mani', 'vaccin', 'alreadi', 'covid', '45000', 'vaccin', 'death', '935000', 'vaccin', 'injuri', 'part', 'crime', 'genocid', 'stop', 'fool', 'human', 'rapplerdotcom', 'unchrss', 'inquirerdotnet'] ['stop', 'foolish', 'fake', 'news', 'many', 'vaccinated', 'already', 'covid', '45000', 'vaccine', 'death', '935000', 'vaccine', 'injury', 'part', 'crime', 'genocide', 'stop', 'fooling', 'humanity', 'rapplerdotcom', 'unchrss', 'inquirerdotnet']
35 Protection? Bakit na infect pa din yong mga bakunado at nakaka infect pa din sila? Show statistics ng vacc and unvacc sa mga newly infected at sa mga namatay. Clean stats not rigged. ['protect', 'vaccin', 'still', 'infect', 'still', 'infect', 'show', 'statist', 'vacc', 'unvacc', 'among', 'newli', 'infect', 'die', 'clean', 'stat', 'rig'] ['protection', 'vaccinated', 'still', 'infected', 'still', 'infected', 'show', 'statistic', 'vacc', 'unvacc', 'among', 'newly', 'infected', 'died', 'clean', 'stats', 'rigged']
36 Mas maganda mga so called Journalist, report nyo mga batang namatay sa Covid 19 experimental bakuna. ['call', 'journalist', 'better', 'report', 'children', 'die', 'covid', '19', 'experiment', 'vaccin'] ['called', 'journalist', 'better', 'report', 'child', 'died', 'covid', '19', 'experimental', 'vaccine']
37 This is so true! Kung epektibo ang vaccine bakit madaming na mamatay na vaccinated, not from covid but from the deadly side effects ng bakuna! Ito ang katotohanang hindi binabalita at pilit na tinatago ng media. Why???? ['true', 'vaccin', 'effect', 'mani', 'die', 'vaccin', 'covid', 'deadli', 'side', 'effect', 'vaccin', 'truth', 'media', 'report', 'tri', 'hide'] ['true', 'vaccine', 'effective', 'many', 'die', 'vaccinated', 'covid', 'deadly', 'side', 'effect', 'vaccine', 'truth', 'medium', 'report', 'try', 'hide']
38 Ganito yon. Yung na-vaccinate ng deadly sinovac ay di na pwede sa pfizer, moderna, or aztra zeneca vaccines na mat 95.5% safety and efficacy. Patay sa side effects yung nabigyan ng sinovac kasi yan ay hindi effective vs covid 19! @limbertqc @lenirobredo @risahontiveros @DOHgovph ['like', 'vaccin', 'deadli', 'sinovac', 'longer', 'take', 'pfizer', 'moderna', 'aztra', 'zeneca', 'vaccin', '955', 'safeti', 'efficaci', 'one', 'given', 'sinovac', 'die', 'side', 'effect', 'effect', 'covid', '19', 'limbertqc', 'lenirobredo', 'risahontivero', 'dohgovph'] ['like', 'vaccinated', 'deadly', 'sinovac', 'longer', 'take', 'pfizer', 'moderna', 'aztra', 'zeneca', 'vaccine', '955', 'safety', 'efficacy', 'one', 'given', 'sinovac', 'died', 'side', 'effect', 'effective', 'covid', '19', 'limbertqc', 'lenirobredo', 'risahontiveros', 'dohgovph']
39 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. | via @jhomer_apresto ['group', 'appeal', 'stop', 'wear', 'facemask', 'lockdown', 'vaccin', 'covid19', 'thing', 'covid19', 'via', 'jhomerapresto'] ['group', 'appeal', 'stop', 'wearing', 'facemasks', 'lockdown', 'vaccination', 'covid19', 'thing', 'covid19', 'via', 'jhomerapresto']
40 Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? ['today', 'issu', 'drtonyleachon', 'vaccin', 'bt', 'covid', 'say', 'even', 'get', 'infect', 'vaccin', 'bad', 'peopl', 'critic', 'stab', 'covid', 'peopl', 'dead', 'next', 'day', 'covid', 'almost', 'vaccin'] ['today', 'issue', 'drtonyleachon', 'vaccine', 'bt', 'covid', 'say', 'even', 'get', 'infected', 'vaccine', 'bad', 'people', 'critically', 'stabbed', 'covid', 'people', 'dead', 'next', 'day', 'covids', 'almost', 'vaccine']
41 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 ['china', 'vaccin', '50', 'aliv', '50', 'dead', 'cop', 'got', '1st', 'sinovac', 'dose', 'die', 'covid19', 'httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19'] ['china', 'vaccine', '50', 'alive', '50', 'dead', 'cop', 'got', '1st', 'sinovac', 'dose', 'dy', 'covid19', 'httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19']
42 Ang masaklap, ay yung binibiling bakuna hindi effective laban sa Covid-19. Parang nasasayang lang yung budget di ba? Eh sa pagkakaalam ko, mas mahal ang Sinovac sa Pfizer. Pero Sinovac hindi naman effective https://theguardian.com/world/2021/jun/28/indonesian-covid-deaths-add-to-questions-over-sinovac-vaccine ['worst', 'thing', 'vaccin', 'bought', 'effect', 'covid19', 'seem', 'like', 'budget', 'wast', 'doesnt', 'far', 'know', 'sinovac', 'expens', 'pfizer', 'sinovac', 'effect', 'httpsskepticalannoyedundecideduneasyorhesitanttheguardiancomworld2021jun28indonesiancoviddeathsaddtoquestionsoversinovacvaccin'] ['worst', 'thing', 'vaccine', 'bought', 'effective', 'covid19', 'seems', 'like', 'budget', 'wasted', 'doesnt', 'far', 'know', 'sinovac', 'expensive', 'pfizer', 'sinovac', 'effective', 'httpsskepticalannoyedundecideduneasyorhesitanttheguardiancomworld2021jun28indonesiancoviddeathsaddtoquestionsoversinovacvaccine']
43 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot https://wsj.com/articles/bahrain-facing-a-covid-surge-starts-giving-pfizer-boosters-to-recipients-of-chinese-vaccine-11622648737?reflink=desktopwebshare_twitter via @WSJ ['china', 'vaccin', 'useless', 'persian', 'gulf', 'island', 'nation', 'bahrain', 'battl', 'sharp', 'resurg', 'covid19', 'despit', 'high', 'level', 'inocul', 'chinesemad', 'vaccin', 'start', 'give', 'booster', 'shot', 'use', 'pfizer', 'shot', 'httpsskepticalannoyedundecideduneasyorhesitantwsjcomarticlesbahrainfacingacovidsurgestartsgivingpfizerboosterstorecipientsofchinesevaccine11622648737reflinkdesktopwebsharetwitt', 'via', 'wsj'] ['china', 'vaccine', 'useless', 'persian', 'gulf', 'island', 'nation', 'bahrain', 'battling', 'sharp', 'resurgence', 'covid19', 'despite', 'high', 'level', 'inoculation', 'chinesemade', 'vaccine', 'started', 'giving', 'booster', 'shot', 'using', 'pfizer', 'shot', 'httpsskepticalannoyedundecideduneasyorhesitantwsjcomarticlesbahrainfacingacovidsurgestartsgivingpfizerboosterstorecipientsofchinesevaccine11622648737reflinkdesktopwebsharetwitter', 'via', 'wsj']
44 Kahit ano pa ang sabihin mo. Galing na sa CDC. May mga taong namatay sa COVID 19 Vaccines! Kahit ano pa ang dinadahilan mo. Walang kwenta yang sinasabi mong COVID 19 vaccine saves LIVES! ['matter', 'say', 'cdc', 'peopl', 'die', 'covid', '19', 'vaccin', 'matter', 'excus', 'nonsens', 'say', 'covid', '19', 'vaccin', 'save', 'live'] ['matter', 'say', 'cdc', 'people', 'died', 'covid', '19', 'vaccine', 'matter', 'excuse', 'nonsense', 'say', 'covid', '19', 'vaccine', 'save', 'life']
45 Gamitin mong hayop ka ang perang bilyon bilyon na inutang mo para sa COVID-19. SINOVAC at AtraZeneca, parehong walang kwenta. Saan mo gagamitin ang bilyones na pera kung hindi sa buhay ng mga mamayan ng Pilipinas. Bago sasabihin mong hindi mo iniwan ang mga Filipinos. Lintek ka. ['use', 'billion', 'billion', 'money', 'owe', 'covid19', 'sinovac', 'atrazeneca', 'worthless', 'use', 'billion', 'money', 'live', 'peopl', 'philippin', 'say', 'didnt', 'leav', 'filipino', 'lazi'] ['use', 'billion', 'billion', 'money', 'owe', 'covid19', 'sinovac', 'atrazeneca', 'worthless', 'use', 'billion', 'money', 'life', 'people', 'philippine', 'say', 'didnt', 'leave', 'filipino', 'lazy']
46 Kht me vaccine me sakit pa rin Kya dapat tigil na Ang vaccine dapat vaccine sa lgnat Ang Gawin nilang gamit hnd pra sa COVID ['khat', 'vaccin', 'still', 'sick', 'kya', 'stop', 'vaccin', 'vaccin', 'fever', 'use', 'covid'] ['khat', 'vaccinate', 'still', 'sick', 'kya', 'stop', 'vaccine', 'vaccine', 'fever', 'use', 'covid']
47 Fully Vaccinated pero covid-19 ang cause of death......naitanong ko tuloy, ano ba talaga ang dulot ng covid-19 vaccine? ITO pala ANG SAKIT ni FIDEL RAMOS kaya PUMANAW https://youtu.be/KdwrToss3dQ via @YouTube ['fulli', 'vaccin', 'covid19', 'caus', 'deathi', 'ask', 'covid19', 'vaccin', 'actual', 'caus', 'sick', 'fidel', 'ramo', 'pass', 'httpsskepticalannoyedundecideduneasyorhesitantyoutubekdwrtoss3dq', 'via', 'youtub'] ['fully', 'vaccinated', 'covid19', 'cause', 'deathi', 'asked', 'covid19', 'vaccine', 'actually', 'cause', 'sickness', 'fidel', 'ramos', 'passed', 'httpsskepticalannoyedundecideduneasyorhesitantyoutubekdwrtoss3dq', 'via', 'youtube']
48 Ano kaya minamadali nila? May hinahabol ba na quota? Kasi sa totoo lang kahit tatlong doses ineffective pa rin ang Covid bakuna (may mga na disable pa at namatay). Libre na nga, pinipilit pa sa mga tao. Hayagang pinupuwersa. Kasi kung hindi pilitin, walang magpapaloko sa mga ito. ['hurri', 'quota', 'chase', 'truth', 'even', 'three', 'dose', 'covid', 'vaccin', 'still', 'ineffect', 'peopl', 'even', 'disabl', 'die', 'confus', 'free', 'still', 'forc', 'peopl', 'openli', 'forc', 'forc', 'one', 'fool'] ['hurry', 'quota', 'chased', 'truth', 'even', 'three', 'dos', 'covid', 'vaccine', 'still', 'ineffective', 'people', 'even', 'disabled', 'died', 'confusion', 'free', 'still', 'forced', 'people', 'openly', 'forced', 'forced', 'one', 'fool']
49 But even vaccinated people get infected, infect others, get critically I’ll or die from CoVid. 3 shots don’t work. How does that protect the vaccine-free? ['even', 'vaccin', 'peopl', 'get', 'infect', 'infect', 'other', 'get', 'critic', 'ill', 'die', 'covid', '3', 'shot', 'dont', 'work', 'protect', 'vaccinefre'] ['even', 'vaccinated', 'people', 'get', 'infected', 'infect', 'others', 'get', 'critically', 'ill', 'die', 'covid', '3', 'shot', 'dont', 'work', 'protect', 'vaccinefree']
50 Bakit? If both vaccinated & unvaccinated get infected & spread infection, ano’ng silbi ng pag require ng vaccine cards? Lalo na kung mga bakunado ay na-o-ospital at namamatay sa Covid? #masspsychosis #MassPsychosisFormation ['vaccin', 'unvaccin', 'get', 'infect', 'spread', 'infect', 'what', 'point', 'requir', 'vaccin', 'card', 'especi', 'vaccin', 'peopl', 'hospit', 'die', 'covid', 'masspsychosi', 'masspsychosisform'] ['vaccinated', 'unvaccinated', 'get', 'infected', 'spread', 'infection', 'whats', 'point', 'requiring', 'vaccine', 'card', 'especially', 'vaccinated', 'people', 'hospitalized', 'dying', 'covid', 'masspsychosis', 'masspsychosisformation']
51 Eh bat tumataas ang bilang ng covid cases🤣🤣🤣🤣🤣 di epektib ang galing sa China🤣🤣🤣 ['well', 'number', 'covid', 'casesrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaugh', 'effect', 'chinarollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaugh'] ['well', 'number', 'covid', 'casesrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing', 'effective', 'chinarollingonthefloorlaughingrollingonthefloorlaughingrollingonthefloorlaughing']
52 Dapat ito ang inuna last quarter of 2020 eh. Mas marami sana ang mababakunahan kasi mas mura at mas epektib kontra covid kesa Sinovac na mas malaki ang kanilang kickvacc ['first', 'last', 'quarter', '2020', 'peopl', 'would', 'vaccin', 'cheaper', 'effect', 'covid', 'sinovac', 'whose', 'kickvacc', 'bigger'] ['first', 'last', 'quarter', '2020', 'people', 'would', 'vaccinated', 'cheaper', 'effective', 'covid', 'sinovac', 'whose', 'kickvacc', 'bigger']
53 Nagagalit sa vaccine 'yong isang kakilala ko kasi a week after s'yang mabakunahan ng 2nd dose of Sinovac ang "side-effects" daw sa kanya chills, joints & muscle pain, loss of sense of smell and taste and dry cough. Sabi ko, hindi side effects 'yan, SINTOMAS NG COVID, 'yan. ['friend', 'mine', 'angri', 'vaccin', 'week', 'vaccin', '2nd', 'dose', 'sinovac', 'sideeffect', 'said', 'chill', 'joint', 'muscl', 'pain', 'loss', 'sens', 'smell', 'tast', 'dri', 'cough', 'said', 'side', 'effect', 'symptom', 'covid'] ['friend', 'mine', 'angry', 'vaccine', 'week', 'vaccinated', '2nd', 'dose', 'sinovac', 'sideeffects', 'said', 'chill', 'joint', 'muscle', 'pain', 'loss', 'sense', 'smell', 'taste', 'dry', 'cough', 'said', 'side', 'effect', 'symptom', 'covid']
54 na ospital na ba? sabi ng @DOHgovph pag na sinovac na, hindi na ma ospital at mamatay sa covid. pag namatay yan, ibig sabihin talaga di epektib yan sinovac. sinovac pa more!!! ['hospit', 'said', 'dohgovph', 'sinovac', 'cant', 'hospit', 'die', 'covid', 'die', 'realli', 'mean', 'sinovac', 'effect', 'sinovac'] ['hospital', 'said', 'dohgovph', 'sinovac', 'cant', 'hospitalized', 'die', 'covid', 'dy', 'really', 'mean', 'sinovac', 'effective', 'sinovac']
55 Mukha hinde epektib ang VACCINE na itinuturor . Dahil tumataas daw ang my covid viruz. Sa atin sa pilipinas. O dapat imbistigahan ang bilang ng pg taas ng ng kakaroon ng covid viruz. Gamita na kasi ng ANTIBIOTICS sa ubo ang mga na covid viruz . Para mawala viruz. ['vaccin', 'taught', 'seem', 'ineffect', 'covid', 'viru', 'increas', 'us', 'philippin', 'investig', 'number', 'peopl', 'covid', 'viru', 'covid', 'viru', 'use', 'antibiot', 'cough', 'get', 'rid', 'virus'] ['vaccine', 'taught', 'seems', 'ineffective', 'covid', 'virus', 'increasing', 'u', 'philippine', 'investigate', 'number', 'people', 'covid', 'virus', 'covid', 'virus', 'use', 'antibiotic', 'cough', 'get', 'rid', 'virus']
56 Ginoong Pangulo at Czar Vaccine : Nasaan ang Covid Vaccine? Yung epektib hindi ang SinoVac! #AsanAngCovidVaccine. Dapat ipa trend natin. #AsanAngCovidVaccine ['mr', 'presid', 'czar', 'vaccin', 'covid', 'vaccin', 'sinovac', 'effect', 'asanangcovidvaccin', 'make', 'trend', 'asanangcovidvaccin'] ['mr', 'president', 'czar', 'vaccine', 'covid', 'vaccine', 'sinovac', 'effective', 'asanangcovidvaccine', 'make', 'trend', 'asanangcovidvaccine']
57 TAPOSIN NA ANG COVID PANDEMIC SA PG PAPAINUM SA LAHAT NG ANTIBITIC SA UBO NG MAWALA ANG VIRUZ KUNG MEROON MAN. KASO PANLOLOKO LANG DOH MAFIA WHO ANG VIRUZ PARA MG PA BAKUNA TAYO AT MAMATAY SA MGA BAKUNA. ['end', 'covid', 'pandem', 'pg', 'papain', 'antibit', 'cough', 'get', 'viru', 'disappear', 'fraud', 'case', 'doh', 'mafia', 'viruz', 'get', 'vaccin', 'die', 'vaccin'] ['end', 'covid', 'pandemic', 'pg', 'papain', 'antibitic', 'cough', 'get', 'virus', 'disappeared', 'fraud', 'case', 'doh', 'mafia', 'viruz', 'get', 'vaccinated', 'die', 'vaccine']
58 They made a viruz that is not true that is NO CURE for it. And now they a vaccine that kills people that after two years . When you take the vaccines that they have created. So better take ANTIBIOTIC MEDICINES for cough that the vaccines that kills people after two years. ['made', 'viru', 'true', 'cure', 'vaccin', 'kill', 'peopl', 'two', 'year', 'take', 'vaccin', 'creat', 'better', 'take', 'antibiot', 'medicin', 'cough', 'vaccin', 'kill', 'peopl', 'two', 'year'] ['made', 'virus', 'true', 'cure', 'vaccine', 'kill', 'people', 'two', 'year', 'take', 'vaccine', 'created', 'better', 'take', 'antibiotic', 'medicine', 'cough', 'vaccine', 'kill', 'people', 'two', 'year']
59 Kaya pala libre ang bakuna galing china kasi, 50/50 lang ang efficacy. Cop who got 1st Sinovac dose dies of COVID-19 ['that', 'vaccin', 'china', 'free', 'efficaci', '5050', 'cop', 'got', '1st', 'sinovac', 'dose', 'die', 'covid19'] ['thats', 'vaccine', 'china', 'free', 'efficacy', '5050', 'cop', 'got', '1st', 'sinovac', 'dose', 'dy', 'covid19']
60 Kinakabahan na siguro yung mga Pinoy Healthcare Workers na naturukan ng Sinovac kasi naniwala sila sa propaganda na the best vaccine is what's available chuchu. Ayan, di pala effective, nakakamatay din. Sabi na kasing Western made ang bilhin. Tigas ulo ng D30 Admin. Sinocumita? ['pinoy', 'healthcar', 'worker', 'inject', 'sinovac', 'probabl', 'nervou', 'believ', 'propaganda', 'best', 'vaccin', 'what', 'avail', 'chuchu', 'well', 'effect', 'also', 'deadli', 'said', 'buy', 'western', 'made', 'd30', 'admin', 'stubborn', 'sinocomita'] ['pinoy', 'healthcare', 'worker', 'injected', 'sinovac', 'probably', 'nervous', 'believed', 'propaganda', 'best', 'vaccine', 'whats', 'available', 'chuchu', 'well', 'effective', 'also', 'deadly', 'said', 'buy', 'western', 'made', 'd30', 'admin', 'stubborn', 'sinocomita']
61 Unti-unti na kaming pinapatay ng gobyernong ito sa walang pakundangang pagpapatupad ng mga walang silbing lockdown, quarantine at health protocols. Idagdag pa nito ang nakakamatay na covid-19 vaccine sapagkat tao ang pinagpapraktisan. ['govern', 'slowli', 'kill', 'us', 'reckless', 'implement', 'useless', 'lockdown', 'quarantin', 'health', 'protocol', 'add', 'deadli', 'covid19', 'vaccin', 'practic', 'human'] ['government', 'slowly', 'killing', 'u', 'reckless', 'implementation', 'useless', 'lockdown', 'quarantine', 'health', 'protocol', 'add', 'deadly', 'covid19', 'vaccine', 'practiced', 'human']
62 May anti-vaxxer din pala sa UP Manila? ‘Di epektibo ang COVID-19 vaccine - doktor ['also', 'antivaxx', 'manila', 'covid19', 'vaccin', 'effect', 'doctor'] ['also', 'antivaxxer', 'manila', 'covid19', 'vaccine', 'effective', 'doctor']
63 May covid si sinas..kahit na isa sya sa posibleng nabakunahan na ng smuggled na vaccine last Oct. 2 lang ang punto jan.. di talaga epektibo ang gawang china na vaccine o sinungaling lang talaga sila.. ['sina', 'covid', 'even', 'though', 'one', 'may', 'vaccin', 'smuggl', 'vaccin', 'last', 'oct', '2', 'point', 'chines', 'made', 'vaccin', 'realli', 'effect', 'liar'] ['sinas', 'covid', 'even', 'though', 'one', 'may', 'vaccinated', 'smuggled', 'vaccine', 'last', 'oct', '2', 'point', 'chinese', 'made', 'vaccine', 'really', 'effective', 'liar']
64 PFIZER a KILLER drug ['pfizer', 'killer', 'drug'] ['pfizer', 'killer', 'drug']
65 DOH we dare you to show the numbers of the VACCINATED PEOPLE DYING & hospitalized & disabled versus the unvaccinated.. DOH never ashamed to be a drug dealer of the philippines ['doh', 'dare', 'show', 'number', 'vaccin', 'peopl', 'die', 'hospit', 'disabl', 'versu', 'unvaccin', 'doh', 'never', 'asham', 'drug', 'dealer', 'philippin'] ['doh', 'dare', 'show', 'number', 'vaccinated', 'people', 'dying', 'hospitalized', 'disabled', 'versus', 'unvaccinated', 'doh', 'never', 'ashamed', 'drug', 'dealer', 'philippine']
66 How many are vaccinated with covid? In Europe, Israel, Singapore, more & more vaccinated people are infected with covid. Stop spreading fallacies. Natural immunity, esp w/ those who recovered fr covid, is 27 times stronger than any EXPERIMENTAL BIOLIGICAL AGENT. NO VAX for them! ['mani', 'vaccin', 'covid', 'europ', 'israel', 'singapor', 'vaccin', 'peopl', 'infect', 'covid', 'stop', 'spread', 'fallaci', 'natur', 'immun', 'esp', 'w', 'recov', 'fr', 'covid', '27', 'time', 'stronger', 'etonguestickingoutcheekyplayfulorblowingaraspberryeriment', 'biolig', 'agent', 'vax'] ['many', 'vaccinated', 'covid', 'europe', 'israel', 'singapore', 'vaccinated', 'people', 'infected', 'covid', 'stop', 'spreading', 'fallacy', 'natural', 'immunity', 'esp', 'w', 'recovered', 'fr', 'covid', '27', 'time', 'stronger', 'etonguestickingoutcheekyplayfulorblowingaraspberryerimental', 'bioligical', 'agent', 'vax']
67 Nag collapse bigla? Kawawa naman. Ang mga side effects talaga ng bakuna, hindi mo mamamalayan, biglaan na lang. Rest in peace Jovit. Now it’s time to talk about the side effects of the COVID vaccines that have been forced on people ['collaps', 'suddenli', 'piti', 'side', 'effect', 'vaccin', 'real', 'wont', 'realiz', 'sudden', 'rest', 'peac', 'jovit', 'time', 'talk', 'side', 'effect', 'covid', 'vaccin', 'forc', 'peopl'] ['collapsed', 'suddenly', 'pity', 'side', 'effect', 'vaccine', 'real', 'wont', 'realize', 'sudden', 'rest', 'peace', 'jovit', 'time', 'talk', 'side', 'effect', 'covid', 'vaccine', 'forced', 'people']
68 It's easy to see that More vaccination = more variant ['easi', 'see', 'vaccin', 'variant'] ['easy', 'see', 'vaccination', 'variant']
69 No effect yan experimental vaccine lason!. I got natural immunity dahil gumaling ako agad sa covid . I got test my antibodies ang result 15000 😂. Kht tabihan ko pa yung may sakit ng covid immune n ko. Yung vax niyo hawa pa din 😂 ['effect', 'experiment', 'vaccin', 'poison', 'got', 'natur', 'immun', 'recov', 'immedi', 'covid', 'got', 'test', 'antibodi', 'result', '15000', 'facewithtearsofjoy', 'even', 'next', 'one', 'sick', 'covid', 'immun', 'vax', 'still', 'wear', 'facewithtearsofjoy'] ['effect', 'experimental', 'vaccine', 'poison', 'got', 'natural', 'immunity', 'recovered', 'immediately', 'covid', 'got', 'test', 'antibody', 'result', '15000', 'facewithtearsofjoy', 'even', 'next', 'one', 'sick', 'covid', 'immune', 'vax', 'still', 'wearing', 'facewithtearsofjoy']
70 Ang akala ko safe yang magpavaccine yun pla hindi. Kaibigan ko nagpa vaccine para ma secure ang kaligtasan niya,tuloy mas nagkaroon siya ng covid-19 😔 nakakalungkot lang. ['thought', 'safe', 'get', 'vaccin', 'friend', 'got', 'vaccin', 'secur', 'safeti', 'got', 'covid19', 'pensivefac', 'sad'] ['thought', 'safe', 'get', 'vaccinated', 'friend', 'got', 'vaccine', 'secure', 'safety', 'got', 'covid19', 'pensiveface', 'sad']
71 Mga mamatay tao kayo mga tiga DOH pinilit n'yo bakunahan mga tao ng covid 19 vaccine na pumatay sa libong tao sapagkat lason ito na nagdulot ng ibat-ibang sakit sa mga tao ['die', 'peopl', 'stubborn', 'doh', 'forc', 'vaccin', 'peopl', 'covid', '19', 'vaccin', 'kill', 'thousand', 'peopl', 'poison', 'caus', 'variou', 'diseas', 'peopl'] ['die', 'people', 'stubborn', 'doh', 'forced', 'vaccinate', 'people', 'covid', '19', 'vaccine', 'killed', 'thousand', 'people', 'poison', 'caused', 'various', 'disease', 'people']
72 Panawagan ng grupo, itigil na ang pagsusuot ng facemask, lockdown at pagbabakuna kontra COVID-19 dahil wala umanong COVID-19. ['group', 'appeal', 'stop', 'wear', 'facemask', 'lockdown', 'vaccin', 'covid19', 'thing', 'covid19'] ['group', 'appeal', 'stop', 'wearing', 'facemasks', 'lockdown', 'vaccination', 'covid19', 'thing', 'covid19']
73 @ABSCBNNews Bakuna kontra Covid? O bakunang maglulugmok lalo sa Pilipinas? China made, patay tayo dyan. ['abscbnnew', 'vaccin', 'covid', 'vaccin', 'sink', 'especi', 'philippin', 'china', 'made', 'dead'] ['abscbnnews', 'vaccine', 'covid', 'vaccine', 'sink', 'especially', 'philippine', 'china', 'made', 'dead']
74 @TiyongGo @Audrey39602141 @MacLen315 UNA, PFIZER GUSTO NIYO NA BAKUNA! AT DAHIL MARAMING NAMAMATAY SA PFIZER, KAHIT IKAW AYAW MO NA! NAGPATUROK NA YAN SIYA YUNG MADE IN CHINA NA BAKUNA! IKAW KAILAN KA PAPATUROK NG PFIZER? SA PWET MO RIN BAKLA! WAG LANG TITI IPASOK JAN, MED NG PFIZER PARA WALA KA NG COVID PATAY KA PA ['tiyonggo', 'audrey39602141', 'maclen315', 'first', 'pfizer', 'want', 'vaccin', 'mani', 'die', 'pfizer', 'even', 'dont', 'want', 'inject', 'made', 'china', 'vaccin', 'inject', 'pfizer', 'ass', 'gay', 'dont', 'enter', 'jan', 'med', 'pfizer', 'dont', 'covid', 'still', 'dead'] ['tiyonggo', 'audrey39602141', 'maclen315', 'first', 'pfizer', 'want', 'vaccine', 'many', 'die', 'pfizer', 'even', 'dont', 'want', 'injected', 'made', 'china', 'vaccine', 'inject', 'pfizer', 'as', 'gay', 'dont', 'enter', 'jan', 'med', 'pfizer', 'dont', 'covid', 'still', 'dead']
75 @k_aletha Ang usapin Ngayon @DrTonyLeachon bakit ngayong my bakuna na bt mas marami ang my covid? Bakit Sabi nyo mahawa man pg my bakuna Hindi malala bakit myroon nasaksakan na kritikal ng mgkaroon ng covid tas myroon kinabukasn Patay. Halos my bakuna ang my mga covid Ngayon? ['kaletha', 'question', 'drtonyleachon', 'vaccin', 'covid', 'say', 'even', 'get', 'infect', 'vaccin', 'bad', 'peopl', 'critic', 'stab', 'covid', 'peopl', 'dead', 'next', 'day', 'covid', 'almost', 'vaccin'] ['kaletha', 'question', 'drtonyleachon', 'vaccine', 'covid', 'say', 'even', 'get', 'infected', 'vaccine', 'bad', 'people', 'critically', 'stabbed', 'covid', 'people', 'dead', 'next', 'day', 'covids', 'almost', 'vaccine']
76 @youngjellybean_ Hindi nga tayo patay sa Covid namatay naman tayo sa Overdose kakaulit sa Bakuna hahahaha ['youngjellybean', 'didnt', 'die', 'covid', 'die', 'overdos', 'rather', 'vaccin', 'hahahaha'] ['youngjellybean', 'didnt', 'die', 'covid', 'died', 'overdose', 'rather', 'vaccine', 'hahahaha']
77 Me: Pa pa sched na bakuna dira. Sil Tita nag pa bakuna na gani tung nangligad. Papa: Pigado ng bakuna, may ara di tapos niya 2nd dose napatay, gin charge dayon nila sa COVID. M: Bala patay na sa bakuna kaysa sa COVID eh, te tani ubos na di patay ya mga nabakunahan. ['vaccin', 'still', 'schedul', 'sil', 'tita', 'even', 'vaccin', 'left', 'papa', 'vaccin', 'crush', 'someon', 'die', 'finish', '2nd', 'dose', 'immedi', 'charg', 'covid', 'mayb', 'vaccin', 'deadli', 'covid', 'vaccin', 'dead'] ['vaccine', 'still', 'scheduled', 'sil', 'tita', 'even', 'vaccinated', 'left', 'papa', 'vaccine', 'crushed', 'someone', 'died', 'finished', '2nd', 'dose', 'immediately', 'charged', 'covid', 'maybe', 'vaccine', 'deadly', 'covid', 'vaccinated', 'dead']
78 Nmtay snhi ng tglay n skit d dahil s vx effect-@Irwin Zuproc. SAFE, EFFECTIVE PERO DALAGITA PATAY S BAKUNA m.facebook.com/groups/6279911… s sabi n DOH SEC DUQUE PAO chief Acosta's stunt: 160th Dengvaxia 'victim' dies manilastandard.net/mobile/article… NO TO FORCED COVID VXN change.org/p/philippine-h… ['dont', 'skit', 'vx', 'effectirwin', 'zuproc', 'safe', 'effect', 'girl', 'die', 'vaccin', 'mfacebookcomgroups6279911…', 'said', 'doh', 'sec', 'duqu', 'pao', 'chief', 'acosta', 'stunt', '160th', 'dengvaxia', 'victim', 'die', 'manilastandardnetmobilearticle…', 'forc', 'covid', 'vxn', 'changeorgpphilippineh…'] ['dont', 'skit', 'vx', 'effectirwin', 'zuproc', 'safe', 'effective', 'girl', 'die', 'vaccine', 'mfacebookcomgroups6279911…', 'said', 'doh', 'sec', 'duque', 'pao', 'chief', 'acostas', 'stunt', '160th', 'dengvaxia', 'victim', 'dy', 'manilastandardnetmobilearticle…', 'forced', 'covid', 'vxn', 'changeorgpphilippineh…']
79 @ABSCBNNews @ANCALERTS Wag na kayo mag pa bakuna at lason yang vaccine na yna ['abscbnnew', 'ancalert', 'dont', 'vaccin', 'anymor', 'vaccin', 'poison'] ['abscbnnews', 'ancalerts', 'dont', 'vaccinate', 'anymore', 'vaccine', 'poison']
80 @hiram_ryu VP Leni, huwag na huwag ka magtitiwala sa bakuna na ibibigay nila sa iyo; siguradong may lason iyan! ['hiramryu', 'vp', 'leni', 'never', 'trust', 'vaccin', 'give', 'must', 'poison'] ['hiramryu', 'vp', 'leni', 'never', 'trust', 'vaccine', 'give', 'must', 'poisonous']
81 @inquirerdotnet @DJEsguerraINQ China were asked about COVID-19 when it was starting out, but they lied. What makes you think that they wouldn’t lie again about their so called vaccine? FUNNY. Peke naman lahat sa kanila, damit nga hindi nila magawa ng maayos, vaccine pa kaya. ['inquirerdotnet', 'djesguerrainq', 'china', 'ask', 'covid19', 'start', 'lie', 'make', 'think', 'wouldnt', 'lie', 'call', 'vaccin', 'funni', 'fake', 'cant', 'cloth', 'properli', 'even', 'vaccin'] ['inquirerdotnet', 'djesguerrainq', 'china', 'asked', 'covid19', 'starting', 'lied', 'make', 'think', 'wouldnt', 'lie', 'called', 'vaccine', 'funny', 'fake', 'cant', 'clothes', 'properly', 'even', 'vaccine']
82 @JDzxl Sobrang taas nga ng possibility na sinadya nila ang COVID 19, syempre may kakayahan din silang gawing peke ang vaccine at PPEs nila. #LayasChina ['jdzxl', 'high', 'possibl', 'deliber', 'caus', 'covid', '19', 'cours', 'also', 'abil', 'fake', 'vaccin', 'ppe', 'layaschina'] ['jdzxl', 'high', 'possibility', 'deliberately', 'caused', 'covid', '19', 'course', 'also', 'ability', 'fake', 'vaccine', 'ppes', 'layaschina']
83 lahat talaga dito sa china peke e may kakilala ako dito sa amin nagpaturok ng sinovac kaso nagka sakit paden ng covid . ano walang bisa yang vaccine nyo. twitter.com/inquirerdotnet… ['everyth', 'china', 'fake', 'know', 'someon', 'inject', 'sinovac', 'case', 'got', 'sick', 'covid', 'vaccin', 'invalid', 'twittercominquirerdotnet…'] ['everything', 'china', 'fake', 'know', 'someone', 'injected', 'sinovac', 'case', 'got', 'sick', 'covid', 'vaccine', 'invalid', 'twittercominquirerdotnet…']
84 @Doc4Dead Panu puro focus sa covid mga timang, dapat nag focus nalang sa pag papaalis sa mga dayuhang na nag pupush sa vaccine, na walang kwenta puro control lang ang gusto satin. ['doc4dead', 'focu', 'covid', 'guy', 'focu', 'get', 'rid', 'foreign', 'push', 'vaccin', 'pointless', 'want', 'control'] ['doc4dead', 'focus', 'covid', 'guy', 'focus', 'getting', 'rid', 'foreigner', 'pushed', 'vaccine', 'pointless', 'want', 'control']
85 @News5PH fulled vaccine nag karoon p ng covid. D walang kwenta ang vaccine .magkakaroon k. Dn ng covid ['news5ph', 'full', 'vaccin', 'covid', 'vaccin', 'useless', 'k', 'covid'] ['news5ph', 'full', 'vaccine', 'covid', 'vaccine', 'useless', 'k', 'covid']
86 Walang kwenta yung vaccine mas lalo pa dumami covid ['vaccin', 'useless', 'covid', 'increas'] ['vaccine', 'useless', 'covid', 'increase']
87 Actually baliktad. Unvaccinated needs to be protected from the vaccinated. Kayo ang carrier ng variants. ['actual', 'opposit', 'unvaccin', 'need', 'protect', 'vaccin', 'carrier', 'variant'] ['actually', 'opposite', 'unvaccinated', 'need', 'protected', 'vaccinated', 'carrier', 'variant']
88 Expectation: Getting Covid Vaccines will spare you from hospitalization and death. Reality: ['expect', 'get', 'covid', 'vaccin', 'save', 'hospit', 'death', 'realityembarrassedorblush'] ['expectation', 'getting', 'covid', 'vaccine', 'save', 'hospitalization', 'death', 'realityembarrassedorblushing']
89 If covid vaccines really work then why does the top vaccinated countries (Israel, singapore, UK) having the highest covid cases? ['covid', 'vaccin', 'realli', 'work', 'top', 'vaccin', 'countri', 'israel', 'singapor', 'uk', 'confus', 'highest', 'covid', 'case'] ['covid', 'vaccine', 'really', 'work', 'top', 'vaccinated', 'country', 'israel', 'singapore', 'uk', 'confusion', 'highest', 'covid', 'case']
90 Twitter test 1,2,3. Vaccines and masking don’t work to stop covid 19. ['twitter', 'test', '123', 'vaccin', 'mask', 'dont', 'work', 'stop', 'covid', '19'] ['twitter', 'test', '123', 'vaccine', 'masking', 'dont', 'work', 'stop', 'covid', '19']
91 Vaccinated 100 times more likely to die from COVID-19 vaccine, experts study finds who are being censored by gov’t & the mainstream media! ['vaccin', '100', 'time', 'like', 'die', 'covid19', 'vaccin', 'expert', 'studi', 'find', 'censor', 'govt', 'mainstream', 'media'] ['vaccinated', '100', 'time', 'likely', 'die', 'covid19', 'vaccine', 'expert', 'study', 'find', 'censored', 'govt', 'mainstream', 'medium']
92 Proof that the vaccine is inefficient to fight the virus. Worst, it will lead to death because any covid vaccine is lethal accdg from the true experts being censored. Careful observation must be done to all those already vaccinated since highly adverse effects is possible. ['proof', 'vaccin', 'ineffici', 'fight', 'viru', 'worst', 'lead', 'death', 'covid', 'vaccin', 'lethal', 'accdg', 'true', 'expert', 'censor', 'care', 'observ', 'must', 'done', 'alreadi', 'vaccin', 'sinc', 'highli', 'advers', 'effect', 'possibl'] ['proof', 'vaccine', 'inefficient', 'fight', 'virus', 'worst', 'lead', 'death', 'covid', 'vaccine', 'lethal', 'accdg', 'true', 'expert', 'censored', 'careful', 'observation', 'must', 'done', 'already', 'vaccinated', 'since', 'highly', 'adverse', 'effect', 'possible']
93 “OFW na nabakunahan na ng Covid-19 vaccine, nagpositibo sa sakit sa Mandaue City.” So why be vaccinated if it defeats the purpose. THIS IS A BIG QUESTION THAT MUST ANSWERED BY THE GOV’T ESP THOSE WHO AUTHORED THE VACCINE!!! ['ofw', 'vaccin', 'covid19', 'vaccin', 'test', 'posit', 'diseas', 'mandau', 'citi', 'vaccin', 'defeat', 'purpos', 'big', 'question', 'must', 'answer', 'govt', 'esp', 'author', 'vaccin'] ['ofw', 'vaccinated', 'covid19', 'vaccine', 'tested', 'positive', 'disease', 'mandaue', 'city', 'vaccinated', 'defeat', 'purpose', 'big', 'question', 'must', 'answered', 'govt', 'esp', 'authored', 'vaccine']
94 Ang mahal ng Sinovac, tapos 50% lang efficacy? Bakit ipinipilit ng gobyernong ito ang mahal na vaccine ng hindi masyadong effective to prevent COVID 19? Me porsyentuhan ba yung nagpupush? ['sinovac', 'expens', '50', 'effect', 'govern', 'insist', 'expens', 'vaccin', 'effect', 'prevent', 'covid', '19', 'percentag', 'push'] ['sinovac', 'expensive', '50', 'effective', 'government', 'insisting', 'expensive', 'vaccine', 'effective', 'prevent', 'covid', '19', 'percentage', 'push']
95 hindi nga makakamit herd immunity kung puro sinovac tinuturok nyo kc nga di yan epektib. mga punyetah kayo. ['cant', 'achiev', 'herd', 'immun', 'inject', 'sinovac', 'that', 'effect', 'punyetah'] ['cant', 'achieve', 'herd', 'immunity', 'inject', 'sinovac', 'thats', 'effective', 'punyetahs']
96 putang inang sinovac yan. may na-ospital at namamatay pa din sa covid kahit completed sinovac na ipinipilit pa din. banned na nga sa iba bansa kc basura. hilig nyo @DOHgovph sa basura. basura kc kayo. nyeta. ['sinovac', 'mother', 'whore', 'someon', 'hospit', 'still', 'die', 'covid', 'even', 'though', 'complet', 'sinovac', 'still', 'push', 'alreadi', 'ban', 'countri', 'garbag', 'dohgovph', 'love', 'garbag', 'garbag', 'daughterinlaw'] ['sinovac', 'mother', 'whore', 'someone', 'hospitalized', 'still', 'dying', 'covid', 'even', 'though', 'completed', 'sinovac', 'still', 'pushed', 'already', 'banned', 'country', 'garbage', 'dohgovph', 'love', 'garbage', 'garbage', 'daughterinlaw']
97 Bkt takot na takot kau sa COVID e ung maholdap ka patayin ka hnd kau takot jn mga ungas kht me vaccine mamamatay dn b ka pagkabas mo sa bhay bgla kng sinaksak o d patay ka ano ngaun Ang nagawa ng vaccine wla dba ingot ['afraid', 'covid', 'caught', 'kill', 'afraid', 'bird', 'vaccin', 'kill', 'die', 'leav', 'hous', 'stab', 'dead', 'vaccin'] ['afraid', 'covid', 'caught', 'killed', 'afraid', 'bird', 'vaccine', 'kill', 'die', 'leave', 'house', 'stabbed', 'dead', 'vaccine']
98 Ganyan ang SINOVAC. Bakit ka magpapaturok niyan kung ineffective naman. Hindi pa din alam ang long term side effects ng vaccine na iyan. May ulol tayong Presidente na bumili ng mas mahal na bakuna, pero alam ng mga mamamayan na sablay. Iturok iyan sa lahat ng mga DDS. ['sinovac', 'like', 'would', 'inject', 'ineffect', 'long', 'term', 'side', 'effect', 'vaccin', 'yet', 'known', 'crazi', 'presid', 'bought', 'expens', 'vaccin', 'peopl', 'know', 'mistak', 'inject', 'ddss'] ['sinovac', 'like', 'would', 'inject', 'ineffective', 'long', 'term', 'side', 'effect', 'vaccine', 'yet', 'known', 'crazy', 'president', 'bought', 'expensive', 'vaccine', 'people', 'know', 'mistake', 'inject', 'dds']
99 Kung ineexpect mo pala na may mamamatay sa covid 19 vaccines. Anong kwenta nyang info mo sa dengvaxia? Parehong bakuna. Parehong may reports na namatay! At galing pa sa CDC yan ha! Hindi CONSPIRACY WEBSITE! ['expect', 'someon', 'die', 'covid', '19', 'vaccin', 'use', 'inform', 'dengvaxia', 'vaccin', 'report', 'die', 'that', 'cdc', 'conspiraci', 'websit'] ['expect', 'someone', 'die', 'covid', '19', 'vaccine', 'use', 'information', 'dengvaxia', 'vaccine', 'reported', 'died', 'thats', 'cdc', 'conspiracy', 'website']
100 Sinovac is not an effective vaccine. The Chinese manufacturers even suggest to mix it with other available vaccines out there. Google ninyo pa latest findings. Sana naman, last order ninyo na yan! Ay oo nga pala, karamihan nga pala ng bakuna natin, puro nga lang pala donations. ['sinovac', 'effect', 'vaccin', 'chines', 'manufactur', 'even', 'suggest', 'mix', 'avail', 'vaccin', 'googl', 'latest', 'find', 'hope', 'last', 'order', 'way', 'vaccin', 'donat'] ['sinovac', 'effective', 'vaccine', 'chinese', 'manufacturer', 'even', 'suggest', 'mix', 'available', 'vaccine', 'google', 'latest', 'finding', 'hopefully', 'last', 'order', 'way', 'vaccine', 'donation']
101 China vaccine kills! ['china', 'vaccin', 'kill'] ['china', 'vaccine', 'kill']
102 Ang bakuna ay never pinrivent ang COVID, It is meant to weaken your immune system to kill you, napansin mo, nag bago na katawan mo? Because it is a Bioweapon ['vaccin', 'never', 'prevent', 'covid', 'meant', 'weaken', 'immun', 'system', 'kill', 'notic', 'bodi', 'chang', 'bioweapon'] ['vaccine', 'never', 'prevented', 'covid', 'meant', 'weaken', 'immune', 'system', 'kill', 'noticed', 'body', 'changed', 'bioweapon']
103 Who will determine what is fake news? Parang bakuna, safe and effective daw but it's not, Joe Biden got covid twice even 2x vaxxed and twice boosted. Been proven the vaccinated can also spread and die of the disease...so who is spreading fake news? ['determin', 'fake', 'news', 'like', 'vaccin', 'say', 'safe', 'effect', 'joe', 'biden', 'got', 'covid', 'twice', 'even', '2x', 'vax', 'twice', 'boost', 'proven', 'vaccin', 'also', 'spread', 'die', 'diseaseso', 'spread', 'fake', 'news'] ['determine', 'fake', 'news', 'like', 'vaccine', 'say', 'safe', 'effective', 'joe', 'biden', 'got', 'covid', 'twice', 'even', '2x', 'vaxxed', 'twice', 'boosted', 'proven', 'vaccinated', 'also', 'spread', 'die', 'diseaseso', 'spreading', 'fake', 'news']
104 Yung 12 na active cases po, fully vaxxed and boosted po ba sila? So what's the point of getting vaccinated if you will get covid? To prevent severe cases ba?Ganun rin po results ng early treatment of IVM plus Vitamins minerals to boost immunity thereby avoiding 1/2 ['12', 'activ', 'case', 'fulli', 'vax', 'boost', 'what', 'point', 'get', 'vaccin', 'get', 'covid', 'prevent', 'sever', 'case', 'result', 'earli', 'treatment', 'ivm', 'plu', 'vitamin', 'miner', 'boost', 'immun', 'therebi', 'avoid', '12'] ['12', 'active', 'case', 'fully', 'vaxxed', 'boosted', 'whats', 'point', 'getting', 'vaccinated', 'get', 'covid', 'prevent', 'severe', 'case', 'result', 'early', 'treatment', 'ivm', 'plus', 'vitamin', 'mineral', 'boost', 'immunity', 'thereby', 'avoiding', '12']
105 2/2 hospitalization. It is stipulated in RA11525 that these vaccines are experimental and no long term studies have been made. Do we lower our standards at the expense of our health just to get this treatment? Biden,Fauci even Bourla got covid even after their 5th shot? RETHINK. ['22', 'hospit', 'stipul', 'ra11525', 'vaccin', 'experiment', 'long', 'term', 'studi', 'done', 'lower', 'standard', 'expens', 'health', 'get', 'treatment', 'biden', 'fauci', 'even', 'bourla', 'got', 'covid', 'even', '5th', 'shot', 'rethink'] ['22', 'hospitalization', 'stipulated', 'ra11525', 'vaccine', 'experimental', 'long', 'term', 'study', 'done', 'lower', 'standard', 'expense', 'health', 'get', 'treatment', 'biden', 'fauci', 'even', 'bourla', 'got', 'covid', 'even', '5th', 'shot', 'rethink']
106 Nanakot na naman. Mga paghahambing sa omicron c19. Sino tinatamaan ng c19?Both vax unvax. Sino nahohospital sa Covid?Both vax unvax. Sino namamatay sa C19?Both vax unvax. Sinong maaring magkasakit at mamatay dahil sa bakuna? Sadly, vaxxed lang. ['scare', 'comparison', 'omicron', 'c19', 'c19', 'hitboth', 'vax', 'unvax', 'hospit', 'covid', 'vax', 'unvax', 'die', 'c19both', 'vax', 'unvax', 'get', 'sick', 'die', 'vaccin', 'sadli', 'vax'] ['scared', 'comparison', 'omicron', 'c19', 'c19', 'hitboth', 'vax', 'unvax', 'hospitalized', 'covid', 'vax', 'unvax', 'dy', 'c19both', 'vax', 'unvax', 'get', 'sick', 'die', 'vaccine', 'sadly', 'vaxxed']
107 The IATF widens the divide in PHL society. Here are some questions : a. Who gets infected with Covid .. B oth vaxxed and unvaxxed. b. Who dies of Covid? Both vaxxed and unvaxxed. c. Who gets hospitalized of Covid? Both vaxxed and unvaxxed...meron pa ['iatf', 'widen', 'divid', 'phl', 'societi', 'question', 'get', 'infect', 'covid', 'vax', 'unvax', 'b', 'die', 'covid', 'wax', 'unvax', 'c', 'get', 'hospit', 'covid', 'vax', 'unvaxxedther'] ['iatf', 'widens', 'divide', 'phl', 'society', 'question', 'get', 'infected', 'covid', 'vaxxed', 'unvaxxed', 'b', 'dy', 'covid', 'waxed', 'unvaxxed', 'c', 'get', 'hospitalized', 'covid', 'vaxxed', 'unvaxxedthere']
108 Who gets adverse effects due to experimental treatment? Sadly, Only the vaxxed. Magisip wag magpauto. ['get', 'advers', 'effect', 'due', 'experiment', 'treatment', 'sadli', 'vax', 'dont', 'think'] ['get', 'adverse', 'effect', 'due', 'experimental', 'treatment', 'sadly', 'vaxxed', 'dont', 'think']
109 MG AMOXICILLINE 500 mg at CARBOSISTINE CAPSULS NA LANG TAYO PAN LABAN SA COVID VIRUZ GAMOT NA MY PROTECTION PA SA COVID VIRUZ MURA NA SUNOK NA SIYA NOON PA. KYSA SA MGA VACCINES NA PALPAK GAMITIN. NA MAMATAY DIN ANG NATURUKAN. NG VACCINES. LABAN SA VIRUZ. ['mg', 'amoxicillin', '500', 'mg', 'carbosistin', 'capsul', 'medicin', 'covid', 'viruz', 'protect', 'covid', 'viruz', 'alreadi', 'smoke', 'kysa', 'vaccin', 'use', 'inject', 'also', 'die', 'vaccin', 'virus'] ['mg', 'amoxicilline', '500', 'mg', 'carbosistine', 'capsuls', 'medicine', 'covid', 'viruz', 'protection', 'covid', 'viruz', 'already', 'smoking', 'kysa', 'vaccine', 'used', 'injected', 'also', 'die', 'vaccine', 'virus']
110 Pinihahan lang tayo ng gobyerno sa pg bili at umutang pa sa pg bili ng mga vaccines na wala namang epekto sa covid viruz na yan. Ng bulsa lang sila ng mga pera na babayaran nating lahat. Kaya ibalik ang BITAY sa mg nanakaw sa gibyerno tulad niyan umutang lng. ['govern', 'cheat', 'us', 'price', 'even', 'borrow', 'price', 'vaccin', 'effect', 'covid', 'viru', 'pocket', 'money', 'pay', 'return', 'gang', 'stole', 'govern', 'like', 'borrow'] ['government', 'cheated', 'u', 'price', 'even', 'borrowed', 'price', 'vaccine', 'effect', 'covid', 'virus', 'pocket', 'money', 'pay', 'return', 'gang', 'stole', 'government', 'like', 'borrow']
111 Ay Dapat Lang! Alamin nyo o Ipaalam niyo rin ang totoong EPEKTO Ng Covid Vaccines!!! Ang daming namamatay sa Europe at ibang bansa hindi dahil sa Covid19 kungdi sa pesteng Bakunang ya'n! At bigyan ng hustistya ang mga nawalan! ['find', 'let', 'us', 'know', 'true', 'effect', 'covid', 'vaccin', 'number', 'death', 'europ', 'countri', 'covid19', 'vaccin', 'pest', 'give', 'justic', 'lost'] ['find', 'let', 'u', 'know', 'true', 'effect', 'covid', 'vaccine', 'number', 'death', 'europe', 'country', 'covid19', 'vaccine', 'pest', 'give', 'justice', 'lost']
112 The #Pandemic was faked!!! Admit iT! Mas maraming Pinatay/Ginugutom/Pinahihirapan at Pinapatay ang Bakuna at ang Lockdown nang mga Putang Inang Departmen of HELL na yan! BAKIT DI NYO IBALITA ANG TOTOONG NANGYAYARE?CLUE:SA EUROPA AT IBANG WESTERN COUNTRIES DAMI NG PATAY...DYOR!!! ['pandem', 'fake', 'admit', 'killedstarvedtortur', 'kill', 'vaccin', 'lockdown', 'mother', 'whore', 'departmen', 'hell', 'dont', 'report', 'realli', 'happen', 'clueskepticalannoyedundecideduneasyorhesitatinga', 'europ', 'western', 'countri', 'number', 'deaddyor'] ['pandemic', 'faked', 'admit', 'killedstarvedtortured', 'killed', 'vaccine', 'lockdown', 'mother', 'whore', 'departmen', 'hell', 'dont', 'report', 'really', 'happening', 'clueskepticalannoyedundecideduneasyorhesitatinga', 'europe', 'western', 'country', 'number', 'deaddyor']
113 wala naman talagang epekto yung vaccine 🤷 kahit vaccinated ka mag ppositive ka pa rin sa covid. pero di naman niya sinabing wag magpa vaccine. masyadong makitid utak ng mga 'to ['vaccin', 'realli', 'effect', 'personshrug', 'even', 'vaccin', 'still', 'posit', 'covid', 'didnt', 'say', 'get', 'vaccin', 'narrow', 'mind'] ['vaccine', 'really', 'effect', 'personshrugging', 'even', 'vaccinated', 'still', 'positive', 'covid', 'didnt', 'say', 'get', 'vaccine', 'narrow', 'minded']
114 Mr Joey, may masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. ['mr', 'joey', 'vaccin', 'bad', 'effect', 'long', 'run', 'dont', 'listen', 'say', 'good', 'bodi', 'mani', 'data', 'stori', 'vaccin', 'injuri', 'mainstream', 'media', 'tri', 'suppress', 'covid', 'vaccin', 'made', 'elit'] ['mr', 'joey', 'vaccine', 'bad', 'effect', 'long', 'run', 'dont', 'listen', 'say', 'good', 'body', 'many', 'data', 'story', 'vaccine', 'injury', 'mainstream', 'medium', 'try', 'suppress', 'covid', 'vaccine', 'made', 'elite']
115 that mindset, wow! that’s the result of too much toxins in the body caused by vaccines promulgated by Fauci and Gates. Know the TRUTH, doc! KNOW THE TRUTH! #EvilCannotStayHereOnEarthForLong ['mindset', 'wow', 'that', 'result', 'mani', 'toxin', 'bodi', 'caus', 'vaccin', 'promulg', 'fauci', 'gate', 'know', 'truth', 'doc', 'know', 'truth', 'evilcannotstayhereonearthforlong'] ['mindset', 'wow', 'thats', 'result', 'many', 'toxin', 'body', 'caused', 'vaccine', 'promulgated', 'fauci', 'gate', 'know', 'truth', 'doc', 'know', 'truth', 'evilcannotstayhereonearthforlong']
116 Dear DOH, Sana aware din kayo sa vaccine injuries na nahdudulot ng blot clots, nagdedevelop ng auto immune diseases, and even death. Sana igalang nyo kung ang ibang tao ayaw magpaturok, hindi dapat ito sapilitan, ika nga “my body my choice” ['dear', 'doh', 'hope', 'also', 'awar', 'vaccin', 'injuri', 'caus', 'blot', 'clot', 'develop', 'auto', 'immun', 'diseas', 'even', 'death', 'hope', 'respect', 'peopl', 'dont', 'want', 'inject', 'shouldnt', 'forc', 'bodi', 'choic'] ['dear', 'doh', 'hope', 'also', 'aware', 'vaccine', 'injury', 'cause', 'blot', 'clot', 'develop', 'auto', 'immune', 'disease', 'even', 'death', 'hope', 'respect', 'people', 'dont', 'want', 'injection', 'shouldnt', 'forced', 'body', 'choice']
117 VACCINES are UNSAFE!!! ['vaccin', 'unsaf'] ['vaccine', 'unsafe']
118 PEOPLE WAKE UP, These vaccines are poisons! #Pfizer ['peopl', 'wake', 'vaccin', 'poison', 'pfizer'] ['people', 'wake', 'vaccine', 'poison', 'pfizer']
119 Dear ELITES, tama na panloloko please? yung bakuna ang nakaka sira ng katawan hindi ang COVID. At sa mainstream media naman, tigilan nyo na ang paggatong sa mga ELITE na yan, utang na loob. lalabas na din ang katotohanan. ['dear', 'elit', 'cheat', 'pleas', 'vaccin', 'destroy', 'bodi', 'covid', 'mainstream', 'media', 'stop', 'fuel', 'elit', 'thank', 'truth', 'come'] ['dear', 'elite', 'cheating', 'please', 'vaccine', 'destroys', 'body', 'covid', 'mainstream', 'medium', 'stop', 'fueling', 'elite', 'thank', 'truth', 'come']
120 Gusto paabuyin pa ng DECEMBER tapodsin ni CARLITO GALVES ang pg papa vaccine. Na wala naman epekto sa covid biruz. Mabuti pa mg protection ng ANTIBIOTIC sa ubo. Mura na epektibo pa gamitin tulad ng AMOXICILLINE 500mg at sabayan ng CARBOSISTINE CAPSUL. ['carlito', 'galv', 'want', 'wait', 'decemb', 'get', 'papa', 'vaccin', 'effect', 'covid', 'viru', 'antibiot', 'protect', 'cough', 'good', 'cheap', 'yet', 'effect', 'use', 'like', 'amoxicillin', '500mg', 'togeth', 'carbosistin', 'capsul'] ['carlito', 'galves', 'want', 'wait', 'december', 'get', 'papa', 'vaccine', 'effect', 'covid', 'virus', 'antibiotic', 'protection', 'cough', 'good', 'cheap', 'yet', 'effective', 'use', 'like', 'amoxicilline', '500mg', 'together', 'carbosistine', 'capsul']
121 Bakuna ng china 50%buhay ka, 50%patay ka Cop who got 1st Sinovac dose dies of COVID-19 https://newsinfo.inquirer.net/1425825/cop-who-got-1st-sinovac-dose-dies-of-covid-19 ['china', 'vaccin', '50', 'aliv', '50', 'dead', 'cop', 'got', '1st', 'sinovac', 'dose', 'die', 'covid19', 'httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19'] ['china', 'vaccine', '50', 'alive', '50', 'dead', 'cop', 'got', '1st', 'sinovac', 'dose', 'dy', 'covid19', 'httpsskepticalannoyedundecideduneasyorhesitantnewsinfoinquirernet1425825copwhogot1stsinovacdosediesofcovid19']
122 Pag nasusukol, iba ang paraan ng pagsagot, Kayo Ang Problema, dilawang liberal, Masahol PaKayo Sa Covid virus dahil NilalasonNyoIsip ngMgaPilipino hinggil sa Sinovac vaccine ng China, hindi kayo nakakatulong sa pagsugpo ng pandemic virus ['resist', 'differ', 'way', 'answer', 'problem', 'yellow', 'liber', 'even', 'wors', 'covid', 'viru', 'poison', 'thought', 'filipino', 'regard', 'china', 'sinovac', 'vaccin', 'help', 'suppress', 'pandem', 'viru'] ['resisted', 'different', 'way', 'answer', 'problem', 'yellow', 'liberal', 'even', 'worse', 'covid', 'virus', 'poisoning', 'thought', 'filipino', 'regarding', 'china', 'sinovac', 'vaccine', 'helping', 'suppress', 'pandemic', 'virus']
123 Sayang ang ASTRAZENECA at sayang ang pera ng taong bayan sa sinovac na walang kwenta na bakuna. Bili siya ng bili para may kita siya, at kaibigan niya ang china. Wala siyang paki sa sambayanan kung mag ka covid uli dahil nabakunahan ng gawang bakuna sa CHINA. ['wast', 'astrazeneca', 'wast', 'public', 'money', 'sinovac', 'worthless', 'vaccin', 'worth', 'price', 'make', 'money', 'china', 'friend', 'use', 'peopl', 'get', 'covid', 'vaccin', 'vaccin', 'made', 'china'] ['waste', 'astrazeneca', 'waste', 'public', 'money', 'sinovac', 'worthless', 'vaccine', 'worth', 'price', 'make', 'money', 'china', 'friend', 'use', 'people', 'get', 'covid', 'vaccinated', 'vaccine', 'made', 'china']
124 WALANG KWENTA KASI ANG BAKUNA NG TSINA The Persian Gulf island nation of Bahrain, battling a sharp resurgence of Covid-19 despite high levels of inoculation with a Chinese-made vaccine, has started giving booster shots using the Pfizer shot wsj.com/articles/bahra… via @WSJ ['china', 'vaccin', 'useless', 'persian', 'gulf', 'island', 'nation', 'bahrain', 'battl', 'sharp', 'resurg', 'covid19', 'despit', 'high', 'level', 'inocul', 'chinesemad', 'vaccin', 'start', 'give', 'booster', 'shot', 'use', 'pfizer', 'shot', 'wsjcomarticlesbahra…', 'via', 'wsj'] ['china', 'vaccine', 'useless', 'persian', 'gulf', 'island', 'nation', 'bahrain', 'battling', 'sharp', 'resurgence', 'covid19', 'despite', 'high', 'level', 'inoculation', 'chinesemade', 'vaccine', 'started', 'giving', 'booster', 'shot', 'using', 'pfizer', 'shot', 'wsjcomarticlesbahra…', 'via', 'wsj']
125 Tanginang Covid to, Ano yang Delta niyo? season 3? walang kwenta yang bakuna niyo! ['covid', 'delta', 'season', '3', 'vaccin', 'useless'] ['covid', 'delta', 'season', '3', 'vaccine', 'useless']
126 Araw-araw na lang yung tangina niyang litanya na walang kwenta yung mga bakuna kasi nagakaka-hawaan parin ng covid. ['everi', 'day', 'litani', 'vaccin', 'useless', 'covid', 'still', 'contagi'] ['every', 'day', 'litany', 'vaccine', 'useless', 'covid', 'still', 'contagious']
127 Kayo na rin nagsabi na marami ng variants ang covid ... So maski may bakuna ka na ...hindi ka pa rin safe ... Pwede ka dapuan ng ibang variant ... So ako maski fully vaccinated nako ... Tuloy lang ako sa pag face mask at face shield ... ['also', 'said', 'mani', 'variant', 'covid', 'even', 'vaccin', 'still', 'safe', 'get', 'anoth', 'variant', 'even', 'though', 'fulli', 'vaccin', 'keep', 'go', 'im', 'wear', 'face', 'mask', 'face', 'shield'] ['also', 'said', 'many', 'variant', 'covid', 'even', 'vaccine', 'still', 'safe', 'get', 'another', 'variant', 'even', 'though', 'fully', 'vaccinated', 'keep', 'going', 'im', 'wearing', 'face', 'mask', 'face', 'shield']
128 BAKUNA KONTRA COVID HINDI SAFE SA MAYROON SAKIT? ANO ITO? PANOORIN - DR ... youtu.be/j8hcNe8sUW0 via @YouTube ['vaccin', 'covid', 'safe', 'diseas', 'watch', 'dr', 'youtubej8hcne8suw0', 'via', 'youtub'] ['vaccine', 'covid', 'safe', 'disease', 'watch', 'dr', 'youtubej8hcne8suw0', 'via', 'youtube']
129 DOH bakit corrupt kayo?? Doktor niyo parang drug dealer kung magadvice ng bakuna. Covid vaccine hindi safe at di pa tinest kung nakakahinto ng virus pala. Puro nabakunahan pa nagkakasakit at sabi niyo safe? ['doh', 'corrupt', 'doctor', 'like', 'drug', 'dealer', 'recommend', 'vaccin', 'covid', 'vaccin', 'safe', 'test', 'stop', 'viru', 'still', 'get', 'sick', 'vaccin', 'say', 'safe'] ['doh', 'corrupt', 'doctor', 'like', 'drug', 'dealer', 'recommend', 'vaccine', 'covid', 'vaccine', 'safe', 'tested', 'stop', 'virus', 'still', 'getting', 'sick', 'vaccinated', 'say', 'safe']
130 ligtas nga sa covid namatay namn sa pagod kasi di kinaya yung vaccine AHSHSHASHA ['safe', 'covid', 'die', 'exhaust', 'couldnt', 'take', 'vaccin', 'ahshshasha'] ['safe', 'covid', 'died', 'exhaustion', 'couldnt', 'take', 'vaccine', 'ahshshasha']
131 May masamang epekto yang vaccines na yan in the long run. Bakit hindi nyo pakinggan ang mga nagsasabing hindi ito maganda sa katawan? madami nang datos at istorya ng vaccine injuries na pilit sinusupress ng mainstream media. Gawa ng mga elite yang COVID at bakuna. ['vaccin', 'bad', 'effect', 'long', 'run', 'dont', 'listen', 'say', 'good', 'bodi', 'mani', 'data', 'stori', 'vaccin', 'injuri', 'mainstream', 'media', 'tri', 'suppress', 'covid', 'vaccin', 'made', 'elit'] ['vaccine', 'bad', 'effect', 'long', 'run', 'dont', 'listen', 'say', 'good', 'body', 'many', 'data', 'story', 'vaccine', 'injury', 'mainstream', 'medium', 'try', 'suppress', 'covid', 'vaccine', 'made', 'elite']
132 Eh gaya ng COVID-19 brouhaha hanggang ngayon walang isolated and purified specimen, at ang facemask at lockdown ay health hazard, ang bakuna ay lason. ['like', 'covid19', 'brouhaha', 'isol', 'purifi', 'specimen', 'facemask', 'lockdown', 'health', 'hazard', 'vaccin', 'poison'] ['like', 'covid19', 'brouhaha', 'isolated', 'purified', 'specimen', 'facemask', 'lockdown', 'health', 'hazard', 'vaccine', 'poison']
133 Mr President BBM sana matigil na ang bakuna dahil marami na pong nagkakasakit at nangamatay sa lason na yan. Isa po ako sa na- paralyzed ang kalahati kong katawan dahil po sa bakuna. At ang carrier ngayon ng Covid ay mga vaccinated po Mr President... Sana po mag imbestiga po kayo ['mr', 'presid', 'bbm', 'hope', 'vaccin', 'stop', 'mani', 'peopl', 'get', 'sick', 'die', 'poison', 'im', 'one', 'got', 'half', 'bodi', 'paralyz', 'vaccin', 'current', 'carrier', 'covid', 'vaccin', 'peopl', 'mr', 'presid', 'hope', 'investig'] ['mr', 'president', 'bbm', 'hope', 'vaccine', 'stopped', 'many', 'people', 'getting', 'sick', 'dying', 'poison', 'im', 'one', 'got', 'half', 'body', 'paralyzed', 'vaccine', 'current', 'carrier', 'covid', 'vaccinated', 'people', 'mr', 'president', 'hope', 'investigate']
134 Oh GOD natatakot ako dito sobra di epektib sa mga bakuna now.. Delta is much deadlier kind of variant nahuhuli na naman ang mga news org. ng Pilipinas hmmp. ['oh', 'god', 'im', 'afraid', 'ineffect', 'vaccin', 'delta', 'much', 'deadlier', 'kind', 'variant', 'news', 'org', 'catch', 'philippin', 'hmm'] ['oh', 'god', 'im', 'afraid', 'ineffective', 'vaccine', 'delta', 'much', 'deadlier', 'kind', 'variant', 'news', 'orgs', 'catching', 'philippine', 'hmm']
135 pa drop po anong klaseng bakuna meron kayo? di ata epektib yung sakin ['kind', 'vaccin', 'effect'] ['kind', 'vaccine', 'effective']
136 Dito we have two neighbors vaccinated pero patay did tinamaan din ang virus hindi effective yung bakuna na iyan ['two', 'neighbor', 'vaccin', 'viru', 'also', 'kill', 'vaccin', 'effect'] ['two', 'neighbor', 'vaccinated', 'virus', 'also', 'killed', 'vaccine', 'effective']
137 Gusto ko ung pinipilit nila ung mga tao magpabakuna kesyo di makakagala or makakalabas pag walang bakuna tas sa balita napanuod ko patay dahil sa bakuna 😣 ['like', 'forc', 'peopl', 'get', 'vaccin', 'cant', 'travel', 'go', 'without', 'vaccin', 'watch', 'news', 'die', 'vaccin', 'perseveringfac'] ['like', 'force', 'people', 'get', 'vaccinated', 'cant', 'travel', 'go', 'without', 'vaccine', 'watched', 'news', 'died', 'vaccine', 'perseveringface']
138 Stop vaccination! Dami na ang vaccine deaths at vaccine injuries sa Pilipinas! Sa America, confirmed mahigit 45,000 namatay sa 2nd dose ng bakuna at may 948,000 ang naparalisa, sakit sa utak, heart disease, disorder sa regla, pagkamatay ng sanggol, tinnitus, etc! @lenirobredo ['stop', 'vaccin', 'mani', 'vaccin', 'death', 'vaccin', 'injuri', 'philippin', 'america', 'confirm', '45000', 'die', '2nd', 'dose', 'vaccin', '948000', 'paralyz', 'brain', 'diseas', 'heart', 'diseas', 'menstrual', 'disord', 'infant', 'death', 'tinnitu', 'etc', 'lenirobredo'] ['stop', 'vaccination', 'many', 'vaccine', 'death', 'vaccine', 'injury', 'philippine', 'america', 'confirmed', '45000', 'died', '2nd', 'dose', 'vaccine', '948000', 'paralyzed', 'brain', 'disease', 'heart', 'disease', 'menstrual', 'disorder', 'infant', 'death', 'tinnitus', 'etc', 'lenirobredo']
139 Kill your cops! @DOHgovph vax is too useless vs delta & omicron. It is plain lethal injection thru its deadly side effects as reflected by US-VAERS Data that runs to more than 18,000 vaccine deaths in the U.S. alone & more thn 2 million serious vax injuries e.g. paralysis in EU ['kill', 'cop', 'dohgovph', 'vax', 'useless', 'vs', 'delta', 'omicron', 'plain', 'lethal', 'inject', 'thru', 'deadli', 'side', 'effect', 'reflect', 'usvaer', 'data', 'run', '18000', 'vaccin', 'death', 'us', 'alon', 'thn', '2', 'million', 'seriou', 'vax', 'injuri', 'eg', 'paralysi', 'eu'] ['kill', 'cop', 'dohgovph', 'vax', 'useless', 'v', 'delta', 'omicron', 'plain', 'lethal', 'injection', 'thru', 'deadly', 'side', 'effect', 'reflected', 'usvaers', 'data', 'run', '18000', 'vaccine', 'death', 'u', 'alone', 'thn', '2', 'million', 'serious', 'vax', 'injury', 'eg', 'paralysis', 'eu']
140 Walabg inilalabas na data re vax injuries and vax deaths! The info is intentionally supressed! @sofiatomacruz better investigate it. In US more than 18,000 vax deaths & more than 3 million vax injuries in EU! Vax threshold is 138 deaths & if it hits it, vax must be stopped! ['data', 'releas', 'vax', 'injuri', 'vax', 'death', 'info', 'intent', 'suppress', 'sofiatomacruz', 'better', 'investig', 'us', '18000', 'vax', 'death', '3', 'million', 'vax', 'injuri', 'eu', 'vax', 'threshold', '138', 'death', 'hit', 'vax', 'must', 'stop'] ['data', 'released', 'vax', 'injury', 'vax', 'death', 'info', 'intentionally', 'suppressed', 'sofiatomacruz', 'better', 'investigate', 'u', '18000', 'vax', 'death', '3', 'million', 'vax', 'injury', 'eu', 'vax', 'threshold', '138', 'death', 'hit', 'vax', 'must', 'stopped']
141 You are killing people. Some 19,000 vax deaths and 932,000 vax injuries per US cdc, fda, vaers data. It is genocide, mr abalos! @MMDA ['kill', 'peopl', '19000', 'vax', 'death', '932000', 'vax', 'injuri', 'per', 'us', 'cdc', 'fda', '\u200b\u200bvaer', 'data', 'genocid', 'mr', 'abalo', 'mmda'] ['killing', 'people', '19000', 'vax', 'death', '932000', 'vax', 'injury', 'per', 'u', 'cdc', 'fda', '\u200b\u200bvaers', 'data', 'genocide', 'mr', 'abalos', 'mmda']
142 @DickGordonDG @DOHgovph is lying! In US there are 19,000 vax deaths! In PH, @DOHgovph cover up is real. Investigate these and thousands more cases! @sofiatomacruz expose doh, fda, and many hospitals in vax deaths and vax injuries cases! @inquirerdotnet @maracepeda ['dickgordondg', 'dohgovph', 'lie', 'us', '19000', 'vax', 'death', 'ph', 'dohgovph', 'cover', 'real', 'investig', 'thousand', 'case', 'sofiatomacruz', 'expos', 'doh', 'fda', '\u200b\u200band', 'mani', 'hospit', 'vax', 'death', 'vax', 'injuri', 'case', 'inquirerdotnet', 'maracepeda'] ['dickgordondg', 'dohgovph', 'lying', 'u', '19000', 'vax', 'death', 'ph', 'dohgovph', 'cover', 'real', 'investigate', 'thousand', 'case', 'sofiatomacruz', 'expose', 'doh', 'fda', '\u200b\u200band', 'many', 'hospital', 'vax', 'death', 'vax', 'injury', 'case', 'inquirerdotnet', 'maracepeda']
143 Stop vax! It is killing people! Why inquirer is too quiet or dies not bother to report the true records of vax deaths and vaccine injuries? I thought your newd org is that good and reliable in bringing out true news! ['stop', 'vax', 'kill', 'peopl', 'inquir', 'quiet', 'die', 'bother', 'report', 'true', 'record', 'vax', 'death', 'vaccin', 'injuri', 'thought', 'new', 'org', 'good', 'reliabl', 'bring', 'true', 'news'] ['stop', 'vax', 'killing', 'people', 'inquirer', 'quiet', 'dy', 'bother', 'report', 'true', 'record', 'vax', 'death', 'vaccine', 'injury', 'thought', 'new', 'org', 'good', 'reliable', 'bringing', 'true', 'news']
144 Stop your idiocy. Even vaccinated gets covid & die. Do you know that there are more than 45,000 vax deaths & 948,000 vaccine injuries? Read CDC/FDA/VAERS reports. Your vaccines are not even vaccines. All if it are EXPERIMENTAL BIOLOGICAL AGENTS. Stop misinformation! Be a doctor! ['stop', 'idioci', 'even', 'vaccin', 'get', 'covid', 'die', 'know', '45000', 'vax', 'death', '948000', 'vaccin', 'injuri', 'read', 'cdcfdavaer', 'report', 'vaccin', 'even', 'vaccin', 'etonguestickingoutcheekyplayfulorblowingaraspberryeriment', 'biolog', 'agent', 'stop', 'misinform', 'doctor'] ['stop', 'idiocy', 'even', 'vaccinated', 'get', 'covid', 'dy', 'know', '45000', 'vax', 'death', '948000', 'vaccine', 'injury', 'read', 'cdcfdavaers', 'report', 'vaccine', 'even', 'vaccine', 'etonguestickingoutcheekyplayfulorblowingaraspberryerimental', 'biological', 'agent', 'stop', 'misinformation', 'doctor']
145 Stop vax. Moderna vax causes liver disease. You shld know it. ['stop', 'vax', 'modern', 'vaccin', 'caus', 'liver', 'diseas', 'know'] ['stop', 'vax', 'modern', 'vaccine', 'cause', 'liver', 'disease', 'know']
146 You twist facts! 1) it is not a vaccine. It is an experimental biological agent! 2) top vaccinologists claim these "fake vaccines" dont prevent infection based on scientific studies: it does not work 100%. Its safety is even questioned re US-CDC report 45,000 vax desths & more! ['twist', 'fact', '1', 'confus', 'vaccin', 'experiment', 'biolog', 'agent', '2confus', 'top', 'vaccinologist', 'claim', 'fake', 'vaccin', 'dont', 'prevent', 'infect', 'base', 'scientif', 'studi', 'work', '100', 'safeti', 'even', 'question', 'uscdc', 'report', '45000', 'vax', 'death'] ['twist', 'fact', '1', 'confusion', 'vaccine', 'experimental', 'biological', 'agent', '2confusion', 'top', 'vaccinologists', 'claim', 'fake', 'vaccine', 'dont', 'prevent', 'infection', 'based', 'scientific', 'study', 'work', '100', 'safety', 'even', 'questioned', 'uscdc', 'report', '45000', 'vax', 'death']
147 Every politician is in panic mode now, weaponizing fear to advance the delusional concept of covid prevention thru vax --now even proven a failure. In germany 95% infected r vaccinated. In PGH, 60% covid cases r vaccinated. @MMDA is despotic with its current illegal order! ['everi', 'politician', 'panic', 'mode', 'weapon', 'fear', 'advanc', 'delusion', 'concept', 'covid', 'prevent', 'thru', 'vax', 'even', 'proven', 'failur', 'germani', '95', 'infect', 'r', 'vaccin', 'pgh', '60', 'covid', 'case', 'r', 'vaccin', 'mmda', 'despot', 'current', 'illeg', 'order'] ['every', 'politician', 'panic', 'mode', 'weaponizing', 'fear', 'advance', 'delusional', 'concept', 'covid', 'prevention', 'thru', 'vax', 'even', 'proven', 'failure', 'germany', '95', 'infected', 'r', 'vaccinated', 'pgh', '60', 'covid', 'case', 'r', 'vaccinated', 'mmda', 'despotic', 'current', 'illegal', 'order']
148 Your mom shld promote Dr. Peter McCollough early treatment protocols to STOP COVID. Vax doesnt prevent delta & omicron infections. Your mom cn reach Dr. Peter McCollough, fr Texas. He is too popular & can be reached thru US senate, US Sen. Ron Johnson, Steve Bannon. Stop COVID! ['mom', 'shld', 'promot', 'dr', 'peter', 'mccollough', 'earli', 'treatment', 'protocol', 'stop', 'covid', 'vax', 'prevent', 'delta', 'omicron', 'infect', 'mom', 'cn', 'reach', 'dr', 'peter', 'mccollough', 'fr', 'texa', 'popular', 'reach', 'thru', 'us', 'senat', 'us', 'sen', 'ron', 'johnson', 'steve', 'bannon', 'stop', 'covid'] ['mom', 'shld', 'promote', 'dr', 'peter', 'mccollough', 'early', 'treatment', 'protocol', 'stop', 'covid', 'vax', 'prevent', 'delta', 'omicron', 'infection', 'mom', 'cn', 'reach', 'dr', 'peter', 'mccollough', 'fr', 'texas', 'popular', 'reached', 'thru', 'u', 'senate', 'u', 'sen', 'ron', 'johnson', 'steve', 'bannon', 'stop', 'covid']
149 Pakitanung po bkt ayw nila tigil ang Vax mandate kung sbi ng mga expert sa ibang bansa hindi daw ito maganda sa kalusugan. Kung para sa tao sila bkit ayw nla tigil? Pra sa Filipino? Hayaan b nla mamatay ang tao Basta sila parin nakaupo??? ['pleas', 'ask', 'dont', 'want', 'stop', 'vax', 'mandat', 'expert', 'countri', 'say', 'good', 'health', 'peopl', 'stop', 'filipino', 'let', 'peopl', 'die', 'long', 'still', 'sit'] ['please', 'ask', 'dont', 'want', 'stop', 'vax', 'mandate', 'expert', 'country', 'say', 'good', 'health', 'people', 'stop', 'filipino', 'let', 'people', 'die', 'long', 'still', 'sitting']
150 Bakit sila pumayag sa mandatory vaccine pea sa publiko kng sa ibang bansa Bawal na ito anu ang basehan nila na ligtas ang vaccine kng sa abroad Maraming namamatay dito? Bkt Kailangan my waiver kng Di delikado ang covid vaccine???? ['agre', 'mandatori', 'vaccin', 'pea', 'public', 'kng', 'countri', 'allow', 'basi', 'vaccin', 'kng', 'abroad', 'safe', 'mani', 'peopl', 'die', 'need', 'waiver', 'covid', 'vaccin', 'danger'] ['agree', 'mandatory', 'vaccine', 'pea', 'public', 'kng', 'country', 'allowed', 'basis', 'vaccine', 'kng', 'abroad', 'safe', 'many', 'people', 'die', 'need', 'waiver', 'covid', 'vaccine', 'dangerous']
151 Sana Matanong niyo to sa Lahat ng tumatakbo sabi ng mga expert itigil ang vaccine pero dito gusto niyo tuloy kahit masama sa kalusugan. Bakit Kailangan namin kayong iboto kung hindi niyo itigil ang vaccine. Kala namin para sa Filipino kayo??? ['hope', 'ask', 'everyon', 'run', 'expert', 'say', 'stop', 'vaccin', 'still', 'want', 'even', 'bad', 'health', 'need', 'vote', 'dont', 'stop', 'vaccin', 'filipino'] ['hope', 'ask', 'everyone', 'running', 'expert', 'say', 'stop', 'vaccine', 'still', 'want', 'even', 'bad', 'health', 'need', 'vote', 'dont', 'stop', 'vaccine', 'filipino']
152 I hope social media platform won't be biased, we are all affected by Vax mandate and it clearly shows that it is NOT SAFE and EFFECTIVE as they want us all to believe. why would you guys suspend ordinary citizen's accnt? Why not the gov't? ['hope', 'social', 'media', 'platform', 'wont', 'bias', 'affect', 'vax', 'mandat', 'clearli', 'show', 'safe', 'effect', 'want', 'us', 'believ', 'would', 'guy', 'suspend', 'ordinari', 'citizen', 'accnt', 'govt'] ['hope', 'social', 'medium', 'platform', 'wont', 'biased', 'affected', 'vax', 'mandate', 'clearly', 'show', 'safe', 'effective', 'want', 'u', 'believe', 'would', 'guy', 'suspend', 'ordinary', 'citizen', 'accnt', 'govt']
153 BILL GATES PFIZER ASTRA MODERNA CEO'S NEED TO ANSWER TO THE PEOPLE ALL THE LIVES THEY TOOK THEY NEED TO PAY FOR IT DONT LET THEM GET AWAY WITH MURDER ['bill', 'gate', 'pfizer', 'astra', 'moderna', 'ceo', 'need', 'answer', 'peopl', 'live', 'took', 'need', 'pay', 'dont', 'let', 'get', 'away', 'murder'] ['bill', 'gate', 'pfizer', 'astra', 'moderna', 'ceo', 'need', 'answer', 'people', 'life', 'took', 'need', 'pay', 'dont', 'let', 'get', 'away', 'murder']
154 All those so called criminals are thief, murderer, kidnapper and carnapper. What is the difference now between them and our POLITICIAN??? whom we voted and entrusted our country in. ???? THEY SHOULD BE HELD LIABLE FOR EVERY DEATH FROM VACCINE MANDATE ['call', 'crimin', 'thiev', 'murder', 'kidnapp', 'carnapp', 'differ', 'politician', 'vote', 'entrust', 'countri', 'held', 'liabl', 'everi', 'death', 'vaccin', 'mandat'] ['called', 'criminal', 'thief', 'murderer', 'kidnapper', 'carnappers', 'difference', 'politician', 'voted', 'entrusted', 'country', 'held', 'liable', 'every', 'death', 'vaccine', 'mandate']

Time Series Analysis¶

Interpolation¶

In [14]:
import numpy as np

#functions for interpolation
def linear_interpolator(datafr):
    #print((datafr == 0).sum())
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    quanti_data_columns_w_zeroes = ['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    datafr.set_index(temporal_data_columns[1], inplace=True)
    datafr.sort_values(by=temporal_data_columns[1], inplace=True)

    for i in range(len(quanti_data_columns_w_zeroes)):
        col = quanti_data_columns_w_zeroes[i]
        datafr[col] = datafr[col].replace(0, np.nan)
        datafr[col] = datafr[col].interpolate(method='linear')
        datafr[col] = datafr[col].replace(np.nan, 0)
    datafr.reset_index(inplace=True)
    return datafr

def cubic_spline_interpolator(datafr):
    #print((datafr == 0).sum())]
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    quanti_data_columns_w_zeroes = ['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    datafr.set_index(temporal_data_columns[1], inplace=True)
    datafr.sort_values(by=temporal_data_columns[1], inplace=True)

    for i in range(len(quanti_data_columns_w_zeroes)):
        col = quanti_data_columns_w_zeroes[i]
        datafr[col] = datafr[col].replace(0, np.nan)
        datafr[col] = datafr[col].interpolate(method='spline', order=3, s=700.0)
        datafr[col] = datafr[col].replace(np.nan, 0)
    datafr.reset_index(inplace=True)
    return datafr

def polynomial_interpolator(datafr):
    #print((datafr == 0).sum())
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    quanti_data_columns_w_zeroes = ['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    datafr.set_index(temporal_data_columns[1], inplace=True)
    datafr.sort_values(by=temporal_data_columns[1], inplace=True)
    degree = 2

    for i in range(len(quanti_data_columns_w_zeroes)):
        col = quanti_data_columns_w_zeroes[i]
        y_values = datafr[col].values
        x_coeffs = np.arange(len(y_values))
        coeffs = np.polyfit(x_coeffs, y_values, degree)
        polynomial = np.poly1d(coeffs)
        interpolated_values = polynomial(x_coeffs)
        datafr[col] = interpolated_values
        datafr[col] = datafr[col].replace(np.nan, 0)
    datafr.reset_index(inplace=True)
    return datafr

df_linear_interpolated = linear_interpolator(df.copy())
#df_cubic_spline_interpolated = cubic_spline_interpolator(df.copy())
df_polynomial_interpolated = polynomial_interpolator(df.copy())
#print(df_linear_interpolated[['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']])
#print(df_cubic_spline_interpolated[['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']])
#print(df_polynomial_interpolated[['Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']])

Binning¶

In [15]:
#functions for binning
def fixed_binner(datafr):
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']
    dftemp = datafr[temporal_data_columns].copy()
    dfint = datafr[interval_data_columns].copy()
    dfratio = datafr[rational_data_columns].copy()

    for i in range(len(temporal_data_columns)):
        col = temporal_data_columns[i]
        if col == 'Joined (MM/YYYY)':
            new_col = 'Bin - '+'Joined (MM/YYYY)'
            start_date = '2006-01-01 00:00:00'
            end_date = '2023-01-01 00:00:00'
            joined_dates_bin = pd.date_range(start=start_date, end=end_date, freq='4A')
            dftemp[new_col] = pd.cut(datafr[col], bins=joined_dates_bin)
        else:
            new_col = 'Bin - '+'Date Posted (DD/MM/YY H:M:S)'
            start_date = '2020-01-01 00:00:00'
            end_date = '2022-12-31 23:59:59'
            posted_dates_bin = pd.to_datetime([start_date, '2020-07-01 00:00:00', '2021-01-01 00:00:00', '2021-07-01 00:00:00', '2022-01-01 00:00:00', end_date])
            dftemp[new_col] = pd.cut(datafr[col], bins=posted_dates_bin)
    for i in range(len(interval_data_columns)):
        col = interval_data_columns[i]
        new_col = 'Bin - '+col
        days_bin = [-1004, -913, -821, -730, -639, -548, -456, -365, -274, -183, -91, 91, 183, 274, 365, 456, 548, 639, 730, 821, 913, 1004]
        dfint[new_col] = pd.cut(datafr[col], bins=days_bin)
    for i in range(len(rational_data_columns)):
        col = rational_data_columns[i]
        new_col = 'Bin - '+col
        if col == 'Following' or 'Followers':
            counts_bin = [-1.0, 0.0, 100.0, 200.0, 300.0, 400.0, 500.0, 600.0, 700.0, 800.0, 900.0, 1000.0, 2000.0, 3000.0, 4000.0, 5000.0, 10000.0, 50000.0, 100000.0, 200000.0, 300000.0, 400000.0, 500000.0]
            dfratio[new_col] = pd.cut(datafr[col], bins=counts_bin)
        else:
            counts_bin = [-1.0, 0.0, 10.0, 20.0, 30.0, 40.0, 50.0, 60.0, 70.0, 80.0, 90.0, 100.0, 110.0, 120.0, 130.0, 140.0, 150.0]
            dfratio[new_col] = pd.cut(datafr[col], bins=counts_bin)
    datafr = pd.concat([dftemp, dfint, dfratio], axis=1)
    print(dftemp)
    print(dfint)
    print(dfratio)
    return datafr

df_fixed_bins = fixed_binner(df.copy())
#print(df_fixed_bins)
    Joined (MM/YYYY) Date Posted (DD/MM/YY H:M:S)    Bin - Joined (MM/YYYY)  \
0         2009-04-01          2021-08-17 11:59:00  (2006-12-31, 2010-12-31]   
1         2011-11-01          2020-12-10 10:12:00  (2010-12-31, 2014-12-31]   
2         2020-01-01          2021-03-04 10:36:00  (2018-12-31, 2022-12-31]   
3         2012-09-01          2021-05-20 18:19:00  (2010-12-31, 2014-12-31]   
4         2017-08-01          2020-05-29 09:23:00  (2014-12-31, 2018-12-31]   
..               ...                          ...                       ...   
150       2010-12-01          2022-01-26 21:40:00  (2006-12-31, 2010-12-31]   
151       2010-12-01          2022-02-07 21:58:00  (2006-12-31, 2010-12-31]   
152       2010-12-01          2022-02-07 21:45:00  (2006-12-31, 2010-12-31]   
153       2010-12-01          2022-01-26 05:33:00  (2006-12-31, 2010-12-31]   
154       2010-12-01          2022-01-22 16:27:00  (2006-12-31, 2010-12-31]   

    Bin - Date Posted (DD/MM/YY H:M:S)  
0             (2021-07-01, 2022-01-01]  
1             (2020-07-01, 2021-01-01]  
2             (2021-01-01, 2021-07-01]  
3             (2021-01-01, 2021-07-01]  
4             (2020-01-01, 2020-07-01]  
..                                 ...  
150  (2022-01-01, 2022-12-31 23:59:59]  
151  (2022-01-01, 2022-12-31 23:59:59]  
152  (2022-01-01, 2022-12-31 23:59:59]  
153  (2022-01-01, 2022-12-31 23:59:59]  
154  (2022-01-01, 2022-12-31 23:59:59]  

[155 rows x 4 columns]
     No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                                                       389   
1                                                                       139   
2                                                                       223   
3                                                                       300   
4                                                                       -56   
..                                                                      ...   
150                                                                     551   
151                                                                     563   
152                                                                     563   
153                                                                     551   
154                                                                     547   

     No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)  \
0                                                                         249   
1                                                                          -1   
2                                                                          83   
3                                                                         160   
4                                                                        -196   
..                                                                        ...   
150                                                                       411   
151                                                                       423   
152                                                                       423   
153                                                                       411   
154                                                                       407   

     No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)  \
0                                                                                                                  166   
1                                                                                                                  -84   
2                                                                                                                    0   
3                                                                                                                   77   
4                                                                                                                 -279   
..                                                                                                                 ...   
150                                                                                                                328   
151                                                                                                                340   
152                                                                                                                340   
153                                                                                                                328   
154                                                                                                                324   

     No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)  \
0                                                                                           -350   
1                                                                                           -600   
2                                                                                           -516   
3                                                                                           -439   
4                                                                                           -795   
..                                                                                           ...   
150                                                                                         -188   
151                                                                                         -176   
152                                                                                         -176   
153                                                                                         -188   
154                                                                                         -192   

    Bin - No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)  \
0                                                                     (365, 456]   
1                                                                      (91, 183]   
2                                                                     (183, 274]   
3                                                                     (274, 365]   
4                                                                      (-91, 91]   
..                                                                           ...   
150                                                                   (548, 639]   
151                                                                   (548, 639]   
152                                                                   (548, 639]   
153                                                                   (548, 639]   
154                                                                   (456, 548]   

    Bin - No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)  \
0                                                                       (183, 274]   
1                                                                        (-91, 91]   
2                                                                        (-91, 91]   
3                                                                        (91, 183]   
4                                                                     (-274, -183]   
..                                                                             ...   
150                                                                     (365, 456]   
151                                                                     (365, 456]   
152                                                                     (365, 456]   
153                                                                     (365, 456]   
154                                                                     (365, 456]   

    Bin - No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)  \
0                                                                                                                 (91, 183]   
1                                                                                                                 (-91, 91]   
2                                                                                                                 (-91, 91]   
3                                                                                                                 (-91, 91]   
4                                                                                                              (-365, -274]   
..                                                                                                                      ...   
150                                                                                                              (274, 365]   
151                                                                                                              (274, 365]   
152                                                                                                              (274, 365]   
153                                                                                                              (274, 365]   
154                                                                                                              (274, 365]   

    Bin - No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)  
0                                                                                        (-365, -274]  
1                                                                                        (-639, -548]  
2                                                                                        (-548, -456]  
3                                                                                        (-456, -365]  
4                                                                                        (-821, -730]  
..                                                                                                ...  
150                                                                                      (-274, -183]  
151                                                                                       (-183, -91]  
152                                                                                       (-183, -91]  
153                                                                                      (-274, -183]  
154                                                                                      (-274, -183]  

[155 rows x 8 columns]
     Following  Followers  Likes  Replies  Retweets  Quote Tweets  Views  \
0        824.0      591.0   25.0      0.0       6.0           0.0    0.0   
1        396.0      358.0    0.0      0.0       0.0           0.0    0.0   
2       3295.0     2212.0   14.0      0.0       4.0           0.0    0.0   
3        467.0       51.0    0.0      0.0       0.0           0.0    0.0   
4        331.0      373.0    0.0      0.0       0.0           0.0    0.0   
..         ...        ...    ...      ...       ...           ...    ...   
150      843.0      283.0    0.0      0.0       0.0           0.0    0.0   
151      843.0      283.0    0.0      0.0       0.0           0.0    0.0   
152      843.0      283.0    3.0      0.0       0.0           0.0    0.0   
153      843.0      283.0    0.0      0.0       0.0           0.0    0.0   
154      843.0      283.0    0.0      0.0       0.0           0.0    0.0   

      Bin - Following   Bin - Followers   Bin - Likes Bin - Replies  \
0      (800.0, 900.0]    (500.0, 600.0]  (0.0, 100.0]   (-1.0, 0.0]   
1      (300.0, 400.0]    (300.0, 400.0]   (-1.0, 0.0]   (-1.0, 0.0]   
2    (3000.0, 4000.0]  (2000.0, 3000.0]  (0.0, 100.0]   (-1.0, 0.0]   
3      (400.0, 500.0]      (0.0, 100.0]   (-1.0, 0.0]   (-1.0, 0.0]   
4      (300.0, 400.0]    (300.0, 400.0]   (-1.0, 0.0]   (-1.0, 0.0]   
..                ...               ...           ...           ...   
150    (800.0, 900.0]    (200.0, 300.0]   (-1.0, 0.0]   (-1.0, 0.0]   
151    (800.0, 900.0]    (200.0, 300.0]   (-1.0, 0.0]   (-1.0, 0.0]   
152    (800.0, 900.0]    (200.0, 300.0]  (0.0, 100.0]   (-1.0, 0.0]   
153    (800.0, 900.0]    (200.0, 300.0]   (-1.0, 0.0]   (-1.0, 0.0]   
154    (800.0, 900.0]    (200.0, 300.0]   (-1.0, 0.0]   (-1.0, 0.0]   

    Bin - Retweets Bin - Quote Tweets  Bin - Views  
0     (0.0, 100.0]        (-1.0, 0.0]  (-1.0, 0.0]  
1      (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
2     (0.0, 100.0]        (-1.0, 0.0]  (-1.0, 0.0]  
3      (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
4      (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
..             ...                ...          ...  
150    (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
151    (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
152    (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
153    (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  
154    (-1.0, 0.0]        (-1.0, 0.0]  (-1.0, 0.0]  

[155 rows x 14 columns]

Visualization¶

Prerequisites¶

In [16]:
renamed_df = df.copy()
#auxiliary dictionaries for easier column labels assignment
nom_dat_dict = {'Mentioned or Referenced COVID-19 Vaccine Brand': 'Vaccine Brands', 'Mentioned or Referenced Other Vaccine/Drugs': 'Other Vaccine/Drugs',
                'Peddled Medical Adverse Side Effect': 'Side Effects', 'Distrust in Vaccine Development': 'Distrust in Vaccine Dev'}
temp_dat_dict = {'Joined (MM/YYYY)': 'Date Joined', 'Date Posted (DD/MM/YY H:M:S)': 'Date Posted'}
int_dat_dict = {'No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)': 'No. of Days since Philippines Joined COVAX Facility - July 24, 2020',
                'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)': 'No. of Days since FDA Approved First COVID-19 Vaccine - Dec 11, 2020',
                'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)': 'No. of Days since Arrival of First COVID-19 Vaccine Batch - Mar 04, 2021',
                'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)': 'No. of Days since First Omicron Case in the Philippines - Aug 02, 2022'}
inv_account_types_dict = {v: k for k, v in account_types_dict.items()}
inv_locations_dict = {0: 'Local Unspecified', 1: 'NCR', 2: 'CAR', 3: 'Region I', 4: 'Region II', 5: 'Region III',
                      6: 'Region IV-A', 7: 'Region IV-B', 8: 'Region V', 9: 'Region VI', 10: 'Region VII',
                      11: 'Region VIII', 12: 'Region IX', 13: 'Region X', 14: 'Region XI', 15: 'Region XII',
                      16: 'Region XIII', 17: 'BARMM', 18: 'International'}
inv_tweet_types_dict = {v: k for k, v in tweet_types_dict.items()}
inv_content_types_dict = {v: k for k, v in content_types_dict.items()}
inv_ratings_dict = {v: k for k, v in ratings_dict.items()}
inv_vaccine_brands_dict = {v: k for k, v in vaccine_brands_dict.items()}
inv_other_vaccine_drugs_dict = {v: k for k, v in other_vaccine_drugs_dict.items()}
inv_vaccine_side_effects_dict = {v: k for k, v in vaccine_side_effects_dict.items()}
inv_vaccine_distrusts_dict = {v: k for k, v in vaccine_distrusts_dict.items()}

columns  = df.columns
renamed_df = renamed_df.rename(columns=nom_dat_dict)
renamed_df = renamed_df.rename(columns=temp_dat_dict)
renamed_df = renamed_df.rename(columns=int_dat_dict)

for i in range(len(renamed_df.index)):
    if len(str(renamed_df['Side Effects'][i])) != 1:
        renamed_df.loc[i, 'Side Effects'] = int(str(renamed_df['Side Effects'][i])[0])

sns.set(font_scale=0.8)

Scatterplots/Histograms¶

In [17]:
#function for scatterplots/histograms: features distribution
def scatterplot(datafr):
    #nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']
    #temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    #rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    ident_features = [['Account Type', 'Location'], ['Tweet Type', 'Content Type', 'Rating']]
    datetime_features = ['Date Joined', 'Date Posted']
    ident_acc_ratio_features = ['Following', 'Followers']
    ident_tweet_ratio_features = ['Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    datafr['Account Type'] = datafr['Account Type'].map(lambda x: inv_account_types_dict.get(x))
    datafr['Location'] = datafr['Location'].map(lambda x: inv_locations_dict.get(x))
    datafr['Tweet Type'] = datafr['Tweet Type'].map(lambda x: inv_tweet_types_dict.get(x))
    datafr['Content Type'] = datafr['Content Type'].map(lambda x: inv_content_types_dict.get(x))

    x_var = datetime_features[0]
    for j in range(len(ident_acc_ratio_features)):
        y_var = ident_acc_ratio_features[j]
        sns.scatterplot(data=datafr, x=x_var, y=y_var, hue=ident_features[0][0], style=ident_features[0][1])
        plt.xlabel('x-axis: '+x_var+' (Date YY/MM)')
        plt.ylabel('y-axis: '+y_var+' (Numeric Count)')
        plt.title(x_var+' - '+y_var+' SCATTER PLOT', fontsize=15)
        plt.show()

    x_var = datetime_features[1]
    for j in range(len(ident_tweet_ratio_features)):
        y_var = ident_tweet_ratio_features[j]
        sns.scatterplot(data=datafr, x=x_var, y=y_var, hue=ident_features[1][0], style=ident_features[1][1])
        plt.xlabel('x-axis: '+x_var+' (Date YY/MM)')
        plt.ylabel('y-axis: '+y_var+' (Numeric Count)')
        plt.title(x_var+' - '+y_var+' SCATTER PLOT', fontsize=15)
        plt.show()

scatterplot(renamed_df.copy())

def histogram(datafr):
    #nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']
    #interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']

    ident_features = [['Account Type', 'Location'], ['Tweet Type', 'Content Type', 'Rating']]
    int_days_features = ['No. of Days since Philippines Joined COVAX Facility - July 24, 2020', 'No. of Days since FDA Approved First COVID-19 Vaccine - Dec 11, 2020',
                         'No. of Days since Arrival of First COVID-19 Vaccine Batch - Mar 04, 2021', 'No. of Days since First Omicron Case in the Philippines - Aug 02, 2022']

    datafr['Rating'] = datafr['Rating'].map(lambda x: inv_ratings_dict.get(x))

    for i in range(len(int_days_features)):
        x_var = int_days_features[i]
        sns.histplot(data=datafr, x=x_var, hue=ident_features[1][2], kde=True)
        plt.xlabel('x-axis: '+x_var+' (Days Count)')
        plt.ylabel('y-axis: Frequency (Numeric Count)')
        plt.title(x_var.split(' - ')[0]+' HISTOGRAM', fontsize=15)
        plt.show()

histogram(renamed_df.copy())

Heatmaps¶

In [18]:
#function for heat maps: features correlation
def heatmap(datafr):
    #nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']

    ident_features = [['Account Type', 'Location'], ['Tweet Type', 'Content Type', 'Rating']]
    context_features = [['Vaccine Brands', 'Other Vaccine/Drugs'], ['Side Effects', 'Distrust in Vaccine Dev']]

    x_feats = ident_features[0]
    y_feats = ident_features[1]
    corr_mat = datafr[x_feats + y_feats].corr()
    #sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: Identifier Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: Identifier Features (Pearson Coefficient r)')
    plt.title('Account/Location - Tweet/Content/Rating Correlation HEAT MAP', fontsize=15)
    #plt.show()

    x_feats = context_features[0]
    y_feats = context_features[1]
    corr_mat = datafr[x_feats + y_feats].corr()
    #sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: Context Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: Context Features (Pearson Coefficient r)')
    plt.title('Vaccines/Drugs - Side Effects/Distrust Correlation HEAT MAP', fontsize=15)
    #plt.show()

    for i in range(len(ident_features)):
        x_feats = ident_features[i]
        y_feats = context_features[0]
        corr_mat = datafr[x_feats + y_feats].corr()
        #sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
        plt.xlabel('x-axis: Nominal Features (Pearson Coefficient r)')
        plt.ylabel('y-axis: Nominal Features (Pearson Coefficient r)')
        if i == 0:
            plt.title('Account/Location - Vaccines/Drugs Correlation HEAT MAP', fontsize=15)
        else:
            plt.title('Tweet/Content/Rating - Vaccines/Drugs Correlation HEAT MAP', fontsize=15)
            plt.xticks(rotation=0)
        #plt.show()

        x_feats = ident_features[i]
        y_feats = context_features[1]
        corr_mat = datafr[x_feats + y_feats].corr()
        #sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
        plt.xlabel('x-axis: Nominal Features (Pearson Coefficient r)')
        plt.ylabel('y-axis: Nominal Features (Pearson Coefficient r)')
        if i == 0:
            plt.title('Account/Location - Side Effects/Distrust Correlation HEAT MAP', fontsize=15)
        else:
            plt.title('Tweet/Content/Rating - Side Effects/Distrust Correlation HEAT MAP',fontsize=15)
            plt.xticks(rotation=0)
        #plt.show()

heatmap(renamed_df)

def time_based_heatmap(datafr):
    #nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']
    #temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']

    ident_features = [['Account Type', 'Location'], ['Tweet Type', 'Content Type', 'Rating']]
    datetime_features = ['Date Joined', 'Date Posted']
    temp = datafr.copy(ident_features + datetime_features)
    temp['Date Joined Year'] = temp['Date Joined'].dt.year
    temp['Date Joined Month'] = temp['Date Joined'].dt.month
    temp['Date Posted Year'] = temp['Date Posted'].dt.year
    temp['Date Posted Month'] = temp['Date Posted'].dt.month

    x_feats = ['Date Joined Year']
    y_feats = ident_features[0]
    corr_mat = temp[x_feats + y_feats].corr()
    sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.title('Account/Location - Date Joined (Year) Correlation HEAT MAP', fontsize=15)
    plt.show()

    x_feats = ['Date Joined Year']
    y_feats = ident_features[1]
    corr_mat = temp[x_feats + y_feats].corr()
    sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.title('Tweet/Content/Rating - Date Joined (Year) Correlation HEAT MAP', fontsize=15)
    plt.show()

    x_feats = ['Date Posted Year']
    y_feats = ident_features[0]
    corr_mat = temp[x_feats + y_feats].corr()
    sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.title('Account/Location - Date Posted (Year) Correlation HEAT MAP', fontsize=15)
    plt.show()

    x_feats = ['Date Posted Year']
    y_feats = ident_features[1]
    corr_mat = temp[x_feats + y_feats].corr()
    sns.heatmap(corr_mat, annot=True, cmap='coolwarm', linewidth=1.0, cbar_kws={'label': '(blue) weak corr - (red) strong corr'})
    plt.xlabel('x-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.ylabel('y-axis: DateTime-Identifier Features (Pearson Coefficient r)')
    plt.title('Tweet/Content/Rating - Date Posted (Year) Correlation HEAT MAP', fontsize=15)
    plt.show()

    dt = pd.DataFrame(temp.copy(['Date Joined Year', 'Date Joined Month', 'Date Posted Year', 'Date Posted Month']))
    dt['Count'] = 1
    pivot_dt = dt.pivot_table(index=['Date Joined Year'],
                              columns=['Date Posted Year', 'Date Posted Month'],
                              values='Count',fill_value=0)
    sns.heatmap(pivot_dt, annot=True, cmap='YlGnBu', linewidth=0.5, fmt='d')
    plt.xlabel('Date Posted')
    plt.ylabel('Date Joined')
    plt.title('Calendar HEAT MAP', fontsize=15)
    plt.show()

time_based_heatmap(renamed_df)

Bar/Swarm/Violin Plots¶

In [19]:
#function for bar/swarm/violin plots: features comparison
def barplot(datafr):
    #nominal_data_columns = ['Account Type', 'Location', 'Tweet Type', 'Content Type', 'Rating', 'Mentioned or Referenced COVID-19 Vaccine Brand', 'Mentioned or Referenced Other Vaccine/Drugs', 'Peddled Medical Adverse Side Effect', 'Distrust in Vaccine Development']

    ident_features = [['Account Type', 'Location'], ['Tweet Type', 'Content Type', 'Rating']]
    context_features = [['Vaccine Brands', 'Other Vaccine/Drugs'], ['Side Effects', 'Distrust in Vaccine Dev']]

    datafr['Account Type'] = datafr['Account Type'].map(lambda x: inv_account_types_dict.get(x))
    datafr['Location'] = datafr['Location'].map(lambda x: inv_locations_dict.get(x))
    datafr['Tweet Type'] = datafr['Tweet Type'].map(lambda x: inv_tweet_types_dict.get(x))
    datafr['Content Type'] = datafr['Content Type'].map(lambda x: inv_content_types_dict.get(x))
    datafr['Rating'] = datafr['Rating'].map(lambda x: inv_ratings_dict.get(x))
    datafr['Vaccine Brands'] = datafr['Vaccine Brands'].map(lambda x: inv_vaccine_brands_dict.get(x))
    datafr['Other Vaccine/Drugs'] = datafr['Other Vaccine/Drugs'].map(lambda x: inv_other_vaccine_drugs_dict.get(x))
    datafr['Side Effects'] = datafr['Side Effects'].map(lambda x: inv_vaccine_side_effects_dict.get(x))
    datafr['Distrust in Vaccine Dev'] = datafr['Distrust in Vaccine Dev'].map(lambda x: inv_vaccine_distrusts_dict.get(x))

    datafr['Vaccine Brands'] = datafr['Vaccine Brands'].replace('0', 'None')
    datafr['Other Vaccine/Drugs'] = datafr['Other Vaccine/Drugs'].astype(str).replace('0', 'None')

    for i in range(len(ident_features)):
        col = ident_features[i][0]
        datafr[col+' Count'] = datafr[col].map(datafr[col].value_counts())
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=datafr, x=x_var, y=y_var, hue=ident_features[i][1])
        plt.xlabel('x-axis: '+x_var+' (Nominal Categories)')
        plt.ylabel('y-axis: '+y_var+' (Numeric Count)')
        plt.title(col+' - '+ident_features[i][1]+' BAR PLOT', fontsize=15)
        plt.show()

    for i in range(len(context_features)):
        col = context_features[i][0]
        datafr[col+' Count'] = datafr[col].map(datafr[col].value_counts())
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=datafr, x=x_var, y=y_var, hue=context_features[i][1])
        plt.xlabel('x-axis: '+x_var+' (Nominal Categories)')
        plt.ylabel('y-axis: '+y_var+' (Numeric Count)')
        plt.title(col+' - '+context_features[i][1]+' BAR PLOT', fontsize=15)
        plt.show()

    se_temp = pd.DataFrame(df['Peddled Medical Adverse Side Effect'].copy())
    se_temp= se_temp.rename(columns={'Peddled Medical Adverse Side Effect': 'Side Effects'})
    se_temp['Side Effects'] = se_temp['Side Effects'].astype(str)
    for i in range(len(se_temp.index)):
        x = se_temp['Side Effects'][i]
        if len(x) != 1:
            a = [num for num in x]
            se_temp.loc[i, 'Side Effects'] = a[0]
            del a[0]
            for j in range(len(a)):
                se_temp.loc[len(se_temp)] = [a[j]]
    se_temp['Side Effects'] = se_temp['Side Effects'].astype(int)
    se_temp['Side Effects'] = se_temp['Side Effects'].map(lambda x: inv_vaccine_side_effects_dict.get(x))
    se_temp['Side Effects Count'] = se_temp['Side Effects'].map(se_temp['Side Effects'].value_counts())
    sns.barplot(x=se_temp['Side Effects'], y=se_temp['Side Effects Count'])
    plt.xlabel('x-axis: Side Effects (Nominal Categories)')
    plt.ylabel('y-axis: Side Effects (Numeric Count)')
    plt.title('Side Effects Extended BAR PLOT', fontsize=15)
    plt.show()

    #list containers instantiated during category encoding step
    #addntl_locs_NCR_cities
    #addntl_locs_international
    #addntl_peddled_side_effects

    addtnl_nominal_data = [pd.DataFrame({'Local Cities': addntl_locs_NCR_cities}),
                           pd.DataFrame({'International Locations': addntl_locs_international}),
                           pd.DataFrame({'Specific Side Effects': addntl_peddled_side_effects})]
    for i in range(len(addtnl_nominal_data)):
        sub_df = addtnl_nominal_data[i]
        col = sub_df.columns[0]
        sub_df[col+' Count'] = sub_df[col].map(sub_df[col].value_counts())
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=sub_df, x=x_var, y=y_var)
        plt.xlabel('x-axis: '+x_var+' (Nominal Categories)')
        plt.ylabel('y-axis: '+y_var+' (Numeric Count)')
        plt.title(col+' Extended BAR PLOT', fontsize=15)
        if i == 2:
            plt.xticks(rotation=90)
        plt.show()
    plt.xticks(rotation=0)

barplot(renamed_df.copy())

def time_based_barplot(datafr):
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']
    interval_data_columns = ['No. of Days since Philippines Joined the COVAX Facility (Jul 24, 2020)', 'No. of Days since FDA Approved the First COVID-19 Vaccine (Dec 11, 2020)', 'No. of Days since Arrival of First Batch of COVID-19 Vaccine Doses Committed by the COVAX Facility (Mar 04, 2021)', 'No. of Days since First Detected Cases of Omicron Variant in the Philippines (Aug 02, 2022)']
    rational_data_columns = ['Following', 'Followers', 'Likes', 'Replies', 'Retweets', 'Quote Tweets', 'Views']

    datetime_features = ['Date Joined', 'Date Posted']
    int_days_features = ['No. of Days since Philippines Joined COVAX Facility - July 24, 2020', 'No. of Days since FDA Approved First COVID-19 Vaccine - Dec 11, 2020',
                         'No. of Days since Arrival of First COVID-19 Vaccine Batch - Mar 04, 2021', 'No. of Days since First Omicron Case in the Philippines - Aug 02, 2022']

    for i in range(len(temporal_data_columns)):
        col = 'Bin - '+temporal_data_columns[i]
        datafr[col+' Count'] = datafr[col].map(datafr[col].value_counts()).astype(int)
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=datafr, x=x_var, y=y_var)
        plt.xlabel('x-axis: '+datetime_features[i]+' (Interval Categories)')
        plt.ylabel('y-axis: '+datetime_features[i]+' (Numeric Count)')
        plt.title(datetime_features[i]+' Intervals BAR PLOT', fontsize=15)
        plt.show()

    for i in range(len(interval_data_columns)):
        col = 'Bin - '+interval_data_columns[i]
        datafr[col+' Count'] = datafr[col].map(datafr[col].value_counts()).astype(int)
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=datafr, x=x_var, y=y_var)
        plt.xlabel('x-axis: '+int_days_features[i]+' (Interval Categories)')
        plt.ylabel('y-axis: '+int_days_features[i]+' (Numeric Count)')
        plt.title(int_days_features[i]+' Intervals BAR PLOT', fontsize=15)
        plt.xticks(rotation=90)
        plt.show()
    plt.xticks(rotation=0)

    for i in range(len(rational_data_columns)):
        col = 'Bin - '+rational_data_columns[i]
        datafr[col+' Count'] = datafr[col].map(datafr[col].value_counts()).astype(int)
        x_var = col
        y_var = col+' Count'
        sns.barplot(data=datafr, x=x_var, y=y_var)
        plt.xlabel('x-axis: '+rational_data_columns[i]+' (Interval Categories)')
        plt.ylabel('y-axis: '+rational_data_columns[i]+' (Numeric Count)')
        plt.title(rational_data_columns[i]+' Intervals BAR PLOT', fontsize=15)
        plt.xticks(rotation=90)
        plt.show()
    plt.xticks(rotation=0)

#time_based_barplot(df_fixed_bins)

Line Graphs for Time Series Analysis¶

In [20]:
#function for line graphs: time series
def linegraph(datafr):
    temporal_data_columns = ['Joined (MM/YYYY)', 'Date Posted (DD/MM/YY H:M:S)']

    datafr['Hour'] = datafr[temporal_data_columns[1]].dt.hour
    hourly_posts = datafr.groupby('Hour').size()
    plt.plot(hourly_posts.index, hourly_posts.values)
    plt.xlabel('x-axis: Hour of the Day (24-Hour Format)')
    plt.ylabel('y-axis: Number of Posts (Numeric Count)')
    plt.title('Posting Frequency by Hour LINE GRAPH')
    plt.show()

    datafr['Day of Week'] = datafr[temporal_data_columns[1]].dt.dayofweek
    daily_posts = datafr.groupby('Day of Week').size()
    plt.plot(daily_posts.index, daily_posts.values)
    plt.xlabel('x-axis: Day of the Week (Day Categories)')
    plt.ylabel('y-axis: Number of Posts (Numeric Count)')
    plt.title('Posting Frequency by Day of the Week LINE GRAPH')
    plt.xticks(range(7), ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday', 'Sunday'])
    plt.show()

#linegraph(df_linear_interpolated)
#linegraph(df_cubic_spline_interpolated)
linegraph(df_polynomial_interpolated)