A quick introduction

The intention of Textplumber is to make it easy to extract features from text data as part of a Sci-kit learn pipeline. It allows you to extract different kinds of features extracted from text, which you can combine as needed. This example demonstrates some basic functionality. If you are accessing this example from the documentation site, you can download the notebook from Github.

You can install Textplumber using pip …

pip install textplumber
# Note: the directive above is used to prevent the code being executed during release.
# If you have downloaded the notebook for your own use, you can remove the directive,
# but this is not necessary (it is just a comment).
import os
from datasets import load_dataset
from sklearn.linear_model import LogisticRegression
from sklearn.metrics import classification_report
from sklearn.metrics import confusion_matrix
from sklearn.model_selection import train_test_split
from sklearn.preprocessing import StandardScaler
from sklearn.pipeline import Pipeline
from sklearn.model_selection import train_test_split
from sklearn.feature_selection import SelectKBest, mutual_info_classif, chi2
from sklearn.pipeline import FeatureUnion
from sklearn.datasets import fetch_20newsgroups

from textplumber.core import *
from textplumber.clean import *
from textplumber.preprocess import *
from textplumber.tokens import *
from textplumber.pos import *
from textplumber.embeddings import *
from textplumber.report import *
from textplumber.store import *
from textplumber.lexicons import *
from textplumber.textstats import *

1. Load example data

First, let’s load some data from the AuthorMix dataset. This dataset includes samples of fiction (‘author’), speeches (‘speech’) and blog posts (‘blog’).

X_train, y_train, X_test, y_test, target_classes, target_names = get_example_data(target_labels = ['blog', 'speech'])

2. Setup feature store and classification pipeline

Next, define an SQLite database to store features so we can avoid recomputing them every time we run the pipeline via TextFeatureStore. A feature store is required for most of the components in this package.

feature_store = TextFeatureStore('basic-introduction-store.sqlite')

In the example pipeline, the texts are cleaned with TextCleaner, then preprocessed using SpacyPreprocessor, and then features based on token counts are extracted using TokensVectorizer.

Below we train a model and evaluate it on the test set. For a nicely labelled confusion matrix use plot_confusion_matrix.

pipeline = Pipeline([
    ('cleaner', TextCleaner(strip_whitespace=True)),
    ('preprocessor', SpacyPreprocessor(feature_store=feature_store, pos_tagset = 'detailed')),
    ('tokens', TokensVectorizer(feature_store=feature_store, max_features=200)),
    ('classifier', LogisticRegression(max_iter=5000, random_state=4)),
], verbose=True)

display(pipeline)
Pipeline(steps=[('cleaner', TextCleaner(strip_whitespace=True)),
                ('preprocessor',
                 SpacyPreprocessor(feature_store=<textplumber.store.TextFeatureStore object at 0x7f24cb16cad0>,
                                   pos_tagset='detailed')),
                ('tokens',
                 TokensVectorizer(feature_store=<textplumber.store.TextFeatureStore object at 0x7f24cb16cad0>,
                                  max_features=200)),
                ('classifier',
                 LogisticRegression(max_iter=5000, random_state=4))],
         verbose=True)
In a Jupyter environment, please rerun this cell to show the HTML representation or trust the notebook.
On GitHub, the HTML representation is unable to render, please try loading this page with nbviewer.org.

3. Train and evaluate a model

pipeline.fit(X_train, y_train)
y_pred = pipeline.predict(X_test)
[Pipeline] ........... (step 1 of 4) Processing cleaner, total=   0.0s
[Pipeline] ...... (step 2 of 4) Processing preprocessor, total=  35.9s
[Pipeline] ............ (step 3 of 4) Processing tokens, total=   1.5s
[Pipeline] ........ (step 4 of 4) Processing classifier, total=   0.5s
print(classification_report(y_test, y_pred, labels = target_classes, target_names = target_names, digits=3))
plot_confusion_matrix(y_test, y_pred, target_classes, target_names)
              precision    recall  f1-score   support

        blog      0.931     0.935     0.933       981
      speech      0.913     0.908     0.911       740

    accuracy                          0.923      1721
   macro avg      0.922     0.921     0.922      1721
weighted avg      0.923     0.923     0.923      1721

4. A more complex pipeline

Let’s create a more complex pipeline with different kinds of features.

This pipeline combines tf-idf weighted token features, features based on bigrams of part-of-speech tags, and embeddings. The pipeline applies feature selection using standard Scikit-learn components.

pipeline = Pipeline([
    ('cleaner', TextCleaner(strip_whitespace=True)),
    ('preprocessor', SpacyPreprocessor(feature_store=feature_store, pos_tagset = 'detailed')),
    ('features', FeatureUnion([

        ('tokens', Pipeline([
            ('token_vectors',  TokensVectorizer(feature_store=feature_store, vectorizer_type='tfidf')),
            ('selector', SelectKBest(score_func=chi2, k=200)),            
            ], verbose=True)
        ),

        ('pos', Pipeline([
            ('pos_vectors',  POSVectorizer(feature_store=feature_store, ngram_range = (2, 2))),
            ('selector', SelectKBest(score_func=mutual_info_classif, k=120)),
            ], verbose=True)
        ),

        ('textstats', 
            Pipeline([
                ('textstats_vectors', TextstatsTransformer(feature_store=feature_store)), 
                ('selector', SelectKBest(score_func=mutual_info_classif, k=6)),
                ], verbose = True)),

        ('embeddings', Model2VecEmbedder(feature_store=feature_store)),
    ], verbose=True)),
    ('scaler', StandardScaler(with_mean=False)),
    ('classifier', LogisticRegression(max_iter=5000, random_state=4)),
], verbose=True)

display(pipeline)
Pipeline(steps=[('cleaner', TextCleaner(strip_whitespace=True)),
                ('preprocessor',
                 SpacyPreprocessor(feature_store=<textplumber.store.TextFeatureStore object at 0x7f24cb16cad0>,
                                   pos_tagset='detailed')),
                ('features',
                 FeatureUnion(transformer_list=[('tokens',
                                                 Pipeline(steps=[('token_vectors',
                                                                  TokensVectorizer(feature_store=<textplumber.store.TextFeatureStore obje...
                                                                  TextstatsTransformer(feature_store=<textplumber.store.TextFeatureStore object at 0x7f24cb16cad0>)),
                                                                 ('selector',
                                                                  SelectKBest(k=6,
                                                                              score_func=<function mutual_info_classif at 0x7f24ea69e0c0>))],
                                                          verbose=True)),
                                                ('embeddings',
                                                 Model2VecEmbedder(feature_store=<textplumber.store.TextFeatureStore object at 0x7f24cb16cad0>))],
                              verbose=True)),
                ('scaler', StandardScaler(with_mean=False)),
                ('classifier',
                 LogisticRegression(max_iter=5000, random_state=4))],
         verbose=True)
In a Jupyter environment, please rerun this cell to show the HTML representation or trust the notebook.
On GitHub, the HTML representation is unable to render, please try loading this page with nbviewer.org.
pipeline.fit(X_train, y_train)
y_pred = pipeline.predict(X_test)
[Pipeline] ........... (step 1 of 5) Processing cleaner, total=   0.1s
[Pipeline] ...... (step 2 of 5) Processing preprocessor, total=   0.5s
[Pipeline] ..... (step 1 of 2) Processing token_vectors, total=   1.4s
[Pipeline] .......... (step 2 of 2) Processing selector, total=   0.0s
[FeatureUnion] ........ (step 1 of 4) Processing tokens, total=   1.4s
[Pipeline] ....... (step 1 of 2) Processing pos_vectors, total=   1.3s
[Pipeline] .......... (step 2 of 2) Processing selector, total=   3.1s
[FeatureUnion] ........... (step 2 of 4) Processing pos, total=   4.4s
[Pipeline] . (step 1 of 2) Processing textstats_vectors, total=   0.5s
[Pipeline] .......... (step 2 of 2) Processing selector, total=   0.3s
[FeatureUnion] ..... (step 3 of 4) Processing textstats, total=   0.8s
[FeatureUnion] .... (step 4 of 4) Processing embeddings, total=   1.3s
[Pipeline] .......... (step 3 of 5) Processing features, total=   7.9s
[Pipeline] ............ (step 4 of 5) Processing scaler, total=   0.0s
[Pipeline] ........ (step 5 of 5) Processing classifier, total=   1.0s
print(classification_report(y_test, y_pred, labels = target_classes, target_names = target_names, digits=3))
plot_confusion_matrix(y_test, y_pred, target_classes, target_names)
              precision    recall  f1-score   support

        blog      0.966     0.973     0.970       981
      speech      0.964     0.954     0.959       740

    accuracy                          0.965      1721
   macro avg      0.965     0.964     0.964      1721
weighted avg      0.965     0.965     0.965      1721

Notice that the preprocessor step is significantly faster, as we are getting the features from the feature store.

5. Inspect features

For a logistic regression classifier you can inspect discriminating features with plot_logistic_regression_features_from_pipeline.

plot_logistic_regression_features_from_pipeline(pipeline, target_classes, target_names, top_n=20, classifier_step_name = 'classifier', features_step_name = 'features')
Feature Log Odds (Logit) Odds Ratio
8 tokens__-- -1.643806 0.193243
1 tokens__" 1.477502 4.381987
478 embeddings__emb_152 1.447648 4.253098
327 embeddings__emb_1 -1.415513 0.242801
466 embeddings__emb_140 -1.315602 0.268313
336 embeddings__emb_10 1.255531 3.509701
325 textstats__hapax_legomena_to_unique 1.198631 3.315575
11 tokens__.... 1.171189 3.225826
333 embeddings__emb_7 -1.120871 0.325996
145 tokens__our -1.092892 0.335245
356 embeddings__emb_30 -0.932755 0.393468
323 textstats__average_tokens_per_sentence 0.930154 2.534900
332 embeddings__emb_6 0.927065 2.527082
457 embeddings__emb_131 -0.917831 0.399384
21 tokens__And -0.904820 0.404615
320 textstats__characters_count 0.880371 2.411793
547 embeddings__emb_221 -0.863576 0.421651
174 tokens__though 0.863480 2.371399
231 pos__CC VBZ 0.847181 2.333061
387 embeddings__emb_61 -0.822505 0.439330

To understand the process of feature selection and extraction through a pipeline, use preview_pipeline_features

preview_pipeline_features(pipeline)
cleaner TextCleaner

This step receives and returns text.

preprocessor SpacyPreprocessor

This step receives and returns text.

features FeatureUnion

token_vectors TokensVectorizer

Features Out (5000)

!, ", #, $, %, &, ', '', 'cause, 'd, 'em, 'll, 'm, 're, 's, 've, (, ), *, +, ,, -, --, ., .., ..., ...., ....., ......, ......., ........, /, //.etro, 0, 1, 1,000, 10, 10,000, 100, 100,000, 11, 11th, 12, 13, 14, 15, 16, 17, 18, 19, 1980, 1990s, 1991, 2, 20, 200, 2000, 2001, 2002, 2003, 2004, 2011, 2016, 20th, 21st, 22, 23, 24, 25, 250, 250,000, 26, 27, 3, 3,000, 30, 300, 35, 4, 4,000, 40, 400, 45, 5, 5'9, 5,000, 50, 50,000, 500, 55, 6, 60, 600, 65, 7, 7,000, 70, 700, 716, 8, 80, 85, 9, 9/11, 90, 95, :, ;, =, >, ?, @, A, A., AIDS, AND, Aaron, Abel, About, Above, Academy, According, Act, Actually, Adam, Afghan, Afghanistan, Africa, African, After, Again, Agency, Ah, Al, Alabama, Alex, Alexander, Alexandre, All, Allen, Almost, Along, Already, Also, Although, Alyx, America, American, Americans, Americas, Among, Amy, An, And, Angeles, Another, Anthony, Anupra, Any, Anyone, Anyway, Anyways, Apple, April, Arab, Arabia, Are, Arizona, Armed, Army, Around, As, Asia, Asian, Ask, Assad, Assembly, At, August, Aura, Avatar, B., Back, Baghdad, Baghdadi, Bank, Barrett, Barry, Bay, Because, Before, Behind, Being, Ben, Berlin, Best, Better, Bible, Biden, Bill, Birx, Black, Bless, Bob, Boehner, Book, Books, Border, Boston, Both, Boy, Brazil, Brian, British, Brown, Bucko, Building, Burma, Bush, But, By, C., CDC, CEO, CEOs, COVID-19, Ca, Cabal, Cadence, Cairo, California, Cally, Can, Canada, Canadian, Capitol, Carol, Carolina, Cash, Cassius, Catherine, Center, Central, Chairman, Chambers, Chandler, Chantry, Charice, Chase, Chicago, Chief, China, Chinese, Christ, Christian, Christians, Christmas, Chuck, Church, City, Civil, Clark, Class, Clinton, Club, Coast, Cold, College, Come, Commander, Compton, Congress, Connecticut, Connelly, Connie, Constitution, Corps, Could, Council, County, Court, Cross, Cuba, Cuban, Cubans, D., DACA, Daisy, Damn, Dave, David, Day, Deborah, December, Defense, Democrat, Democratic, Democrats, Department, Depression, Derelict, Despite, Detroit, Devros, Diaries, Did, Director, Do, Doctor, Does, Don, Donald, Downtown, Dr, Dr., Dream, During, E., Each, Earth, East, Eastern, Eddie, Edinburgh, Egypt, Either, El, Election, Elizabeth, Emmerich, Energy, England, English, Enochian, Escalus, Europe, European, Even, Eventually, Every, Everyone, Everything, Excuse, Eyes, FBI, FDA, February, Federal, Feeling, Fforde, Finally, First, Five, Florida, For, Force, Forces, Four, Fourth, France, Freedom, French, Friday, Friedrich, From, Fuck, G., Gabby, Gambit, Gavin, General, George, Georgia, German, Germany, Get, Go, God, Goddess, Good, Google, Got, Government, Governor, Governors, Grandmother, Great, Griswold, Group, Guard, Gulf, H., HIV, HYPE, Had, Hall, Hamas, Hana, Happy, Harrison, Harry, Haslett, Have, Having, He, Head, Health, Heaven, Hell, Hello, Hepzibah, Her, Here, Hey, Hi, High, Hiro, His, Hispanic, History, Hitler, Hmm, Holiday, Holy, Home, Homeland, Hope, Hopefully, Hoping, Hours, House, Houston, How, However, Huh, Human, Hussein, I, I'm, I., ICE, ID, II, IS, ISIS, Iain, Ian, If, Illinois, Imagine, Imogen, In, Inc., Indeed, Independent, India, Indian, Indonesia, Information, Initiative, Inn, Instead, International, Internet, Invisible, Iowa, Iran, Iranian, Iraq, Iraqi, Iraqis, Is, Isaac, Islam, Islamic, Island, Isobel, Israel, Israeli, Israelis, It, Italy, Its, J., Jack, Jacob, Jake, Jamaia, James, Jane, January, Japan, Japanese, Jarrod, Jarvis, Jason, Jenkins, Jennifer, Jerusalem, Jess, Jesse, Jesus, Jesyca, Jet, Jewish, Jews, Jim, Job, Jobs, Joe, John, Johnson, Jon, Jonah, Jonathan, Jones, Jordan, Joseph, Josh, Jr., Juclecia, Judge, July, June, Juska, Just, Justice, Kasui, Kaze, Keene, Kennedy, Kevin, Kim, King, Kingdom, Korea, Korean, Kraus, Kuwait, Laden, Lady, Langer, Last, Later, Law, Leader, Lee, Lehane, Let, Liberty, Library, Light, Like, Likewise, Lilly, Little, London, Long, Look, Looking, Lord, Lori, Los, Lost, Louisiana, Luther, MSN, Main, Majority, Make, Manhattan, Many, Marcus, Mark, Marshall, Martin, Mary, Maryland, Matt, Matthew, May, Maybe, Mayor, McCain, McLaughlin, Me, Meanwhile, Measurement, Medicaid, Medicare, Members, Men, Mercutio, Mexico, Michael, Michelle, Michigan, Middle, Mike, Millia, Millions, Mind, Minister, Miss, Mississippi, Mitch, Monday, Monkey, Moon, More, Moskowitz, Most, Mother, Mr., Mrs., Ms., Music, Muslim, Muslims, My, Mystic, N., NASA, NATO, Nancy, Nanny, Nation, National, Nations, Natoma, Navy, Nazi, Nevada, Never, New, Newtown, Next, Nick, Night, Niko, No, Nobody, Nora, North, Not, Nothing, November, Novus, Now, OF, OK, OOC, Obama, Obamacare, Obviously, October, Of, Office, Officer, Oh, Ohio, Oi, Ok, Okay, On, Once, One, Only, Operation, Or, Order, Organization, Orleans, Osama, Other, Others, Otto, Our, Over, P., Pacific, Pakistan, Pakistani, Palestinian, Palestinians, Pants, Paris, Party, Pass, Patrol, Paul, Peace, Pelecanos, Pelosi, Pence, Peninsula, Pennsylvania, Penny, Pentagon, Penthesilia, People, Perhaps, Peter, Philadelphia, Plan, Please, Pobble, Pobs, Poe, Poetry, Point, Ponderland, Post, Powell, President, Presidents, Press, Prime, Prize, Probably, Public, Put, Qaeda, Qaida, REALLY, Random, Rankin, Rather, Reaching, Reading, Reagan, Really, Realm, Rebus, Red, Reich, Remember, Representatives, Republic, Republican, Republicans, Rhiamon, Rice, Ridge, Right, Rights, River, Robert, Roche, Ronald, Room, Roosevelt, Rose, Russia, Ryan, S., SC, Saddam, San, Saturday, Saudi, Scalia, School, Science, Scott, Scout, Scouts, Scripture, Seat, Second, Secretary, Security, See, Selma, Senate, Senator, Sept., September, Sergeant, Service, Services, Seven, Several, She, Sheldon, Should, Side, Simon, Since, Siomen, Six, Small, Smith, So, Social, Soleimani, Some, Someone, Something, Sometimes, Soon, Sorry, Sounds, South, Southern, Soviet, Space, Speaker, Staff, Standingwater, Star, Starbucks, Starting, State, States, Steve, Still, Street, Such, Sunday, Supreme, Sure, Susan, Syria, Syrian, T., TC, THAT, THE, TV, Take, Tal, Taliban, Taliesin, Ted, Teddy, Tell, Texas, Thank, Thanks, That, The, Their, Then, There, These, They, Think, Third, This, Thomas, Thompson, Those, Though, Three, Through, Throughout, Thursday, Thus, Time, Times, Tiziano, To, Today, Together, Tom, Tomorrow, Tonight, Too, Toronto, Trade, Treasury, True, Truman, Trump, Tunisia, Two, U., USA, Ugh, Uh, Under, Unfortunately, Union, United, University, VA, VERY, Valnastium, Venezuela, Very, Vice, Vietnam, Viktor, Virginia, Vulture, W., Wait, Wall, Walter, Want, War, Wars, Was, Washington, We, Web, Wednesday, Week, Welcome, Well, Wendy, West, What, Whatever, When, Where, Whether, Which, While, White, Who, Why, Will, William, Williams, With, Without, Work, World, Would, Wow, X, Xi, Yale, Yeah, Yemen, Yes, Yesterday, Yet, York, You, Your, [, ], ^_^., _, a, a.m., abandon, abandoned, abiding, ability, able, about, above, abroad, absence, absolutely, abuse, academic, accelerate, accent, accept, accepted, accepting, accepts, access, accident, accompanied, accompany, accomplish, accomplished, according, account, accountability, accountable, accounts, accurate, achieve, achieved, achievement, achievements, achieving, acid, acknowledge, across, act, acted, acting, action, actions, active, actively, activities, activity, acts, actual, actually, adapt, add, added, addiction, adding, addition, additional, address, addressing, adds, administration, administrations, admit, admitted, adopted, adult, adults, advance, advanced, advances, advancing, advantage, advice, afar, affairs, affect, affected, affection, affiliates, afford, affordable, afraid, after, afternoon, afterwards, again, against, age, aged, agencies, agency, agenda, agent, agents, ages, aggression, aggressive, aging, ago, agree, agreed, agreement, agreements, agrees, ahead, ai, aid, aimed, air, airports, aisle, al, alcohol, aliens, align, alike, alive, all, alliances, allies, allow, allowed, allowing, allows, ally, almost, alone, along, alongside, already, alright, also, alternative, although, altogether, always, am, amazing, ambitions, ambitious, amidst, among, amount, amounts, amusing, an, analysis, ancient, and, anger, angry, announce, announced, announcing, annual, another, answer, answered, answers, anti, any, anybody, anymore, anyone, anything, anyway, anyways, anywhere, apart, apartment, apparent, apparently, appeal, appear, appears, apply, appointed, appreciate, appreciation, approach, approaches, approaching, appropriate, approve, approved, approximately, arbitrary, are, area, areas, argue, argued, arguments, arm, armed, armies, arms, army, aroma, around, arrested, arrival, arrive, arrived, arrives, art, artist, arts, as, ash, ashes, aside, ask, asked, asking, asks, asleep, aspects, aspirations, ass, assembly, assistance, assume, assuming, assure, assured, astronauts, at, ate, atmosphere, attack, attacked, attacks, attempt, attempted, attempts, attend, attention, attitude, audience, author, authorities, authority, authors, auto, automakers, available, average, avoid, aware, away, awful, baby, back, background, backgrounds, backpack, backs, backward, backwards, bad, badly, bag, bags, balance, balanced, ball, ballot, ballots, ban, band, bank, banks, banning, bar, barely, bargain, barrier, barriers, base, based, basement, bases, basic, basically, basis, bathroom, battle, battles, bay, be, bear, bears, beat, beating, beats, beautiful, beauty, became, because, become, becomes, becoming, bed, beds, been, beer, beers, before, began, begin, beginning, beginnings, begins, begun, behalf, behavior, behind, being, beings, belief, beliefs, believe, believed, believes, belong, belongs, beloved, below, belt, bench, bending, bends, beneath, benefit, benefits, beside, best, bet, better, between, beyond, big, bigger, biggest, bill, billion, billions, bills, bin, biological, bipartisan, birth, birthday, bit, bitch, bite, bitter, black, blame, blank, bless, blessed, blind, blinking, blinks, block, blocking, blog, blogging, blood, bloodied, bloody, blow, blows, blue, board, bodies, body, bold, bomb, bonds, bones, book, books, booksellers, bookstore, boom, booming, boost, boot, boots, border, borders, bored, boring, born, borne, both, bother, bottle, bottom, bought, bounce, bouncing, bound, bowl, box, boxes, boy, boyfriend, boys, brain, brand, brave, bread, break, breakfast, breaking, breaks, breakthroughs, breast, breath, bridge, bridges, brief, briefly, bright, brighter, brightest, brightly, brilliant, bring, bringing, brings, broad, broader, broke, broken, brother, brothers, brought, brow, brown, brutal, bucks, budget, budgets, build, building, buildings, built, bullet, bunch, burden, burdens, bureaucracy, bureaucrats, buried, burn, burned, burning, bus, business, businesses, busy, but, butt, butter, buy, buying, by, ca, cab, cabal, caliphate, call, called, calling, calls, calm, calories, came, camera, campaign, camps, can, cancer, candidate, cap, capabilities, capacity, capital, captured, car, card, cardboard, cards, care, career, careers, careful, carefully, cares, caring, carried, carry, carrying, cars, case, cases, cash, cast, casual, casually, cat, catch, catches, caught, cause, caused, causes, causing, cave, cavern, cease, ceiling, celebrate, celebrities, celebrity, cell, cellphone, cells, center, central, centuries, century, ceremony, certain, certainly, certainty, chain, chains, chair, chairs, challenge, challenged, challenges, challenging, chamber, chambers, chance, chances, change, changed, changes, changing, chaos, character, characters, charge, charged, charities, charity, chart, charts, chatted, cheap, check, checks, cheeks, cheese, chemical, cherish, cherished, cherry, chest, chicken, chief, child, childhood, children, chill, chin, chips, choice, choices, choose, chorus, chose, chosen, chuckles, church, cigar, cigarette, cigarettes, circle, circles, circumstances, cities, citizen, citizens, citizenship, city, civil, civilians, civilization, civilized, claim, claims, clarify, clarity, class, classes, classic, clean, cleaner, cleaning, clear, clearly, climate, climb, clock, close, closed, closely, closer, closes, closest, closet, closing, cloud, club, clubs, co, coal, coalition, coat, cocaine, code, coffee, cold, collapse, collar, colleagues, collection, collective, college, colleges, color, combat, combination, combined, come, comes, comfort, comfortable, coming, comment, comments, commerce, commercial, commission, commit, commitment, commitments, committed, committee, common, communism, communities, community, companies, company, compared, compassion, compassionate, compel, compete, competition, competitive, complete, completed, completely, complex, complicated, comprehensive, compromise, computer, concept, concern, concerned, concerns, conclusion, concrete, condition, conditions, conduct, conference, confidence, confident, confirmation, confirmed, conflict, conflicts, confront, confronted, confronting, confused, congressional, congressmen, connect, connected, connecting, connection, conquer, conscience, consequence, consequences, conservative, consider, considerable, considerably, considered, considering, consistent, constant, constantly, constitutional, construction, consumers, contact, contained, containing, contains, contemporary, contents, context, continent, continue, continued, continues, continuing, continuous, contrary, contrast, contribute, contributing, contributions, control, controlled, controversy, conversation, conversations, conviction, convinced, coo, cook, cool, cooperate, cooperation, cop, copies, cops, copy, cord, core, corner, corners, coronavirus, corporate, corporations, corpse, correct, corridor, corrupt, corruption, cost, costly, costs, coughs, could, count, counter, counting, countless, countries, country, counts, county, couple, courage, course, court, courts, cover, coverage, covered, covering, covers, crack, crap, crazy, cream, create, created, creates, creating, creation, creative, creativity, credit, credits, creed, cried, crime, crimes, criminal, criminals, crisis, critical, cross, crossing, crowd, crucial, cry, crying, cue, cultural, culture, cultures, cup, cures, curious, curiously, current, currently, curve, customers, cut, cuts, cutting, cynical, cynicism, dad, daily, damage, damn, damned, dance, danger, dangerous, dangers, daring, dark, darkness, dash, data, date, daughter, daughters, day, days, de, dead, deadly, deal, dealers, dealing, deals, death, deaths, debate, debates, debt, debut, decade, decades, decent, decide, decided, decides, decision, decisions, decisive, declared, decline, declining, dedicated, dedication, deeds, deep, deeper, deepest, deeply, defeat, defeated, defeating, defend, defense, deficit, deficits, define, defined, defining, definitely, degree, degrees, deliberate, delicious, deliver, delivered, delivery, demand, demanding, demands, democracies, democracy, democratic, denied, deny, department, depend, depending, depends, deploy, deployed, depth, depths, describe, described, describes, description, deserve, deserves, design, designed, desire, desk, despair, desperately, despite, destiny, destroy, destroyed, destroying, destroys, destruction, detail, detailed, details, detective, determination, determine, determined, develop, developed, developing, development, devoted, devotion, diabetes, diagnosed, dialogue, dictator, dictators, dictatorship, did, die, died, diet, dieting, diff, difference, differences, different, differently, difficult, dig, dignity, digs, dime, dinner, diploma, diplomacy, direct, directed, direction, directly, director, directs, dirty, disagree, disappeared, disappearing, disarm, disaster, discipline, discover, discovered, discoveries, discovery, discretionary, discuss, discussed, discussing, discussion, discussions, disease, diseases, disrupt, distance, distant, distinguished, districts, disturbing, diverse, diversity, divide, divided, divine, division, do, doctor, doctors, documents, does, dog, doing, dollar, dollars, domestic, dominate, done, door, doors, doorway, dose, dot, double, doubled, doubling, doubt, down, dozen, draft, drag, dragged, drama, dramatic, dramatically, draw, drawing, drawn, draws, dream, dreams, dress, dressed, drift, drink, drinking, drinks, drive, driven, driver, drives, driving, drop, dropped, dropping, drops, drug, drugs, drunk, dry, duct, due, dull, dumb, dun, dunno, during, dust, duties, duty, dying, dynamic, e, each, ear, earlier, early, earn, earned, ears, earth, ease, easier, easily, easy, eat, eaten, eating, economic, economies, economy, edge, edges, editor, editors, educate, educated, education, effect, effective, effects, efficiency, efficient, effort, efforts, eh, eight, either, elbows, elected, election, elections, electric, element, elements, eliminate, eliminated, eliminating, else, elsewhere, email, embassy, embrace, embraced, embryonic, embryos, emerge, emergency, emotional, emotions, employed, employees, employer, employers, employment, empower, empty, enable, encourage, encouraged, encouraging, end, ended, ending, endless, ends, endure, enduring, enemies, enemy, energy, enforce, enforcement, engaged, engagement, engine, engineering, enjoy, enjoyed, enormous, enough, ensure, ensuring, enter, entered, entering, enterprise, enters, enthusiastic, entire, entirely, entrance, entrepreneurs, entries, entry, envelope, environment, epidemic, equal, equality, equally, equipment, era, err, escape, escaped, especially, essence, essential, essentially, establish, established, establishment, estate, etc, eternal, ethical, ethnic, evacuees, even, evening, event, events, eventually, ever, every, everybody, everyone, everything, everywhere, evidence, evident, evil, evolution, exact, exactly, exam, examine, example, exams, except, exchange, excited, exciting, excuse, excuses, executive, executives, exercise, exhales, exhausted, exist, existing, exists, exit, exits, expand, expanded, expanding, expanse, expansion, expect, expected, expecting, expense, expenses, expensive, experience, experienced, experiences, experts, explain, explains, explanation, exploration, export, exporter, exports, exposed, exposure, express, expressed, expression, extend, extended, extending, extent, extra, extracts, extraordinary, extreme, extremely, extremism, extremists, eye, eyebrow, eyebrows, eyed, eyes, face, faced, faces, facilities, facing, fact, factories, factory, facts, faded, fail, failed, failing, fails, failure, failures, faint, faintly, fair, fairly, fairness, faith, faithful, faithfully, faiths, fake, fall, fallen, falling, falls, false, familiar, families, family, famous, fan, fancy, fantastic, far, farewell, farmers, fast, faster, fastest, fat, fate, father, fathers, fault, favor, favorite, fear, fears, features, federal, fee, feed, feel, feeling, feelings, feels, feet, fell, fellow, felt, female, feminine, fence, few, fewer, fiber, fiction, field, fields, fifty, fight, fighting, fights, figure, figured, figures, fill, filled, filling, film, filter, final, finally, finance, financial, find, finding, finds, fine, finger, fingers, finish, finished, finishes, finishing, fire, fired, firefighter, firefighters, firing, firm, firms, first, fiscal, fish, fist, fit, fits, fitting, five, fix, fixed, fixes, fixing, flag, flame, flames, flashes, flashing, flask, flat, flesh, flexibility, flickering, flicks, flight, flights, flipping, floor, flourish, flow, flowing, fluid, flying, focus, focused, focusing, folks, follow, followed, following, follows, food, foot, football, for, force, forced, forces, forehead, foreign, forever, forge, forged, forget, forgot, forgotten, form, formal, formed, former, forms, forth, fortunate, forward, fought, found, foundation, foundations, founded, founding, four, fourth, fragile, frame, frankly, fraud, free, freedom, freedoms, freeze, freezing, frequently, fresh, friend, friends, friendship, from, front, frowns, frozen, frustration, fuck, fucking, fuel, fuels, fulfill, fulfilling, full, fully, fun, function, functions, fund, fundamental, funding, funds, funny, further, future, futures, gain, gained, gaining, gains, game, gang, gap, gas, gateway, gather, gathered, gathering, gave, gay, gaze, gear, general, generally, generation, generations, generosity, generous, genius, genocide, gentlemen, genuine, gesture, gestures, get, gets, getting, ghostwriter, giant, gift, girl, girlfriend, girls, girly, give, given, gives, giving, glad, glance, glances, glancing, glass, glasses, glide, glider, gliding, global, globe, glorious, gloves, glow, glowing, glowsticks, go, goal, goals, god, goes, goggles, going, gold, gon, gone, good, goodness, goods, got, gotten, govern, government, governments, governor, governors, grab, grabs, grace, grade, gradually, graduate, graduation, grandchildren, grandparents, grant, granted, grants, grasp, grass, grateful, gratitude, grave, gray, great, greater, greatest, greatly, greatness, green, grew, grey, grief, grin, grins, grit, grocery, ground, group, groups, grow, growing, grown, grows, growth, guarantee, guard, guess, guest, guests, guidance, guide, guided, guidelines, gun, guy, guys, h, habit, had, hair, half, halfway, hall, hand, handed, handful, handle, hands, hang, hanging, hangs, happen, happened, happening, happens, happiness, happy, hard, hardcover, harder, hardest, hardship, hardworking, harm, harmony, has, hat, hate, hatred, haul, have, haven, havens, having, haw, he, head, headache, headed, heading, headphones, heads, health, healthcare, healthy, hear, heard, hearing, heart, hearts, heat, heavily, heavy, heck, height, heights, held, hell, help, helped, helping, helps, her, here, heritage, heroes, heroic, herself, hey, hidden, hide, hiding, high, higher, highest, highly, hill, hills, him, himself, hint, hip, hire, hiring, his, historic, history, hit, hits, hitting, hoax, hold, holding, holds, hole, holiday, home, homeland, homeless, homeowners, homes, homework, honest, honestly, honor, honored, honors, hood, hope, hopeful, hopefully, hopes, hormones, horrible, horror, horse, hospital, hospitals, host, hot, hotel, hour, hours, house, houses, housing, how, however, huge, huh, human, humanitarian, humanity, hundred, hundreds, hunger, hungry, hunt, hurry, hurt, husband, i, ice, idea, ideals, ideas, identify, identity, ideologies, ideology, idiot, if, ignore, ignored, ignoring, ill, illegal, illegally, illness, illusion, image, images, imagination, imagine, imagined, immediate, immediately, immigrant, immigrants, immigration, impact, implemented, importance, important, importantly, impose, imposed, impossible, improve, improved, improving, impulse, in, inaction, inch, inches, include, included, includes, including, income, incomes, increase, increased, increases, increasing, increasingly, incredible, incredibly, indeed, independence, independent, indicate, indicating, indifference, indispensable, individual, individuals, industrial, industries, industry, inequality, inevitable, infection, influence, influences, information, informed, informs, infrastructure, ingredients, inherent, initial, initially, initiative, initiatives, injured, inmates, innocent, innovation, innovative, inside, insist, inspectors, inspiration, inspire, inspired, instance, instant, instead, instinct, institution, institutions, insurance, integrity, intellectual, intelligence, intelligent, intend, intended, intense, intent, intention, intentions, interest, interested, interesting, interests, international, interpret, intersection, intimidate, into, invest, invested, investigation, investing, investment, investments, invite, invited, involved, is, isolated, isolation, issue, issued, issues, it, its, itself, jacket, jail, jeans, job, jobs, join, joined, joining, joins, joint, joke, journal, journey, joy, judge, judged, judges, judicial, just, justice, justified, keep, keeping, keeps, kept, key, keys, kick, kicked, kid, kids, kill, killed, killer, killers, killing, kind, kinda, kindness, kinds, kitchen, knees, knew, knife, knocked, know, knowing, knowledge, known, knows, lab, labor, laboratories, laboratory, labs, lack, ladders, ladies, lady, laid, lame, land, landing, lands, landscape, language, large, largely, larger, largest, last, lasting, late, later, latest, latter, laugh, laughs, laughter, launch, launched, law, laws, lawsuits, lawyers, lay, lazy, lead, leader, leaders, leadership, leading, leads, lean, leaning, leans, learn, learned, learning, least, leather, leave, leaves, leaving, led, left, leg, legacy, legal, legislation, legitimate, legs, lending, length, less, lesson, lessons, let, lethal, lets, letter, letters, letting, level, levels, liberate, liberty, libraries, library, lie, lies, life, lifetime, lift, lifted, lifting, lifts, light, lighter, lighting, lights, like, liked, likely, likes, likewise, lil, limit, limited, limits, line, lined, lines, link, linked, lip, lips, liquid, liquor, list, listen, listening, listens, lists, lit, literally, literary, literature, litter, little, live, lived, lives, living, load, loan, loans, lobby, lobbyists, local, location, locked, lol, long, longer, longest, look, looked, looking, looks, loopholes, loose, lose, losing, loss, lost, lot, lots, loud, loudly, love, loved, lovely, loves, loving, low, lower, lowest, loyalty, luck, lucky, lunch, lying, m, machine, machines, mad, made, magazine, magnificent, mail, main, maintain, maintaining, major, majority, make, makes, making, male, man, manage, managed, management, manages, manner, manufacturers, manufacturing, manuscript, many, march, margin, mark, marked, market, marketing, markets, marks, marriage, married, masks, mass, massive, match, material, materials, math, matter, matters, maximum, may, maybe, me, meal, meals, mean, meaning, meaningful, means, meant, meantime, measure, measures, media, medical, medicine, meet, meeting, meetings, member, members, memories, memory, men, mental, mention, mentioned, mercy, merely, mess, message, met, metal, methods, mid, middle, midst, might, migration, mild, mildly, mile, miles, military, milk, million, millions, mind, mindful, minds, mine, minimum, minor, minorities, minute, minutes, miracle, mirror, miss, missed, missile, missiles, missing, mission, missions, mistake, mistakes, mitigation, mix, mixed, mobile, mobility, model, modern, modest, mom, moment, moments, momentum, money, monkey, month, monthly, months, mood, moon, moral, more, morning, mortgage, mortgages, most, mostly, mother, mothers, motion, motivated, mouth, move, moved, movement, movements, moves, movie, movies, moving, much, mug, multiple, mumble, murder, murdered, murderous, murmurs, muscle, museum, music, must, mutters, mutual, my, myself, mysteries, mystery, n, n't, na, nails, naive, naked, name, named, names, narrow, nation, national, nations, nationwide, native, natural, nature, near, nearby, nearly, neatly, necessarily, necessary, neck, need, needed, needle, needs, negative, negotiate, negotiations, neighborhood, neighborhoods, neighbors, neither, nervous, net, network, networks, never, new, newly, news, newspaper, next, nice, night, nightmare, nights, nine, ninth, no, noble, nobody, nod, nodded, nodding, nods, noise, noises, nominee, nominees, non, none, nor, normal, normally, north, nose, nostrils, not, note, noted, notes, nothing, notice, noticed, notion, novel, novelist, novels, now, nowhere, nuclear, number, numbers, nurses, nursing, o, oath, object, objectives, obligation, obligations, observers, obsolete, obvious, obviously, occasion, occasional, occasionally, occupation, occur, occurs, odd, oddly, of, off, offensive, offer, offered, offering, offers, office, officer, officers, official, officials, often, oh, oil, okay, old, older, oldest, on, once, one, ones, ongoing, online, only, onto, open, opened, opening, openly, openness, opens, operate, operating, operation, operations, opinion, opinions, opponent, opportunities, opportunity, oppose, opposed, opposite, oppression, optimism, option, options, or, orange, order, ordered, orders, ordinary, organization, organizations, organized, original, other, others, otherwise, ought, ounce, our, ours, ourselves, out, outbreaks, outcome, outdated, outlined, outside, outstanding, over, overall, overcome, overnight, overseas, overwhelmed, overwhelming, overwhelmingly, own, owner, owners, ownership, p.m., pace, pack, package, packing, pad, page, paged, pages, paid, pain, painful, paint, painted, pair, pale, palm, pandemic, pants, paper, paperback, parent, parents, parka, part, participate, participation, particular, particularly, parties, partisan, partisanship, partner, partners, partnership, partnerships, parts, party, pass, passed, passes, passing, passion, past, path, paths, patience, patient, patients, patriotism, patriots, pattern, patterns, pause, pauses, pay, paycheck, paychecks, paying, payment, payments, payroll, pays, peace, peaceful, peacefully, peak, peers, pen, penalty, pencil, people, peoples, per, percent, perception, perfect, perfectly, perform, perhaps, peril, period, permanent, persistent, person, personal, personally, personnel, phase, philosophy, phone, phony, physical, piano, pick, picked, picking, picks, picture, pictures, piece, pieces, pig, pile, pillars, pillow, pills, pissed, place, placed, places, placing, plague, plain, plains, plan, planet, planned, planning, plans, plant, plants, plasma, plastic, plate, platform, play, played, playing, plays, pleasant, please, pleased, pledge, pledged, plenty, pliers, plot, plus, pocket, pockets, poetry, point, pointed, pointing, points, police, policies, policy, polite, political, politicians, politics, polls, pollution, pool, poor, pops, popular, population, pork, portion, ports, pose, position, positions, positive, possess, possessed, possibility, possible, possibly, post, posture, pot, potential, potentially, pound, pounds, pour, poverty, power, powerful, powers, practical, practice, practices, praised, pray, prayer, prayers, praying, pre, precious, precisely, premiums, prepare, prepared, prescription, presence, present, presented, presents, preserve, presidency, president, press, pressed, pressure, pretty, prevail, prevent, prevented, preventing, previous, price, prices, pride, primary, principle, principled, principles, print, priorities, priority, prison, privacy, private, privately, privilege, prize, pro, probably, problem, problems, process, produce, produced, producing, production, productive, products, professional, professionals, professor, profile, profits, profound, profoundly, program, programs, progress, project, projects, promise, promised, promises, promote, proof, proper, properly, property, proposal, proposals, propose, proposed, proposing, prospect, prosperity, prosperous, protect, protected, protecting, protection, protections, protective, protects, proud, proudly, prove, proved, proven, provide, provided, provides, providing, provisions, pub, public, publication, published, publisher, publishers, publishing, pull, pulled, pulling, pulls, punishment, punk, purchase, purchased, pure, purpose, purse, pursue, pursued, pursuing, pursuit, push, pushed, pushes, pushing, put, puts, putting, qualities, quality, quarter, quarters, que, quest, question, questions, quick, quickly, quiet, quietly, quirks, quit, quite, quo, race, races, racial, radical, radio, rail, rain, raise, raised, raises, raising, rally, ran, random, range, rapid, rapidly, rare, rarely, rat, rate, rates, rather, re, reach, reached, reaches, reaching, reaction, read, reader, readers, reading, reads, ready, reaffirmed, real, realities, reality, realize, realized, really, realm, reason, reasons, rebuild, rebuilding, receive, received, receiving, recent, recently, recession, reciprocal, reckless, recognition, recognize, recognized, recognizes, recommendations, record, recorded, records, recover, recovered, recovery, red, reduce, reduced, reducing, reduction, reflect, reflected, reform, reforms, refuse, refused, regardless, regime, regimes, region, regional, regions, regular, regulations, reject, rejected, rejection, related, relations, relationship, relative, relatively, release, released, reliable, relief, religion, religions, religious, rely, remain, remained, remaining, remains, remarkable, remember, remembered, remind, reminded, reminds, remote, remove, removed, removing, renew, renewable, renewal, renewed, repeat, replace, replies, reply, report, reported, reporter, reporting, reports, represent, representative, representatives, represented, represents, repression, repressive, request, require, required, requirements, requires, rescue, research, researchers, resentment, reserved, reserves, residents, resilience, resist, resolutions, resolve, resolved, resource, resources, respect, respected, respectively, respects, respiratory, respond, responded, responding, responds, response, responsibilities, responsibility, responsible, responsibly, rest, restaurant, restore, restored, restoring, restrict, rests, result, results, retail, retailers, retire, retired, retirement, retreat, return, returned, returning, returns, reveal, revealed, revenue, reverse, reversed, review, reviewed, reviews, revive, reward, rich, rid, ride, right, rights, rigorous, ring, rise, rises, rising, risk, risks, road, roads, robust, rock, role, roll, rolling, rolls, room, rooms, root, rooted, rose, rough, roughly, round, routine, row, rubbing, rubble, rubs, ruin, ruined, ruins, rule, rules, run, running, runs, rural, rush, s, sacred, sacrifice, sad, safe, safely, safer, safety, said, sake, salad, sales, saliva, salute, same, sanctions, sanctuary, sandwich, sat, save, saved, saving, savings, saw, say, saying, says, scale, scattered, scene, scenes, schedule, scholars, school, schools, science, scientific, scientists, scores, screaming, screams, screen, search, searches, searching, season, seat, seated, second, seconds, secret, section, sector, secure, secured, securing, security, see, seeing, seek, seeking, seem, seemed, seeming, seemingly, seems, seen, sees, seize, seized, self, sell, seller, selling, seltzer, semi, senator, senators, send, sending, senior, seniors, sense, senses, sent, separate, series, serious, seriously, serve, served, serves, service, services, serving, session, set, sets, setting, settled, seven, several, severe, sex, sexual, shades, shadow, shadows, shake, shakes, shaking, shall, shape, shaped, share, shared, sharp, shattered, she, shed, sheer, shelters, shelves, shift, shifting, shifts, shine, shining, ship, ships, shirt, shit, shock, shocked, shoes, shook, shoot, shooting, shop, shopping, shores, short, shortly, shot, should, shoulder, shoulders, show, showed, showing, shown, shows, shrimp, shrinking, shrugs, shuffles, shut, sick, side, sided, sides, sidewalk, sideways, sighed, sighs, sight, sights, sign, signal, signature, signed, significant, significantly, signing, signs, silence, silent, silently, silly, silver, similar, simple, simply, since, singing, single, singular, sink, sip, sipping, sir, sister, sisters, sit, site, sites, sits, sitting, situation, six, size, skill, skills, skin, skull, sky, slash, slavery, sleep, sleeping, slept, slide, slides, sliding, slight, slightly, slip, slips, slow, slowing, slowly, slumps, small, smaller, smart, smarter, smell, smile, smiled, smiles, smiling, smirk, smoke, smokes, smoking, smooth, snack, snaps, snow, so, social, socialism, societies, society, soft, softly, solar, sold, soldiers, solemn, solid, solution, solve, solved, some, somebody, somehow, someone, something, sometimes, somewhat, somewhere, son, songs, sons, soon, sore, sorrow, sorry, sort, sorts, soul, sound, sounds, source, sources, south, southern, sovereign, sovereignty, space, spare, sparkling, speak, speakers, speaking, speaks, special, specific, specifically, speech, speed, spend, spending, spent, spill, spirit, spirits, split, spoke, spoken, sports, spot, spread, spreading, spring, square, stability, stable, staff, stage, stairs, stake, stakes, stand, standard, standards, standing, stands, star, stares, staring, starring, stars, start, started, starting, starts, state, statement, states, station, status, stay, steady, steal, steel, stem, step, stepped, steps, stick, sticks, still, stock, stolen, stomach, stone, stoned, stood, stop, stopped, stopping, stops, store, stores, stories, storm, storms, story, straight, strain, strange, stranger, strangers, strategies, strategy, straw, stream, street, streets, strength, strengthen, strengthened, strengthening, stress, stretches, stretching, strides, strike, strikes, striking, string, strings, strive, strong, stronger, strongest, strongly, struck, structure, struggle, struggling, stuck, student, students, studied, studies, study, stuff, stumbles, stunned, stupid, style, sub, subject, subsidies, substantial, substantially, succeed, success, success(es, successful, such, sucks, sudden, suddenly, suffer, suffered, suffering, sugar, suggest, suggested, suggesting, suggests, suit, suited, suits, summer, summit, sun, super, supplies, supply, support, supported, supporting, supports, suppose, supposed, sure, surely, surest, surface, surge, surgery, surplus, surprise, surprised, surprising, surrounded, surveillance, survival, survive, survived, suspicion, sustain, sustained, sweat, sweet, swift, symbol, symptoms, system, systems, ta, table, tables, tackle, take, taken, takes, taking, tale, talent, talk, talked, talking, talks, tall, tap, tape, tapping, target, targeted, targets, tariffs, task, taste, taught, tax, taxes, taxpayer, taxpayers, tea, teach, teacher, teachers, teaches, teaching, team, teams, tear, tears, tech, technological, technologies, technology, teeth, television, tell, telling, tells, temporary, ten, tens, term, terms, terrible, terribly, terrific, territory, terror, terrorism, terrorist, terrorists, test, tested, testing, tests, than, thank, thanks, that, the, their, theirs, them, themselves, then, theory, therapies, there, therefore, these, they, thick, thin, thing, things, think, thinking, thinks, third, thirty, this, those, though, thought, thoughts, thousand, thousands, threat, threaten, threatened, threatening, threatens, threats, three, thrilled, thrive, thriving, throat, through, throughout, throwing, thrown, throws, thumb, thus, tide, tied, ties, tight, till, tilts, time, times, tiny, tip, tired, title, titles, to, today, together, told, tolerance, tolerate, tomorrow, tone, tonight, too, took, tool, tools, top, topic, torn, torture, tosses, total, totally, touch, touched, touches, tough, tour, toward, towards, town, towns, track, tracking, trade, trading, tradition, traditional, traditions, traffic, trafficking, tragedy, tragic, trailing, train, trained, training, transfer, transformed, transition, translation, transmission, transparency, transportation, trapped, travel, traveled, treat, treated, treating, treatment, treatments, tremendous, trends, trial, tribute, tried, tries, trillion, trillions, trip, triumph, troops, trouble, trucks, true, truly, trust, truth, truths, try, trying, tuition, turn, turned, turning, turns, twenty, twice, twists, two, type, typical, tyranny, uh, ultimate, ultimately, umbrella, unacceptable, uncertainty, uncle, uncomfortable, under, undermine, underneath, understand, understanding, understands, understood, unemployed, unemployment, unfair, unfortunately, uniform, uninsured, union, unique, unit, unite, united, unity, universal, universe, universities, unknown, unleashed, unless, unlike, unlikely, unlimited, unprecedented, until, unyielding, up, uphold, upon, upright, ups, upward, urban, urge, urged, urgent, us, use, used, useful, uses, using, usual, usually, vacant, vacation, vaccine, vaccines, vague, value, values, variety, various, vast, vegetables, vehicle, ventilators, version, very, veterans, vibrant, vicious, victims, victory, video, view, views, vigilant, violence, violent, virtually, virus, visible, vision, visit, vital, voice, voices, void, volume, volumes, volunteer, vote, voted, voter, voters, votes, voting, vulnerable, w/, wage, wages, waggles, wait, waited, waiting, waitress, waits, wake, waking, walk, walked, walking, walks, wall, walls, wander, wandering, wanders, wanna, want, wanted, wanting, wants, war, warehouse, warm, warmth, warning, warriors, wars, was, wash, waste, wasted, wasteful, watch, watched, watches, watching, water, waterfront, waters, wave, waves, waving, way, ways, we, we'll, we're, weak, weaken, weakened, weaker, weakness, wealth, wealthiest, wealthy, weapon, weapons, wear, wearing, weary, weather, web, website, week, weekend, weeks, weigh, weighed, weight, weights, weird, welcome, welcomed, welcoming, welfare, well, went, were, west, wet, what, whatever, whatsoever, when, whenever, where, wherever, whether, which, while, whiskey, whisper, whispers, white, who, whole, whom, whose, why, wicked, wide, widely, wider, wife, will, willing, willingness, win, wind, window, windows, wine, winning, wins, winter, wisdom, wise, wish, wishes, with, within, without, witness, witnessed, wo, woke, woman, women, won, wonder, wonderful, wondering, wonders, wood, wooden, word, wordlessly, words, work, worked, worker, workers, workforce, working, works, workshop, world, worn, worried, worry, worse, worship, worst, worth, worthy, would, wound, wounded, wow, wrenching, wrist, write, writer, writers, writing, written, wrong, wrote, ya, yeah, year, years, yellow, yes, yesterday, yet, you, young, younger, youngest, your, yours, yourself, yourselves, youth, zero, ~

selector SelectKBest

Features Out (200)

!, ", ', 're, 've, (, ), *, --, .., ..., ...., ....., ?, Abel, Afghanistan, Alex, Alyx, America, American, Americans, And, But, Chase, China, Compton, Congress, Connelly, Daisy, Dave, Democrats, Go, God, He, Hiro, Iran, Iraq, Iraqi, Israel, Jonah, Keene, Our, Penny, Pobble, President, Qaeda, She, Standingwater, States, Thank, They, United, We, a.m., administration, ahead, allies, also, and, are, arrived, asks, at, back, billion, bit, bless, book, books, build, businesses, calories, can, care, challenges, children, cigarette, citizens, communities, companies, continue, countries, country, democracy, door, eat, economic, economy, education, election, energy, every, everybody, exercise, eyes, families, fat, federal, for, freedom, future, government, great, hand, have, he, head, health, help, her, him, his, history, hope, human, immigration, important, incredible, insurance, job, jobs, know, law, leaders, left, little, lives, looks, make, many, military, millions, must, my, myself, nation, national, nations, new, nods, novel, nuclear, of, off, opportunity, our, out, p.m., peace, people, plan, prosperity, protect, reform, regime, says, security, seems, she, shit, states, support, system, table, tax, terrorists, thank, that, their, then, these, they, this, those, though, to, together, towards, troops, turns, up, us, values, very, virus, walks, want, war, we, weapons, weight, who, will, work, workers, working, world, year, years, you

pos_vectors POSVectorizer

Features Out (1452)

$ CD, $ NN, '' '', '' ,, '' -LRB-, '' -RRB-, '' ., '' :, '' CC, '' CD, '' DT, '' EX, '' FW, '' IN, '' JJ, '' JJS, '' MD, '' NFP, '' NN, '' NNP, '' NNPS, '' NNS, '' PRP, '' PRP$, '' RB, '' TO, '' UH, '' VB, '' VBD, '' VBG, '' VBN, '' VBP, '' VBZ, '' WDT, '' WP, '' WP$, '' WRB, '' XX, '' ``, , $, , '', , ., , :, , ADD, , CC, , CD, , DT, , EX, , FW, , IN, , JJ, , JJR, , JJS, , LS, , MD, , NFP, , NN, , NNP, , NNPS, , NNS, , PDT, , PRP, , PRP$, , RB, , RBR, , RBS, , TO, , UH, , VB, , VBD, , VBG, , VBN, , VBP, , VBZ, , WDT, , WP, , WP$, , WRB, , ``, -LRB- $, -LRB- ADD, -LRB- CC, -LRB- CD, -LRB- DT, -LRB- EX, -LRB- FW, -LRB- IN, -LRB- JJ, -LRB- JJR, -LRB- JJS, -LRB- MD, -LRB- NFP, -LRB- NN, -LRB- NNP, -LRB- NNPS, -LRB- NNS, -LRB- PRP, -LRB- PRP$, -LRB- RB, -LRB- RBR, -LRB- RBS, -LRB- UH, -LRB- VB, -LRB- VBD, -LRB- VBG, -LRB- VBN, -LRB- VBP, -LRB- VBZ, -LRB- WDT, -LRB- WP, -LRB- WP$, -LRB- WRB, -LRB- ``, -RRB- '', -RRB- ,, -RRB- -LRB-, -RRB- ., -RRB- :, -RRB- ADD, -RRB- CC, -RRB- CD, -RRB- DT, -RRB- IN, -RRB- JJ, -RRB- MD, -RRB- NN, -RRB- NNP, -RRB- NNS, -RRB- PRP, -RRB- RB, -RRB- TO, -RRB- UH, -RRB- VB, -RRB- VBD, -RRB- VBG, -RRB- VBN, -RRB- VBP, -RRB- VBZ, -RRB- WDT, -RRB- WP, -RRB- ``, . '', . -LRB-, . -RRB-, . ., . :, . ADD, . CC, . CD, . DT, . EX, . IN, . JJ, . JJR, . JJS, . MD, . NFP, . NN, . NNP, . NNPS, . NNS, . PDT, . PRP, . PRP$, . RB, . RBR, . RBS, . TO, . UH, . VB, . VBD, . VBG, . VBN, . VBP, . VBZ, . WDT, . WP, . WRB, . XX, . ``, : $, : '', : -LRB-, : ., : :, : ADD, : CC, : CD, : DT, : EX, : FW, : IN, : JJ, : JJR, : JJS, : LS, : MD, : NFP, : NN, : NNP, : NNPS, : NNS, : PDT, : PRP, : PRP$, : RB, : RBR, : TO, : UH, : VB, : VBD, : VBG, : VBN, : VBP, : VBZ, : WDT, : WP, : WRB, : ``, ADD ,, ADD -RRB-, ADD :, ADD CC, ADD NNP, CC $, CC '', CC ,, CC -RRB-, CC ., CC :, CC CC, CC CD, CC DT, CC EX, CC FW, CC HYPH, CC IN, CC JJ, CC JJR, CC JJS, CC LS, CC MD, CC NFP, CC NN, CC NNP, CC NNPS, CC NNS, CC PDT, CC PRP, CC PRP$, CC RB, CC RBR, CC RBS, CC RP, CC TO, CC UH, CC VB, CC VBD, CC VBG, CC VBN, CC VBP, CC VBZ, CC WDT, CC WP, CC WP$, CC WRB, CC XX, CC ``, CD $, CD '', CD ,, CD -LRB-, CD -RRB-, CD ., CD :, CD CC, CD CD, CD DT, CD EX, CD HYPH, CD IN, CD JJ, CD JJR, CD JJS, CD MD, CD NFP, CD NN, CD NNP, CD NNPS, CD NNS, CD POS, CD PRP, CD PRP$, CD RB, CD RBR, CD RP, CD SYM, CD TO, CD VB, CD VBD, CD VBG, CD VBN, CD VBP, CD VBZ, CD WDT, CD WP, CD WP$, CD WRB, CD ``, DT $, DT '', DT ,, DT -LRB-, DT -RRB-, DT ., DT :, DT CC, DT CD, DT DT, DT EX, DT FW, DT HYPH, DT IN, DT JJ, DT JJR, DT JJS, DT MD, DT NFP, DT NN, DT NNP, DT NNPS, DT NNS, DT POS, DT PRP, DT PRP$, DT RB, DT RBR, DT RBS, DT RP, DT SYM, DT TO, DT UH, DT VB, DT VBD, DT VBG, DT VBN, DT VBP, DT VBZ, DT WDT, DT WP, DT WP$, DT WRB, DT ``, EX ., EX DT, EX JJ, EX MD, EX NFP, EX NN, EX NNS, EX POS, EX RB, EX UH, EX VB, EX VBD, EX VBP, EX VBZ, FW ,, FW -RRB-, FW ., FW :, FW CC, FW FW, FW HYPH, FW JJ, FW NFP, FW NN, FW NNP, FW NNS, FW POS, FW PRP, FW RB, FW VB, HYPH CC, HYPH CD, HYPH DT, HYPH IN, HYPH JJ, HYPH JJR, HYPH NN, HYPH NNP, HYPH NNPS, HYPH NNS, HYPH PRP, HYPH PRP$, HYPH RB, HYPH RP, HYPH TO, HYPH VB, HYPH VBD, HYPH VBG, HYPH VBN, HYPH VBP, HYPH VBZ, HYPH WP, HYPH XX, IN $, IN '', IN ,, IN -LRB-, IN -RRB-, IN ., IN :, IN ADD, IN CC, IN CD, IN DT, IN EX, IN FW, IN HYPH, IN IN, IN JJ, IN JJR, IN JJS, IN MD, IN NFP, IN NN, IN NNP, IN NNPS, IN NNS, IN PDT, IN POS, IN PRP, IN PRP$, IN RB, IN RBR, IN RBS, IN RP, IN SYM, IN TO, IN UH, IN VB, IN VBD, IN VBG, IN VBN, IN VBP, IN VBZ, IN WDT, IN WP, IN WRB, IN XX, IN ``, JJ $, JJ '', JJ ,, JJ -LRB-, JJ -RRB-, JJ ., JJ :, JJ CC, JJ CD, JJ DT, JJ EX, JJ HYPH, JJ IN, JJ JJ, JJ JJR, JJ JJS, JJ MD, JJ NFP, JJ NN, JJ NNP, JJ NNPS, JJ NNS, JJ PDT, JJ POS, JJ PRP, JJ PRP$, JJ RB, JJ RBR, JJ RBS, JJ RP, JJ SYM, JJ TO, JJ UH, JJ VB, JJ VBD, JJ VBG, JJ VBN, JJ VBP, JJ VBZ, JJ WDT, JJ WP, JJ WRB, JJ ``, JJR '', JJR ,, JJR -RRB-, JJR ., JJR :, JJR CC, JJR CD, JJR DT, JJR HYPH, JJR IN, JJR JJ, JJR MD, JJR NN, JJR NNP, JJR NNPS, JJR NNS, JJR PRP, JJR RB, JJR RP, JJR TO, JJR VB, JJR VBD, JJR VBG, JJR VBP, JJR VBZ, JJR WRB, JJS '', JJS ,, JJS -RRB-, JJS ., JJS :, JJS CC, JJS CD, JJS DT, JJS EX, JJS HYPH, JJS IN, JJS JJ, JJS MD, JJS NN, JJS NNP, JJS NNPS, JJS NNS, JJS PDT, JJS PRP, JJS PRP$, JJS RB, JJS TO, JJS VBD, JJS VBG, JJS VBN, JJS VBP, JJS VBZ, JJS WDT, LS ,, LS -RRB-, LS ., LS :, LS DT, LS LS, LS NNP, LS PRP, MD '', MD ,, MD -LRB-, MD -RRB-, MD ., MD :, MD ADD, MD CC, MD CD, MD DT, MD EX, MD HYPH, MD IN, MD JJ, MD MD, MD NFP, MD NN, MD NNP, MD NNS, MD PRP, MD RB, MD RBR, MD RBS, MD TO, MD VB, MD VBD, MD VBG, MD VBN, MD ``, NFP '', NFP -RRB-, NFP ., NFP :, NFP ADD, NFP CC, NFP CD, NFP DT, NFP EX, NFP IN, NFP JJ, NFP MD, NFP NFP, NFP NN, NFP NNP, NFP NNS, NFP PDT, NFP PRP, NFP PRP$, NFP RB, NFP TO, NFP UH, NFP VB, NFP VBD, NFP VBG, NFP VBN, NFP VBP, NFP VBZ, NFP WDT, NFP WP, NFP XX, NFP ``, NN $, NN '', NN ,, NN -LRB-, NN -RRB-, NN ., NN :, NN CC, NN CD, NN DT, NN EX, NN HYPH, NN IN, NN JJ, NN JJR, NN JJS, NN MD, NN NFP, NN NN, NN NNP, NN NNPS, NN NNS, NN PDT, NN POS, NN PRP, NN PRP$, NN RB, NN RBR, NN RP, NN SYM, NN TO, NN UH, NN VB, NN VBD, NN VBG, NN VBN, NN VBP, NN VBZ, NN WDT, NN WP, NN WP$, NN WRB, NN XX, NN ``, NNP $, NNP '', NNP ,, NNP -LRB-, NNP -RRB-, NNP ., NNP :, NNP ADD, NNP CC, NNP CD, NNP DT, NNP EX, NNP FW, NNP HYPH, NNP IN, NNP JJ, NNP JJR, NNP JJS, NNP MD, NNP NFP, NNP NN, NNP NNP, NNP NNPS, NNP NNS, NNP PDT, NNP POS, NNP PRP, NNP PRP$, NNP RB, NNP RBR, NNP RBS, NNP RP, NNP SYM, NNP TO, NNP UH, NNP VB, NNP VBD, NNP VBG, NNP VBN, NNP VBP, NNP VBZ, NNP WDT, NNP WP, NNP WP$, NNP WRB, NNP XX, NNP ``, NNPS '', NNPS ,, NNPS -LRB-, NNPS -RRB-, NNPS ., NNPS :, NNPS CC, NNPS CD, NNPS DT, NNPS HYPH, NNPS IN, NNPS JJ, NNPS JJR, NNPS MD, NNPS NFP, NNPS NN, NNPS NNP, NNPS NNPS, NNPS NNS, NNPS PDT, NNPS POS, NNPS PRP, NNPS PRP$, NNPS RB, NNPS RP, NNPS TO, NNPS VB, NNPS VBD, NNPS VBG, NNPS VBN, NNPS VBP, NNPS VBZ, NNPS WDT, NNPS WP, NNPS WP$, NNS $, NNS '', NNS ,, NNS -LRB-, NNS -RRB-, NNS ., NNS :, NNS CC, NNS CD, NNS DT, NNS EX, NNS HYPH, NNS IN, NNS JJ, NNS JJR, NNS JJS, NNS MD, NNS NFP, NNS NN, NNS NNP, NNS NNPS, NNS NNS, NNS PDT, NNS POS, NNS PRP, NNS PRP$, NNS RB, NNS RBR, NNS RBS, NNS RP, NNS SYM, NNS TO, NNS VB, NNS VBD, NNS VBG, NNS VBN, NNS VBP, NNS VBZ, NNS WDT, NNS WP, NNS WP$, NNS WRB, NNS XX, NNS ``, PDT DT, PDT PRP$, PDT RB, PDT WDT, POS ,, POS -LRB-, POS ., POS :, POS CC, POS CD, POS DT, POS IN, POS JJ, POS JJR, POS JJS, POS MD, POS NN, POS NNP, POS NNPS, POS NNS, POS PRP, POS RB, POS RBR, POS RBS, POS UH, POS VB, POS VBD, POS VBG, POS VBN, POS VBP, POS VBZ, POS WDT, POS ``, PRP '', PRP ,, PRP -LRB-, PRP -RRB-, PRP ., PRP :, PRP CC, PRP CD, PRP DT, PRP EX, PRP FW, PRP HYPH, PRP IN, PRP JJ, PRP JJR, PRP JJS, PRP MD, PRP NFP, PRP NN, PRP NNP, PRP NNPS, PRP NNS, PRP PDT, PRP POS, PRP PRP, PRP PRP$, PRP RB, PRP RBR, PRP RP, PRP SYM, PRP TO, PRP UH, PRP VB, PRP VBD, PRP VBG, PRP VBN, PRP VBP, PRP VBZ, PRP WDT, PRP WP, PRP WRB, PRP ``, PRP$ ., PRP$ :, PRP$ CC, PRP$ CD, PRP$ DT, PRP$ FW, PRP$ HYPH, PRP$ IN, PRP$ JJ, PRP$ JJR, PRP$ JJS, PRP$ NN, PRP$ NNP, PRP$ NNPS, PRP$ NNS, PRP$ PRP, PRP$ PRP$, PRP$ RB, PRP$ RBR, PRP$ RBS, PRP$ UH, PRP$ VB, PRP$ VBD, PRP$ VBG, PRP$ VBN, PRP$ VBP, PRP$ VBZ, PRP$ XX, PRP$ ``, RB $, RB '', RB ,, RB -LRB-, RB -RRB-, RB ., RB :, RB ADD, RB CC, RB CD, RB DT, RB EX, RB HYPH, RB IN, RB JJ, RB JJR, RB JJS, RB MD, RB NFP, RB NN, RB NNP, RB NNPS, RB NNS, RB PDT, RB POS, RB PRP, RB PRP$, RB RB, RB RBR, RB RBS, RB RP, RB SYM, RB TO, RB UH, RB VB, RB VBD, RB VBG, RB VBN, RB VBP, RB VBZ, RB WDT, RB WP, RB WRB, RB ``, RBR ,, RBR ., RBR :, RBR CC, RBR DT, RBR HYPH, RBR IN, RBR JJ, RBR MD, RBR NFP, RBR NN, RBR NNP, RBR PRP, RBR RB, RBR TO, RBR VB, RBR VBD, RBR VBG, RBR VBN, RBR VBP, RBR VBZ, RBR WP$, RBR WRB, RBS ,, RBS ., RBS CD, RBS HYPH, RBS IN, RBS JJ, RBS NN, RBS PRP, RBS RB, RBS VB, RBS VBG, RBS VBN, RBS VBZ, RP $, RP '', RP ,, RP -LRB-, RP -RRB-, RP ., RP :, RP CC, RP CD, RP DT, RP IN, RP JJ, RP JJR, RP JJS, RP MD, RP NFP, RP NN, RP NNP, RP NNPS, RP NNS, RP PDT, RP PRP, RP PRP$, RP RB, RP RBR, RP TO, RP UH, RP VBG, RP VBZ, RP WDT, RP WP, RP WRB, RP ``, SYM CC, SYM CD, SYM DT, SYM JJ, SYM NN, SYM NNP, SYM NNS, SYM PRP, SYM RB, SYM VBG, SYM WRB, TO $, TO ,, TO ., TO :, TO CC, TO CD, TO DT, TO HYPH, TO IN, TO JJ, TO NN, TO NNP, TO RB, TO RBR, TO RBS, TO VB, TO VBG, TO VBN, TO WDT, TO WP, TO ``, UH '', UH ,, UH -RRB-, UH ., UH :, UH CC, UH CD, UH DT, UH EX, UH HYPH, UH IN, UH JJ, UH JJS, UH MD, UH NFP, UH NN, UH NNP, UH NNS, UH PRP, UH PRP$, UH RB, UH TO, UH UH, UH VB, UH VBD, UH VBN, UH VBP, UH VBZ, UH WP, UH WRB, VB $, VB '', VB ,, VB -LRB-, VB -RRB-, VB ., VB :, VB CC, VB CD, VB DT, VB EX, VB FW, VB HYPH, VB IN, VB JJ, VB JJR, VB JJS, VB MD, VB NFP, VB NN, VB NNP, VB NNPS, VB NNS, VB PDT, VB PRP, VB PRP$, VB RB, VB RBR, VB RP, VB TO, VB UH, VB VB, VB VBD, VB VBG, VB VBN, VB VBP, VB VBZ, VB WDT, VB WP, VB WP$, VB WRB, VB ``, VBD $, VBD ,, VBD -LRB-, VBD -RRB-, VBD ., VBD :, VBD CC, VBD CD, VBD DT, VBD EX, VBD FW, VBD IN, VBD JJ, VBD JJR, VBD JJS, VBD MD, VBD NFP, VBD NN, VBD NNP, VBD NNPS, VBD NNS, VBD PDT, VBD PRP, VBD PRP$, VBD RB, VBD RBR, VBD RP, VBD TO, VBD UH, VBD VB, VBD VBD, VBD VBG, VBD VBN, VBD VBP, VBD VBZ, VBD WDT, VBD WP, VBD WP$, VBD WRB, VBD XX, VBD ``, VBG $, VBG '', VBG ,, VBG -LRB-, VBG -RRB-, VBG ., VBG :, VBG CC, VBG CD, VBG DT, VBG EX, VBG HYPH, VBG IN, VBG JJ, VBG JJR, VBG JJS, VBG MD, VBG NFP, VBG NN, VBG NNP, VBG NNPS, VBG NNS, VBG PDT, VBG PRP, VBG PRP$, VBG RB, VBG RBR, VBG RBS, VBG RP, VBG TO, VBG UH, VBG VB, VBG VBD, VBG VBG, VBG VBN, VBG VBP, VBG VBZ, VBG WDT, VBG WP, VBG WRB, VBG ``, VBN $, VBN '', VBN ,, VBN -LRB-, VBN -RRB-, VBN ., VBN :, VBN CC, VBN CD, VBN DT, VBN EX, VBN HYPH, VBN IN, VBN JJ, VBN JJR, VBN JJS, VBN MD, VBN NFP, VBN NN, VBN NNP, VBN NNPS, VBN NNS, VBN PDT, VBN PRP, VBN PRP$, VBN RB, VBN RBR, VBN RP, VBN TO, VBN UH, VBN VB, VBN VBD, VBN VBG, VBN VBN, VBN VBP, VBN VBZ, VBN WDT, VBN WP, VBN WRB, VBN ``, VBP $, VBP '', VBP ,, VBP ., VBP :, VBP CC, VBP CD, VBP DT, VBP EX, VBP HYPH, VBP IN, VBP JJ, VBP JJR, VBP JJS, VBP MD, VBP NFP, VBP NN, VBP NNP, VBP NNPS, VBP NNS, VBP PDT, VBP POS, VBP PRP, VBP PRP$, VBP RB, VBP RBR, VBP RBS, VBP RP, VBP TO, VBP UH, VBP VB, VBP VBD, VBP VBG, VBP VBN, VBP VBP, VBP VBZ, VBP WDT, VBP WP, VBP WRB, VBP ``, VBZ $, VBZ '', VBZ ,, VBZ -LRB-, VBZ -RRB-, VBZ ., VBZ :, VBZ CC, VBZ CD, VBZ DT, VBZ EX, VBZ HYPH, VBZ IN, VBZ JJ, VBZ JJR, VBZ JJS, VBZ MD, VBZ NFP, VBZ NN, VBZ NNP, VBZ NNPS, VBZ NNS, VBZ PDT, VBZ PRP, VBZ PRP$, VBZ RB, VBZ RBR, VBZ RBS, VBZ RP, VBZ TO, VBZ UH, VBZ VB, VBZ VBD, VBZ VBG, VBZ VBN, VBZ VBP, VBZ VBZ, VBZ WDT, VBZ WP, VBZ WRB, VBZ ``, WDT ,, WDT ., WDT :, WDT CC, WDT CD, WDT DT, WDT EX, WDT IN, WDT JJ, WDT MD, WDT NN, WDT NNP, WDT NNPS, WDT NNS, WDT PRP, WDT PRP$, WDT RB, WDT TO, WDT VB, WDT VBD, WDT VBG, WDT VBN, WDT VBP, WDT VBZ, WDT ``, WP ,, WP ., WP :, WP CC, WP DT, WP EX, WP HYPH, WP IN, WP JJ, WP JJR, WP JJS, WP MD, WP NN, WP NNP, WP NNPS, WP NNS, WP PRP, WP PRP$, WP RB, WP TO, WP VBD, WP VBP, WP VBZ, WP WP, WP ``, WP$ CD, WP$ JJ, WP$ NN, WP$ NNS, WP$ VBG, WP$ VBN, WRB ,, WRB -LRB-, WRB ., WRB :, WRB CC, WRB CD, WRB DT, WRB EX, WRB HYPH, WRB IN, WRB JJ, WRB JJR, WRB JJS, WRB MD, WRB NN, WRB NNP, WRB NNPS, WRB NNS, WRB PDT, WRB PRP, WRB PRP$, WRB RB, WRB TO, WRB UH, WRB VB, WRB VBD, WRB VBG, WRB VBN, WRB VBP, WRB VBZ, WRB ``, XX -RRB-, XX CC, XX CD, XX DT, XX IN, XX JJ, XX NN, XX NNP, XX NNS, XX PRP, XX RB, XX VB, XX VBG, XX VBZ, XX WP, XX XX, XX ``, `` ,, `` ., `` :, `` CC, `` CD, `` DT, `` EX, `` FW, `` IN, `` JJ, `` JJR, `` JJS, `` MD, `` NFP, `` NN, `` NNP, `` NNPS, `` NNS, `` PDT, `` PRP, `` PRP$, `` RB, `` RBR, `` TO, `` UH, `` VB, `` VBD, `` VBG, `` VBN, `` VBP, `` VBZ, `` WDT, `` WP, `` WRB, `` XX, `` ``

selector SelectKBest

Features Out (120)

'' ., '' NNP, '' PRP, '' VBG, '' VBZ, , '', , CC, , IN, , PRP, , VBG, , ``, -RRB- ., . '', . CC, . IN, . PRP, . VBG, . ``, : '', : CC, : DT, : IN, : PRP, CC DT, CC IN, CC JJ, CC NN, CC NNS, CC PRP, CC TO, CC VB, CC VBZ, CD CD, DT IN, DT JJ, DT JJS, DT NN, DT NNP, DT NNS, DT VBZ, DT WP, IN DT, IN JJ, IN NN, IN NNP, IN NNPS, IN NNS, IN VBG, JJ NN, JJ NNS, JJR NN, MD RB, MD VB, NN '', NN ,, NN -LRB-, NN -RRB-, NN :, NN IN, NN MD, NN NNP, NN NNS, NN TO, NN WDT, NNP '', NNP -LRB-, NNP -RRB-, NNP MD, NNP NNP, NNP TO, NNP VBZ, NNPS VBP, NNS ,, NNS ., NNS :, NNS CC, NNS IN, NNS MD, NNS TO, NNS VBP, NNS WDT, NNS WP, PRP MD, PRP VBP, PRP VBZ, PRP$ JJ, PRP$ NNS, RB VB, RP IN, TO VB, UH UH, VB DT, VB IN, VB JJ, VB NN, VB NNS, VB PRP$, VBN DT, VBP DT, VBP IN, VBP JJ, VBP PRP, VBP RB, VBP TO, VBP VBG, VBP VBN, VBZ ,, VBZ IN, VBZ NNP, VBZ RP, WDT PRP, WDT VBP, WDT VBZ, WP VBP, `` DT, `` NN, `` NNP, `` PRP, `` RB, `` UH

textstats_vectors TextstatsTransformer

Features Out (12)

tokens_count, sentences_count, characters_count, monosyllabic_words_relfreq, polysyllabic_words_relfreq, unique_tokens_relfreq, average_characters_per_token, average_tokens_per_sentence, characters_proportion_letters, characters_proportion_uppercase, hapax_legomena_count, hapax_legomena_to_unique

selector SelectKBest

Features Out (6)

characters_count, polysyllabic_words_relfreq, unique_tokens_relfreq, average_tokens_per_sentence, characters_proportion_letters, hapax_legomena_to_unique

embeddings Model2VecEmbedder

Features Out (256)

emb_0, emb_1, emb_2, emb_3, emb_4, emb_5, emb_6, emb_7, emb_8, emb_9, emb_10, emb_11, emb_12, emb_13, emb_14, emb_15, emb_16, emb_17, emb_18, emb_19, emb_20, emb_21, emb_22, emb_23, emb_24, emb_25, emb_26, emb_27, emb_28, emb_29, emb_30, emb_31, emb_32, emb_33, emb_34, emb_35, emb_36, emb_37, emb_38, emb_39, emb_40, emb_41, emb_42, emb_43, emb_44, emb_45, emb_46, emb_47, emb_48, emb_49, emb_50, emb_51, emb_52, emb_53, emb_54, emb_55, emb_56, emb_57, emb_58, emb_59, emb_60, emb_61, emb_62, emb_63, emb_64, emb_65, emb_66, emb_67, emb_68, emb_69, emb_70, emb_71, emb_72, emb_73, emb_74, emb_75, emb_76, emb_77, emb_78, emb_79, emb_80, emb_81, emb_82, emb_83, emb_84, emb_85, emb_86, emb_87, emb_88, emb_89, emb_90, emb_91, emb_92, emb_93, emb_94, emb_95, emb_96, emb_97, emb_98, emb_99, emb_100, emb_101, emb_102, emb_103, emb_104, emb_105, emb_106, emb_107, emb_108, emb_109, emb_110, emb_111, emb_112, emb_113, emb_114, emb_115, emb_116, emb_117, emb_118, emb_119, emb_120, emb_121, emb_122, emb_123, emb_124, emb_125, emb_126, emb_127, emb_128, emb_129, emb_130, emb_131, emb_132, emb_133, emb_134, emb_135, emb_136, emb_137, emb_138, emb_139, emb_140, emb_141, emb_142, emb_143, emb_144, emb_145, emb_146, emb_147, emb_148, emb_149, emb_150, emb_151, emb_152, emb_153, emb_154, emb_155, emb_156, emb_157, emb_158, emb_159, emb_160, emb_161, emb_162, emb_163, emb_164, emb_165, emb_166, emb_167, emb_168, emb_169, emb_170, emb_171, emb_172, emb_173, emb_174, emb_175, emb_176, emb_177, emb_178, emb_179, emb_180, emb_181, emb_182, emb_183, emb_184, emb_185, emb_186, emb_187, emb_188, emb_189, emb_190, emb_191, emb_192, emb_193, emb_194, emb_195, emb_196, emb_197, emb_198, emb_199, emb_200, emb_201, emb_202, emb_203, emb_204, emb_205, emb_206, emb_207, emb_208, emb_209, emb_210, emb_211, emb_212, emb_213, emb_214, emb_215, emb_216, emb_217, emb_218, emb_219, emb_220, emb_221, emb_222, emb_223, emb_224, emb_225, emb_226, emb_227, emb_228, emb_229, emb_230, emb_231, emb_232, emb_233, emb_234, emb_235, emb_236, emb_237, emb_238, emb_239, emb_240, emb_241, emb_242, emb_243, emb_244, emb_245, emb_246, emb_247, emb_248, emb_249, emb_250, emb_251, emb_252, emb_253, emb_254, emb_255

scaler StandardScaler

Features Out (582)

tokens__!, tokens__", tokens__', tokens__'re, tokens__'ve, tokens__(, tokens__), tokens__*, tokens__--, tokens__.., tokens__..., tokens__...., tokens__....., tokens__?, tokens__Abel, tokens__Afghanistan, tokens__Alex, tokens__Alyx, tokens__America, tokens__American, tokens__Americans, tokens__And, tokens__But, tokens__Chase, tokens__China, tokens__Compton, tokens__Congress, tokens__Connelly, tokens__Daisy, tokens__Dave, tokens__Democrats, tokens__Go, tokens__God, tokens__He, tokens__Hiro, tokens__Iran, tokens__Iraq, tokens__Iraqi, tokens__Israel, tokens__Jonah, tokens__Keene, tokens__Our, tokens__Penny, tokens__Pobble, tokens__President, tokens__Qaeda, tokens__She, tokens__Standingwater, tokens__States, tokens__Thank, tokens__They, tokens__United, tokens__We, tokens__a.m., tokens__administration, tokens__ahead, tokens__allies, tokens__also, tokens__and, tokens__are, tokens__arrived, tokens__asks, tokens__at, tokens__back, tokens__billion, tokens__bit, tokens__bless, tokens__book, tokens__books, tokens__build, tokens__businesses, tokens__calories, tokens__can, tokens__care, tokens__challenges, tokens__children, tokens__cigarette, tokens__citizens, tokens__communities, tokens__companies, tokens__continue, tokens__countries, tokens__country, tokens__democracy, tokens__door, tokens__eat, tokens__economic, tokens__economy, tokens__education, tokens__election, tokens__energy, tokens__every, tokens__everybody, tokens__exercise, tokens__eyes, tokens__families, tokens__fat, tokens__federal, tokens__for, tokens__freedom, tokens__future, tokens__government, tokens__great, tokens__hand, tokens__have, tokens__he, tokens__head, tokens__health, tokens__help, tokens__her, tokens__him, tokens__his, tokens__history, tokens__hope, tokens__human, tokens__immigration, tokens__important, tokens__incredible, tokens__insurance, tokens__job, tokens__jobs, tokens__know, tokens__law, tokens__leaders, tokens__left, tokens__little, tokens__lives, tokens__looks, tokens__make, tokens__many, tokens__military, tokens__millions, tokens__must, tokens__my, tokens__myself, tokens__nation, tokens__national, tokens__nations, tokens__new, tokens__nods, tokens__novel, tokens__nuclear, tokens__of, tokens__off, tokens__opportunity, tokens__our, tokens__out, tokens__p.m., tokens__peace, tokens__people, tokens__plan, tokens__prosperity, tokens__protect, tokens__reform, tokens__regime, tokens__says, tokens__security, tokens__seems, tokens__she, tokens__shit, tokens__states, tokens__support, tokens__system, tokens__table, tokens__tax, tokens__terrorists, tokens__thank, tokens__that, tokens__their, tokens__then, tokens__these, tokens__they, tokens__this, tokens__those, tokens__though, tokens__to, tokens__together, tokens__towards, tokens__troops, tokens__turns, tokens__up, tokens__us, tokens__values, tokens__very, tokens__virus, tokens__walks, tokens__want, tokens__war, tokens__we, tokens__weapons, tokens__weight, tokens__who, tokens__will, tokens__work, tokens__workers, tokens__working, tokens__world, tokens__year, tokens__years, tokens__you, pos__'' ., pos__'' NNP, pos__'' PRP, pos__'' VBG, pos__'' VBZ, pos__, '', pos__, CC, pos__, IN, pos__, PRP, pos__, VBG, pos__, ``, pos__-RRB- ., pos__. '', pos__. CC, pos__. IN, pos__. PRP, pos__. VBG, pos__. ``, pos__: '', pos__: CC, pos__: DT, pos__: IN, pos__: PRP, pos__CC DT, pos__CC IN, pos__CC JJ, pos__CC NN, pos__CC NNS, pos__CC PRP, pos__CC TO, pos__CC VB, pos__CC VBZ, pos__CD CD, pos__DT IN, pos__DT JJ, pos__DT JJS, pos__DT NN, pos__DT NNP, pos__DT NNS, pos__DT VBZ, pos__DT WP, pos__IN DT, pos__IN JJ, pos__IN NN, pos__IN NNP, pos__IN NNPS, pos__IN NNS, pos__IN VBG, pos__JJ NN, pos__JJ NNS, pos__JJR NN, pos__MD RB, pos__MD VB, pos__NN '', pos__NN ,, pos__NN -LRB-, pos__NN -RRB-, pos__NN :, pos__NN IN, pos__NN MD, pos__NN NNP, pos__NN NNS, pos__NN TO, pos__NN WDT, pos__NNP '', pos__NNP -LRB-, pos__NNP -RRB-, pos__NNP MD, pos__NNP NNP, pos__NNP TO, pos__NNP VBZ, pos__NNPS VBP, pos__NNS ,, pos__NNS ., pos__NNS :, pos__NNS CC, pos__NNS IN, pos__NNS MD, pos__NNS TO, pos__NNS VBP, pos__NNS WDT, pos__NNS WP, pos__PRP MD, pos__PRP VBP, pos__PRP VBZ, pos__PRP$ JJ, pos__PRP$ NNS, pos__RB VB, pos__RP IN, pos__TO VB, pos__UH UH, pos__VB DT, pos__VB IN, pos__VB JJ, pos__VB NN, pos__VB NNS, pos__VB PRP$, pos__VBN DT, pos__VBP DT, pos__VBP IN, pos__VBP JJ, pos__VBP PRP, pos__VBP RB, pos__VBP TO, pos__VBP VBG, pos__VBP VBN, pos__VBZ ,, pos__VBZ IN, pos__VBZ NNP, pos__VBZ RP, pos__WDT PRP, pos__WDT VBP, pos__WDT VBZ, pos__WP VBP, pos__`` DT, pos__`` NN, pos__`` NNP, pos__`` PRP, pos__`` RB, pos__`` UH, textstats__characters_count, textstats__polysyllabic_words_relfreq, textstats__unique_tokens_relfreq, textstats__average_tokens_per_sentence, textstats__characters_proportion_letters, textstats__hapax_legomena_to_unique, embeddings__emb_0, embeddings__emb_1, embeddings__emb_2, embeddings__emb_3, embeddings__emb_4, embeddings__emb_5, embeddings__emb_6, embeddings__emb_7, embeddings__emb_8, embeddings__emb_9, embeddings__emb_10, embeddings__emb_11, embeddings__emb_12, embeddings__emb_13, embeddings__emb_14, embeddings__emb_15, embeddings__emb_16, embeddings__emb_17, embeddings__emb_18, embeddings__emb_19, embeddings__emb_20, embeddings__emb_21, embeddings__emb_22, embeddings__emb_23, embeddings__emb_24, embeddings__emb_25, embeddings__emb_26, embeddings__emb_27, embeddings__emb_28, embeddings__emb_29, embeddings__emb_30, embeddings__emb_31, embeddings__emb_32, embeddings__emb_33, embeddings__emb_34, embeddings__emb_35, embeddings__emb_36, embeddings__emb_37, embeddings__emb_38, embeddings__emb_39, embeddings__emb_40, embeddings__emb_41, embeddings__emb_42, embeddings__emb_43, embeddings__emb_44, embeddings__emb_45, embeddings__emb_46, embeddings__emb_47, embeddings__emb_48, embeddings__emb_49, embeddings__emb_50, embeddings__emb_51, embeddings__emb_52, embeddings__emb_53, embeddings__emb_54, embeddings__emb_55, embeddings__emb_56, embeddings__emb_57, embeddings__emb_58, embeddings__emb_59, embeddings__emb_60, embeddings__emb_61, embeddings__emb_62, embeddings__emb_63, embeddings__emb_64, embeddings__emb_65, embeddings__emb_66, embeddings__emb_67, embeddings__emb_68, embeddings__emb_69, embeddings__emb_70, embeddings__emb_71, embeddings__emb_72, embeddings__emb_73, embeddings__emb_74, embeddings__emb_75, embeddings__emb_76, embeddings__emb_77, embeddings__emb_78, embeddings__emb_79, embeddings__emb_80, embeddings__emb_81, embeddings__emb_82, embeddings__emb_83, embeddings__emb_84, embeddings__emb_85, embeddings__emb_86, embeddings__emb_87, embeddings__emb_88, embeddings__emb_89, embeddings__emb_90, embeddings__emb_91, embeddings__emb_92, embeddings__emb_93, embeddings__emb_94, embeddings__emb_95, embeddings__emb_96, embeddings__emb_97, embeddings__emb_98, embeddings__emb_99, embeddings__emb_100, embeddings__emb_101, embeddings__emb_102, embeddings__emb_103, embeddings__emb_104, embeddings__emb_105, embeddings__emb_106, embeddings__emb_107, embeddings__emb_108, embeddings__emb_109, embeddings__emb_110, embeddings__emb_111, embeddings__emb_112, embeddings__emb_113, embeddings__emb_114, embeddings__emb_115, embeddings__emb_116, embeddings__emb_117, embeddings__emb_118, embeddings__emb_119, embeddings__emb_120, embeddings__emb_121, embeddings__emb_122, embeddings__emb_123, embeddings__emb_124, embeddings__emb_125, embeddings__emb_126, embeddings__emb_127, embeddings__emb_128, embeddings__emb_129, embeddings__emb_130, embeddings__emb_131, embeddings__emb_132, embeddings__emb_133, embeddings__emb_134, embeddings__emb_135, embeddings__emb_136, embeddings__emb_137, embeddings__emb_138, embeddings__emb_139, embeddings__emb_140, embeddings__emb_141, embeddings__emb_142, embeddings__emb_143, embeddings__emb_144, embeddings__emb_145, embeddings__emb_146, embeddings__emb_147, embeddings__emb_148, embeddings__emb_149, embeddings__emb_150, embeddings__emb_151, embeddings__emb_152, embeddings__emb_153, embeddings__emb_154, embeddings__emb_155, embeddings__emb_156, embeddings__emb_157, embeddings__emb_158, embeddings__emb_159, embeddings__emb_160, embeddings__emb_161, embeddings__emb_162, embeddings__emb_163, embeddings__emb_164, embeddings__emb_165, embeddings__emb_166, embeddings__emb_167, embeddings__emb_168, embeddings__emb_169, embeddings__emb_170, embeddings__emb_171, embeddings__emb_172, embeddings__emb_173, embeddings__emb_174, embeddings__emb_175, embeddings__emb_176, embeddings__emb_177, embeddings__emb_178, embeddings__emb_179, embeddings__emb_180, embeddings__emb_181, embeddings__emb_182, embeddings__emb_183, embeddings__emb_184, embeddings__emb_185, embeddings__emb_186, embeddings__emb_187, embeddings__emb_188, embeddings__emb_189, embeddings__emb_190, embeddings__emb_191, embeddings__emb_192, embeddings__emb_193, embeddings__emb_194, embeddings__emb_195, embeddings__emb_196, embeddings__emb_197, embeddings__emb_198, embeddings__emb_199, embeddings__emb_200, embeddings__emb_201, embeddings__emb_202, embeddings__emb_203, embeddings__emb_204, embeddings__emb_205, embeddings__emb_206, embeddings__emb_207, embeddings__emb_208, embeddings__emb_209, embeddings__emb_210, embeddings__emb_211, embeddings__emb_212, embeddings__emb_213, embeddings__emb_214, embeddings__emb_215, embeddings__emb_216, embeddings__emb_217, embeddings__emb_218, embeddings__emb_219, embeddings__emb_220, embeddings__emb_221, embeddings__emb_222, embeddings__emb_223, embeddings__emb_224, embeddings__emb_225, embeddings__emb_226, embeddings__emb_227, embeddings__emb_228, embeddings__emb_229, embeddings__emb_230, embeddings__emb_231, embeddings__emb_232, embeddings__emb_233, embeddings__emb_234, embeddings__emb_235, embeddings__emb_236, embeddings__emb_237, embeddings__emb_238, embeddings__emb_239, embeddings__emb_240, embeddings__emb_241, embeddings__emb_242, embeddings__emb_243, embeddings__emb_244, embeddings__emb_245, embeddings__emb_246, embeddings__emb_247, embeddings__emb_248, embeddings__emb_249, embeddings__emb_250, embeddings__emb_251, embeddings__emb_252, embeddings__emb_253, embeddings__emb_254, embeddings__emb_255

classifier LogisticRegression

Features In (582)

tokens__!, tokens__", tokens__', tokens__'re, tokens__'ve, tokens__(, tokens__), tokens__*, tokens__--, tokens__.., tokens__..., tokens__...., tokens__....., tokens__?, tokens__Abel, tokens__Afghanistan, tokens__Alex, tokens__Alyx, tokens__America, tokens__American, tokens__Americans, tokens__And, tokens__But, tokens__Chase, tokens__China, tokens__Compton, tokens__Congress, tokens__Connelly, tokens__Daisy, tokens__Dave, tokens__Democrats, tokens__Go, tokens__God, tokens__He, tokens__Hiro, tokens__Iran, tokens__Iraq, tokens__Iraqi, tokens__Israel, tokens__Jonah, tokens__Keene, tokens__Our, tokens__Penny, tokens__Pobble, tokens__President, tokens__Qaeda, tokens__She, tokens__Standingwater, tokens__States, tokens__Thank, tokens__They, tokens__United, tokens__We, tokens__a.m., tokens__administration, tokens__ahead, tokens__allies, tokens__also, tokens__and, tokens__are, tokens__arrived, tokens__asks, tokens__at, tokens__back, tokens__billion, tokens__bit, tokens__bless, tokens__book, tokens__books, tokens__build, tokens__businesses, tokens__calories, tokens__can, tokens__care, tokens__challenges, tokens__children, tokens__cigarette, tokens__citizens, tokens__communities, tokens__companies, tokens__continue, tokens__countries, tokens__country, tokens__democracy, tokens__door, tokens__eat, tokens__economic, tokens__economy, tokens__education, tokens__election, tokens__energy, tokens__every, tokens__everybody, tokens__exercise, tokens__eyes, tokens__families, tokens__fat, tokens__federal, tokens__for, tokens__freedom, tokens__future, tokens__government, tokens__great, tokens__hand, tokens__have, tokens__he, tokens__head, tokens__health, tokens__help, tokens__her, tokens__him, tokens__his, tokens__history, tokens__hope, tokens__human, tokens__immigration, tokens__important, tokens__incredible, tokens__insurance, tokens__job, tokens__jobs, tokens__know, tokens__law, tokens__leaders, tokens__left, tokens__little, tokens__lives, tokens__looks, tokens__make, tokens__many, tokens__military, tokens__millions, tokens__must, tokens__my, tokens__myself, tokens__nation, tokens__national, tokens__nations, tokens__new, tokens__nods, tokens__novel, tokens__nuclear, tokens__of, tokens__off, tokens__opportunity, tokens__our, tokens__out, tokens__p.m., tokens__peace, tokens__people, tokens__plan, tokens__prosperity, tokens__protect, tokens__reform, tokens__regime, tokens__says, tokens__security, tokens__seems, tokens__she, tokens__shit, tokens__states, tokens__support, tokens__system, tokens__table, tokens__tax, tokens__terrorists, tokens__thank, tokens__that, tokens__their, tokens__then, tokens__these, tokens__they, tokens__this, tokens__those, tokens__though, tokens__to, tokens__together, tokens__towards, tokens__troops, tokens__turns, tokens__up, tokens__us, tokens__values, tokens__very, tokens__virus, tokens__walks, tokens__want, tokens__war, tokens__we, tokens__weapons, tokens__weight, tokens__who, tokens__will, tokens__work, tokens__workers, tokens__working, tokens__world, tokens__year, tokens__years, tokens__you, pos__'' ., pos__'' NNP, pos__'' PRP, pos__'' VBG, pos__'' VBZ, pos__, '', pos__, CC, pos__, IN, pos__, PRP, pos__, VBG, pos__, ``, pos__-RRB- ., pos__. '', pos__. CC, pos__. IN, pos__. PRP, pos__. VBG, pos__. ``, pos__: '', pos__: CC, pos__: DT, pos__: IN, pos__: PRP, pos__CC DT, pos__CC IN, pos__CC JJ, pos__CC NN, pos__CC NNS, pos__CC PRP, pos__CC TO, pos__CC VB, pos__CC VBZ, pos__CD CD, pos__DT IN, pos__DT JJ, pos__DT JJS, pos__DT NN, pos__DT NNP, pos__DT NNS, pos__DT VBZ, pos__DT WP, pos__IN DT, pos__IN JJ, pos__IN NN, pos__IN NNP, pos__IN NNPS, pos__IN NNS, pos__IN VBG, pos__JJ NN, pos__JJ NNS, pos__JJR NN, pos__MD RB, pos__MD VB, pos__NN '', pos__NN ,, pos__NN -LRB-, pos__NN -RRB-, pos__NN :, pos__NN IN, pos__NN MD, pos__NN NNP, pos__NN NNS, pos__NN TO, pos__NN WDT, pos__NNP '', pos__NNP -LRB-, pos__NNP -RRB-, pos__NNP MD, pos__NNP NNP, pos__NNP TO, pos__NNP VBZ, pos__NNPS VBP, pos__NNS ,, pos__NNS ., pos__NNS :, pos__NNS CC, pos__NNS IN, pos__NNS MD, pos__NNS TO, pos__NNS VBP, pos__NNS WDT, pos__NNS WP, pos__PRP MD, pos__PRP VBP, pos__PRP VBZ, pos__PRP$ JJ, pos__PRP$ NNS, pos__RB VB, pos__RP IN, pos__TO VB, pos__UH UH, pos__VB DT, pos__VB IN, pos__VB JJ, pos__VB NN, pos__VB NNS, pos__VB PRP$, pos__VBN DT, pos__VBP DT, pos__VBP IN, pos__VBP JJ, pos__VBP PRP, pos__VBP RB, pos__VBP TO, pos__VBP VBG, pos__VBP VBN, pos__VBZ ,, pos__VBZ IN, pos__VBZ NNP, pos__VBZ RP, pos__WDT PRP, pos__WDT VBP, pos__WDT VBZ, pos__WP VBP, pos__`` DT, pos__`` NN, pos__`` NNP, pos__`` PRP, pos__`` RB, pos__`` UH, textstats__characters_count, textstats__polysyllabic_words_relfreq, textstats__unique_tokens_relfreq, textstats__average_tokens_per_sentence, textstats__characters_proportion_letters, textstats__hapax_legomena_to_unique, embeddings__emb_0, embeddings__emb_1, embeddings__emb_2, embeddings__emb_3, embeddings__emb_4, embeddings__emb_5, embeddings__emb_6, embeddings__emb_7, embeddings__emb_8, embeddings__emb_9, embeddings__emb_10, embeddings__emb_11, embeddings__emb_12, embeddings__emb_13, embeddings__emb_14, embeddings__emb_15, embeddings__emb_16, embeddings__emb_17, embeddings__emb_18, embeddings__emb_19, embeddings__emb_20, embeddings__emb_21, embeddings__emb_22, embeddings__emb_23, embeddings__emb_24, embeddings__emb_25, embeddings__emb_26, embeddings__emb_27, embeddings__emb_28, embeddings__emb_29, embeddings__emb_30, embeddings__emb_31, embeddings__emb_32, embeddings__emb_33, embeddings__emb_34, embeddings__emb_35, embeddings__emb_36, embeddings__emb_37, embeddings__emb_38, embeddings__emb_39, embeddings__emb_40, embeddings__emb_41, embeddings__emb_42, embeddings__emb_43, embeddings__emb_44, embeddings__emb_45, embeddings__emb_46, embeddings__emb_47, embeddings__emb_48, embeddings__emb_49, embeddings__emb_50, embeddings__emb_51, embeddings__emb_52, embeddings__emb_53, embeddings__emb_54, embeddings__emb_55, embeddings__emb_56, embeddings__emb_57, embeddings__emb_58, embeddings__emb_59, embeddings__emb_60, embeddings__emb_61, embeddings__emb_62, embeddings__emb_63, embeddings__emb_64, embeddings__emb_65, embeddings__emb_66, embeddings__emb_67, embeddings__emb_68, embeddings__emb_69, embeddings__emb_70, embeddings__emb_71, embeddings__emb_72, embeddings__emb_73, embeddings__emb_74, embeddings__emb_75, embeddings__emb_76, embeddings__emb_77, embeddings__emb_78, embeddings__emb_79, embeddings__emb_80, embeddings__emb_81, embeddings__emb_82, embeddings__emb_83, embeddings__emb_84, embeddings__emb_85, embeddings__emb_86, embeddings__emb_87, embeddings__emb_88, embeddings__emb_89, embeddings__emb_90, embeddings__emb_91, embeddings__emb_92, embeddings__emb_93, embeddings__emb_94, embeddings__emb_95, embeddings__emb_96, embeddings__emb_97, embeddings__emb_98, embeddings__emb_99, embeddings__emb_100, embeddings__emb_101, embeddings__emb_102, embeddings__emb_103, embeddings__emb_104, embeddings__emb_105, embeddings__emb_106, embeddings__emb_107, embeddings__emb_108, embeddings__emb_109, embeddings__emb_110, embeddings__emb_111, embeddings__emb_112, embeddings__emb_113, embeddings__emb_114, embeddings__emb_115, embeddings__emb_116, embeddings__emb_117, embeddings__emb_118, embeddings__emb_119, embeddings__emb_120, embeddings__emb_121, embeddings__emb_122, embeddings__emb_123, embeddings__emb_124, embeddings__emb_125, embeddings__emb_126, embeddings__emb_127, embeddings__emb_128, embeddings__emb_129, embeddings__emb_130, embeddings__emb_131, embeddings__emb_132, embeddings__emb_133, embeddings__emb_134, embeddings__emb_135, embeddings__emb_136, embeddings__emb_137, embeddings__emb_138, embeddings__emb_139, embeddings__emb_140, embeddings__emb_141, embeddings__emb_142, embeddings__emb_143, embeddings__emb_144, embeddings__emb_145, embeddings__emb_146, embeddings__emb_147, embeddings__emb_148, embeddings__emb_149, embeddings__emb_150, embeddings__emb_151, embeddings__emb_152, embeddings__emb_153, embeddings__emb_154, embeddings__emb_155, embeddings__emb_156, embeddings__emb_157, embeddings__emb_158, embeddings__emb_159, embeddings__emb_160, embeddings__emb_161, embeddings__emb_162, embeddings__emb_163, embeddings__emb_164, embeddings__emb_165, embeddings__emb_166, embeddings__emb_167, embeddings__emb_168, embeddings__emb_169, embeddings__emb_170, embeddings__emb_171, embeddings__emb_172, embeddings__emb_173, embeddings__emb_174, embeddings__emb_175, embeddings__emb_176, embeddings__emb_177, embeddings__emb_178, embeddings__emb_179, embeddings__emb_180, embeddings__emb_181, embeddings__emb_182, embeddings__emb_183, embeddings__emb_184, embeddings__emb_185, embeddings__emb_186, embeddings__emb_187, embeddings__emb_188, embeddings__emb_189, embeddings__emb_190, embeddings__emb_191, embeddings__emb_192, embeddings__emb_193, embeddings__emb_194, embeddings__emb_195, embeddings__emb_196, embeddings__emb_197, embeddings__emb_198, embeddings__emb_199, embeddings__emb_200, embeddings__emb_201, embeddings__emb_202, embeddings__emb_203, embeddings__emb_204, embeddings__emb_205, embeddings__emb_206, embeddings__emb_207, embeddings__emb_208, embeddings__emb_209, embeddings__emb_210, embeddings__emb_211, embeddings__emb_212, embeddings__emb_213, embeddings__emb_214, embeddings__emb_215, embeddings__emb_216, embeddings__emb_217, embeddings__emb_218, embeddings__emb_219, embeddings__emb_220, embeddings__emb_221, embeddings__emb_222, embeddings__emb_223, embeddings__emb_224, embeddings__emb_225, embeddings__emb_226, embeddings__emb_227, embeddings__emb_228, embeddings__emb_229, embeddings__emb_230, embeddings__emb_231, embeddings__emb_232, embeddings__emb_233, embeddings__emb_234, embeddings__emb_235, embeddings__emb_236, embeddings__emb_237, embeddings__emb_238, embeddings__emb_239, embeddings__emb_240, embeddings__emb_241, embeddings__emb_242, embeddings__emb_243, embeddings__emb_244, embeddings__emb_245, embeddings__emb_246, embeddings__emb_247, embeddings__emb_248, embeddings__emb_249, embeddings__emb_250, embeddings__emb_251, embeddings__emb_252, embeddings__emb_253, embeddings__emb_254, embeddings__emb_255

The pipeline components allow you to extract a variety of feature types. Look at the example notebook for a more extensive example.

Warning: Running the next cell is not necessary unless you want to permanently delete the saved feature store.

os.remove('basic-introduction-store.sqlite')