6.2. Feature extraction

The sklearn.feature_extraction module can be used to extractfeatures in a format supported by machine learning algorithms from datasetsconsisting of formats such as text and image.

Note

Feature extraction is very different from Feature selection:the former consists in transforming arbitrary data, such as text orimages, into numerical features usable for machine learning. The latteris a machine learning technique applied on these features.

6.2.1. Loading features from dicts

The class DictVectorizer can be used to convert featurearrays represented as lists of standard Python dict objects to theNumPy/SciPy representation used by scikit-learn estimators.

While not particularly fast to process, Python’s dict has theadvantages of being convenient to use, being sparse (absent featuresneed not be stored) and storing feature names in addition to values.

DictVectorizer implements what is called one-of-K or “one-hot”coding for categorical (aka nominal, discrete) features. Categoricalfeatures are “attribute-value” pairs where the value is restrictedto a list of discrete of possibilities without ordering (e.g. topicidentifiers, types of objects, tags, names…).

In the following, “city” is a categorical attribute while “temperature”is a traditional numerical feature:

>>>

  1. >>> measurements = [
  2. ... {'city': 'Dubai', 'temperature': 33.},
  3. ... {'city': 'London', 'temperature': 12.},
  4. ... {'city': 'San Francisco', 'temperature': 18.},
  5. ... ]
  6.  
  7. >>> from sklearn.feature_extraction import DictVectorizer
  8. >>> vec = DictVectorizer()
  9.  
  10. >>> vec.fit_transform(measurements).toarray()
  11. array([[ 1., 0., 0., 33.],
  12. [ 0., 1., 0., 12.],
  13. [ 0., 0., 1., 18.]])
  14.  
  15. >>> vec.get_feature_names()
  16. ['city=Dubai', 'city=London', 'city=San Francisco', 'temperature']

DictVectorizer is also a useful representation transformationfor training sequence classifiers in Natural Language Processing modelsthat typically work by extracting feature windows around a particularword of interest.

For example, suppose that we have a first algorithm that extracts Part ofSpeech (PoS) tags that we want to use as complementary tags for traininga sequence classifier (e.g. a chunker). The following dict could besuch a window of features extracted around the word ‘sat’ in the sentence‘The cat sat on the mat.’:

>>>

  1. >>> pos_window = [
  2. ... {
  3. ... 'word-2': 'the',
  4. ... 'pos-2': 'DT',
  5. ... 'word-1': 'cat',
  6. ... 'pos-1': 'NN',
  7. ... 'word+1': 'on',
  8. ... 'pos+1': 'PP',
  9. ... },
  10. ... # in a real application one would extract many such dictionaries
  11. ... ]

This description can be vectorized into a sparse two-dimensional matrixsuitable for feeding into a classifier (maybe after being piped into atext.TfidfTransformer for normalization):

>>>

  1. >>> vec = DictVectorizer()
  2. >>> pos_vectorized = vec.fit_transform(pos_window)
  3. >>> pos_vectorized
  4. <1x6 sparse matrix of type '<... 'numpy.float64'>'
  5. with 6 stored elements in Compressed Sparse ... format>
  6. >>> pos_vectorized.toarray()
  7. array([[1., 1., 1., 1., 1., 1.]])
  8. >>> vec.get_feature_names()
  9. ['pos+1=PP', 'pos-1=NN', 'pos-2=DT', 'word+1=on', 'word-1=cat', 'word-2=the']

As you can imagine, if one extracts such a context around each individualword of a corpus of documents the resulting matrix will be very wide(many one-hot-features) with most of them being valued to zero mostof the time. So as to make the resulting data structure able to fit inmemory the DictVectorizer class uses a scipy.sparse matrix bydefault instead of a numpy.ndarray.

6.2.2. Feature hashing

The class FeatureHasher is a high-speed, low-memory vectorizer thatuses a technique known asfeature hashing,or the “hashing trick”.Instead of building a hash table of the features encountered in training,as the vectorizers do, instances of FeatureHasherapply a hash function to the featuresto determine their column index in sample matrices directly.The result is increased speed and reduced memory usage,at the expense of inspectability;the hasher does not remember what the input features looked likeand has no inverse_transform method.

Since the hash function might cause collisions between (unrelated) features,a signed hash function is used and the sign of the hash valuedetermines the sign of the value stored in the output matrix for a feature.This way, collisions are likely to cancel out rather than accumulate error,and the expected mean of any output feature’s value is zero. This mechanismis enabled by default with alternate_sign=True and is particularly usefulfor small hash table sizes (n_features < 10000). For large hash tablesizes, it can be disabled, to allow the output to be passed to estimators likesklearn.naive_bayes.MultinomialNB orsklearn.feature_selection.chi2feature selectors that expect non-negative inputs.

FeatureHasher accepts either mappings(like Python’s dict and its variants in the collections module),(feature, value) pairs, or strings,depending on the constructor parameter input_type.Mapping are treated as lists of (feature, value) pairs,while single strings have an implicit value of 1,so ['feat1', 'feat2', 'feat3'] is interpreted as[('feat1', 1), ('feat2', 1), ('feat3', 1)].If a single feature occurs multiple times in a sample,the associated values will be summed(so ('feat', 2) and ('feat', 3.5) become ('feat', 5.5)).The output from FeatureHasher is always a scipy.sparse matrixin the CSR format.

Feature hashing can be employed in document classification,but unlike text.CountVectorizer,FeatureHasher does not do wordsplitting or any other preprocessing except Unicode-to-UTF-8 encoding;see Vectorizing a large text corpus with the hashing trick, below, for a combined tokenizer/hasher.

As an example, consider a word-level natural language processing taskthat needs features extracted from (token, part_of_speech) pairs.One could use a Python generator function to extract features:

  1. def token_features(token, part_of_speech):
  2. if token.isdigit():
  3. yield "numeric"
  4. else:
  5. yield "token={}".format(token.lower())
  6. yield "token,pos={},{}".format(token, part_of_speech)
  7. if token[0].isupper():
  8. yield "uppercase_initial"
  9. if token.isupper():
  10. yield "all_uppercase"
  11. yield "pos={}".format(part_of_speech)

Then, the raw_X to be fed to FeatureHasher.transformcan be constructed using:

  1. raw_X = (token_features(tok, pos_tagger(tok)) for tok in corpus)

and fed to a hasher with:

  1. hasher = FeatureHasher(input_type='string')
  2. X = hasher.transform(raw_X)

to get a scipy.sparse matrix X.

Note the use of a generator comprehension,which introduces laziness into the feature extraction:tokens are only processed on demand from the hasher.

6.2.2.1. Implementation details

FeatureHasher uses the signed 32-bit variant of MurmurHash3.As a result (and because of limitations in scipy.sparse),the maximum number of features supported is currently

6.2. Feature extraction - 图1.

The original formulation of the hashing trick by Weinberger et al.used two separate hash functions

6.2. Feature extraction - 图2 and6.2. Feature extraction - 图3to determine the column index and sign of a feature, respectively.The present implementation works under the assumptionthat the sign bit of MurmurHash3 is independent of its other bits.

Since a simple modulo is used to transform the hash function to a column index,it is advisable to use a power of two as the n_features parameter;otherwise the features will not be mapped evenly to the columns.

References:

6.2.3. Text feature extraction

6.2.3.1. The Bag of Words representation

Text Analysis is a major application field for machine learningalgorithms. However the raw data, a sequence of symbols cannot be feddirectly to the algorithms themselves as most of them expect numericalfeature vectors with a fixed size rather than the raw text documentswith variable length.

In order to address this, scikit-learn provides utilities for the mostcommon ways to extract numerical features from text content, namely:

  • tokenizing strings and giving an integer id for each possible token,for instance by using white-spaces and punctuation as token separators.

  • counting the occurrences of tokens in each document.

  • normalizing and weighting with diminishing importance tokens thatoccur in the majority of samples / documents.

In this scheme, features and samples are defined as follows:

  • each individual token occurrence frequency (normalized or not)is treated as a feature.

  • the vector of all the token frequencies for a given document isconsidered a multivariate sample.

A corpus of documents can thus be represented by a matrix with one rowper document and one column per token (e.g. word) occurring in the corpus.

We call vectorization the general process of turning a collectionof text documents into numerical feature vectors. This specific strategy(tokenization, counting and normalization) is called the Bag of Wordsor “Bag of n-grams” representation. Documents are described by wordoccurrences while completely ignoring the relative position informationof the words in the document.

6.2.3.2. Sparsity

As most documents will typically use a very small subset of the words used inthe corpus, the resulting matrix will have many feature values that arezeros (typically more than 99% of them).

For instance a collection of 10,000 short text documents (such as emails)will use a vocabulary with a size in the order of 100,000 unique words intotal while each document will use 100 to 1000 unique words individually.

In order to be able to store such a matrix in memory but also to speedup algebraic operations matrix / vector, implementations will typicallyuse a sparse representation such as the implementations available in thescipy.sparse package.

6.2.3.3. Common Vectorizer usage

CountVectorizer implements both tokenization and occurrencecounting in a single class:

>>>

  1. >>> from sklearn.feature_extraction.text import CountVectorizer

This model has many parameters, however the default values are quitereasonable (please see the reference documentation for the details):

>>>

  1. >>> vectorizer = CountVectorizer()
  2. >>> vectorizer
  3. CountVectorizer()

Let’s use it to tokenize and count the word occurrences of a minimalisticcorpus of text documents:

>>>

  1. >>> corpus = [
  2. ... 'This is the first document.',
  3. ... 'This is the second second document.',
  4. ... 'And the third one.',
  5. ... 'Is this the first document?',
  6. ... ]
  7. >>> X = vectorizer.fit_transform(corpus)
  8. >>> X
  9. <4x9 sparse matrix of type '<... 'numpy.int64'>'
  10. with 19 stored elements in Compressed Sparse ... format>

The default configuration tokenizes the string by extracting words ofat least 2 letters. The specific function that does this step can berequested explicitly:

>>>

  1. >>> analyze = vectorizer.build_analyzer()
  2. >>> analyze("This is a text document to analyze.") == (
  3. ... ['this', 'is', 'text', 'document', 'to', 'analyze'])
  4. True

Each term found by the analyzer during the fit is assigned a uniqueinteger index corresponding to a column in the resulting matrix. Thisinterpretation of the columns can be retrieved as follows:

>>>

  1. >>> vectorizer.get_feature_names() == (
  2. ... ['and', 'document', 'first', 'is', 'one',
  3. ... 'second', 'the', 'third', 'this'])
  4. True
  5.  
  6. >>> X.toarray()
  7. array([[0, 1, 1, 1, 0, 0, 1, 0, 1],
  8. [0, 1, 0, 1, 0, 2, 1, 0, 1],
  9. [1, 0, 0, 0, 1, 0, 1, 1, 0],
  10. [0, 1, 1, 1, 0, 0, 1, 0, 1]]...)

The converse mapping from feature name to column index is stored in thevocabulary_ attribute of the vectorizer:

>>>

  1. >>> vectorizer.vocabulary_.get('document')
  2. 1

Hence words that were not seen in the training corpus will be completelyignored in future calls to the transform method:

>>>

  1. >>> vectorizer.transform(['Something completely new.']).toarray()
  2. array([[0, 0, 0, 0, 0, 0, 0, 0, 0]]...)

Note that in the previous corpus, the first and the last documents haveexactly the same words hence are encoded in equal vectors. In particularwe lose the information that the last document is an interrogative form. Topreserve some of the local ordering information we can extract 2-gramsof words in addition to the 1-grams (individual words):

>>>

  1. >>> bigram_vectorizer = CountVectorizer(ngram_range=(1, 2),
  2. ... token_pattern=r'\b\w+\b', min_df=1)
  3. >>> analyze = bigram_vectorizer.build_analyzer()
  4. >>> analyze('Bi-grams are cool!') == (
  5. ... ['bi', 'grams', 'are', 'cool', 'bi grams', 'grams are', 'are cool'])
  6. True

The vocabulary extracted by this vectorizer is hence much bigger andcan now resolve ambiguities encoded in local positioning patterns:

>>>

  1. >>> X_2 = bigram_vectorizer.fit_transform(corpus).toarray()
  2. >>> X_2
  3. array([[0, 0, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 1, 1, 0, 0, 0, 0, 1, 1, 0],
  4. [0, 0, 1, 0, 0, 1, 1, 0, 0, 2, 1, 1, 1, 0, 1, 0, 0, 0, 1, 1, 0],
  5. [1, 1, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 1, 1, 1, 0, 0, 0],
  6. [0, 0, 1, 1, 1, 1, 0, 1, 0, 0, 0, 0, 1, 1, 0, 0, 0, 0, 1, 0, 1]]...)

In particular the interrogative form “Is this” is only present in thelast document:

>>>

  1. >>> feature_index = bigram_vectorizer.vocabulary_.get('is this')
  2. >>> X_2[:, feature_index]
  3. array([0, 0, 0, 1]...)

6.2.3.3.1. Using stop words

Stop words are words like “and”, “the”, “him”, which are presumed to beuninformative in representing the content of a text, and which may beremoved to avoid them being construed as signal for prediction. Sometimes,however, similar words are useful for prediction, such as in classifyingwriting style or personality.

There are several known issues in our provided ‘english’ stop word list. Itdoes not aim to be a general, ‘one-size-fits-all’ solution as some tasksmay require a more custom solution. See [NQY18] for more details.

Please take care in choosing a stop word list.Popular stop word lists may include words that are highly informative tosome tasks, such as computer.

You should also make sure that the stop word list has had the samepreprocessing and tokenization applied as the one used in the vectorizer.The word we’ve is split into we and ve by CountVectorizer’s defaulttokenizer, so if we’ve is in stopwords, but _ve is not, ve willbe retained from we’ve in transformed text. Our vectorizers will try toidentify and warn about some kinds of inconsistencies.

References

6.2.3.4. Tf–idf term weighting

In a large text corpus, some words will be very present (e.g. “the”, “a”,“is” in English) hence carrying very little meaningful information aboutthe actual contents of the document. If we were to feed the direct countdata directly to a classifier those very frequent terms would shadowthe frequencies of rarer yet more interesting terms.

In order to re-weight the count features into floating point valuessuitable for usage by a classifier it is very common to use the tf–idftransform.

Tf means term-frequency while tf–idf means term-frequency timesinverse document-frequency:

6.2. Feature extraction - 图4.

Using the TfidfTransformer’s default settings,TfidfTransformer(norm='l2', use_idf=True, smooth_idf=True, sublinear_tf=False)the term frequency, the number of times a term occurs in a given document,is multiplied with idf component, which is computed as

6.2. Feature extraction - 图5,

where

6.2. Feature extraction - 图6 is the total number of documents in the document set, and6.2. Feature extraction - 图7 is the number of documents in the document set thatcontain term6.2. Feature extraction - 图8. The resulting tf-idf vectors are then normalized by theEuclidean norm:

6.2. Feature extraction - 图9.

This was originally a term weighting scheme developed for information retrieval(as a ranking function for search engines results) that has also found gooduse in document classification and clustering.

The following sections contain further explanations and examples thatillustrate how the tf-idfs are computed exactly and how the tf-idfscomputed in scikit-learn’s TfidfTransformerand TfidfVectorizer differ slightly from the standard textbooknotation that defines the idf as

6.2. Feature extraction - 图10

In the TfidfTransformer and TfidfVectorizerwith smooth_idf=False, the“1” count is added to the idf instead of the idf’s denominator:

6.2. Feature extraction - 图11

This normalization is implemented by the TfidfTransformerclass:

>>>

  1. >>> from sklearn.feature_extraction.text import TfidfTransformer
  2. >>> transformer = TfidfTransformer(smooth_idf=False)
  3. >>> transformer
  4. TfidfTransformer(smooth_idf=False)

Again please see the reference documentation for the details on all the parameters.

Let’s take an example with the following counts. The first term is present100% of the time hence not very interesting. The two other features onlyin less than 50% of the time hence probably more representative of thecontent of the documents:

>>>

  1. >>> counts = [[3, 0, 1],
  2. ... [2, 0, 0],
  3. ... [3, 0, 0],
  4. ... [4, 0, 0],
  5. ... [3, 2, 0],
  6. ... [3, 0, 2]]
  7. ...
  8. >>> tfidf = transformer.fit_transform(counts)
  9. >>> tfidf
  10. <6x3 sparse matrix of type '<... 'numpy.float64'>'
  11. with 9 stored elements in Compressed Sparse ... format>
  12.  
  13. >>> tfidf.toarray()
  14. array([[0.81940995, 0. , 0.57320793],
  15. [1. , 0. , 0. ],
  16. [1. , 0. , 0. ],
  17. [1. , 0. , 0. ],
  18. [0.47330339, 0.88089948, 0. ],
  19. [0.58149261, 0. , 0.81355169]])

Each row is normalized to have unit Euclidean norm:

6.2. Feature extraction - 图12

For example, we can compute the tf-idf of the first term in the firstdocument in the counts array as follows:

6.2. Feature extraction - 图13

6.2. Feature extraction - 图14

6.2. Feature extraction - 图15

6.2. Feature extraction - 图16

Now, if we repeat this computation for the remaining 2 terms in the document,we get

6.2. Feature extraction - 图17

6.2. Feature extraction - 图18

and the vector of raw tf-idfs:

6.2. Feature extraction - 图19

Then, applying the Euclidean (L2) norm, we obtain the following tf-idfsfor document 1:

6.2. Feature extraction - 图20

Furthermore, the default parameter smooth_idf=True adds “1” to the numeratorand denominator as if an extra document was seen containing every term in thecollection exactly once, which prevents zero divisions:

6.2. Feature extraction - 图21

Using this modification, the tf-idf of the third term in document 1 changes to1.8473:

6.2. Feature extraction - 图22

And the L2-normalized tf-idf changes to

6.2. Feature extraction - 图23:

>>>

  1. >>> transformer = TfidfTransformer()
  2. >>> transformer.fit_transform(counts).toarray()
  3. array([[0.85151335, 0. , 0.52433293],
  4. [1. , 0. , 0. ],
  5. [1. , 0. , 0. ],
  6. [1. , 0. , 0. ],
  7. [0.55422893, 0.83236428, 0. ],
  8. [0.63035731, 0. , 0.77630514]])

The weights of eachfeature computed by the fit method call are stored in a modelattribute:

>>>

  1. >>> transformer.idf_
  2. array([1. ..., 2.25..., 1.84...])

As tf–idf is very often used for text features, there is also anotherclass called TfidfVectorizer that combines all the options ofCountVectorizer and TfidfTransformer in a single model:

>>>

  1. >>> from sklearn.feature_extraction.text import TfidfVectorizer
  2. >>> vectorizer = TfidfVectorizer()
  3. >>> vectorizer.fit_transform(corpus)
  4. <4x9 sparse matrix of type '<... 'numpy.float64'>'
  5. with 19 stored elements in Compressed Sparse ... format>

While the tf–idf normalization is often very useful, there mightbe cases where the binary occurrence markers might offer betterfeatures. This can be achieved by using the binary parameterof CountVectorizer. In particular, some estimators such asBernoulli Naive Bayes explicitly model discrete boolean randomvariables. Also, very short texts are likely to have noisy tf–idf valueswhile the binary occurrence info is more stable.

As usual the best way to adjust the feature extraction parametersis to use a cross-validated grid search, for instance by pipelining thefeature extractor with a classifier:

6.2.3.5. Decoding text files

Text is made of characters, but files are made of bytes. These bytes representcharacters according to some encoding. To work with text files in Python,their bytes must be decoded to a character set called Unicode.Common encodings are ASCII, Latin-1 (Western Europe), KOI8-R (Russian)and the universal encodings UTF-8 and UTF-16. Many others exist.

Note

An encoding can also be called a ‘character set’,but this term is less accurate: several encodings can existfor a single character set.

The text feature extractors in scikit-learn know how to decode text files,but only if you tell them what encoding the files are in.The CountVectorizer takes an encoding parameter for this purpose.For modern text files, the correct encoding is probably UTF-8,which is therefore the default (encoding="utf-8").

If the text you are loading is not actually encoded with UTF-8, however,you will get a UnicodeDecodeError.The vectorizers can be told to be silent about decoding errorsby setting the decode_error parameter to either "ignore"or "replace". See the documentation for the Python functionbytes.decode for more details(type help(bytes.decode) at the Python prompt).

If you are having trouble decoding text, here are some things to try:

  • Find out what the actual encoding of the text is. The file might comewith a header or README that tells you the encoding, or there might be somestandard encoding you can assume based on where the text comes from.

  • You may be able to find out what kind of encoding it is in generalusing the UNIX command file. The Python chardet module comes witha script called chardetect.py that will guess the specific encoding,though you cannot rely on its guess being correct.

  • You could try UTF-8 and disregard the errors. You can decode bytestrings with bytes.decode(errors='replace') to replace alldecoding errors with a meaningless character, or setdecode_error='replace' in the vectorizer. This may damage theusefulness of your features.

  • Real text may come from a variety of sources that may have used differentencodings, or even be sloppily decoded in a different encoding than theone it was encoded with. This is common in text retrieved from the Web.The Python package ftfy can automatically sort out some classes ofdecoding errors, so you could try decoding the unknown text as latin-1and then using ftfy to fix errors.

  • If the text is in a mish-mash of encodings that is simply too hard to sortout (which is the case for the 20 Newsgroups dataset), you can fall back ona simple single-byte encoding such as latin-1. Some text may displayincorrectly, but at least the same sequence of bytes will always representthe same feature.

For example, the following snippet uses chardet(not shipped with scikit-learn, must be installed separately)to figure out the encoding of three texts.It then vectorizes the texts and prints the learned vocabulary.The output is not shown here.

>>>

  1. >>> import chardet # doctest: +SKIP
  2. >>> text1 = b"Sei mir gegr\xc3\xbc\xc3\x9ft mein Sauerkraut"
  3. >>> text2 = b"holdselig sind deine Ger\xfcche"
  4. >>> text3 = b"\xff\xfeA\x00u\x00f\x00 \x00F\x00l\x00\xfc\x00g\x00e\x00l\x00n\x00 \x00d\x00e\x00s\x00 \x00G\x00e\x00s\x00a\x00n\x00g\x00e\x00s\x00,\x00 \x00H\x00e\x00r\x00z\x00l\x00i\x00e\x00b\x00c\x00h\x00e\x00n\x00,\x00 \x00t\x00r\x00a\x00g\x00 \x00i\x00c\x00h\x00 \x00d\x00i\x00c\x00h\x00 \x00f\x00o\x00r\x00t\x00"
  5. >>> decoded = [x.decode(chardet.detect(x)['encoding'])
  6. ... for x in (text1, text2, text3)] # doctest: +SKIP
  7. >>> v = CountVectorizer().fit(decoded).vocabulary_ # doctest: +SKIP
  8. >>> for term in v: print(v) # doctest: +SKIP

(Depending on the version of chardet, it might get the first one wrong.)

For an introduction to Unicode and character encodings in general,see Joel Spolsky’s Absolute Minimum Every Software Developer Must KnowAbout Unicode.

6.2.3.6. Applications and examples

The bag of words representation is quite simplistic but surprisinglyuseful in practice.

In particular in a supervised setting it can be successfully combinedwith fast and scalable linear models to train document classifiers,for instance:

In an unsupervised setting it can be used to group similar documentstogether by applying clustering algorithms such as K-means:

Finally it is possible to discover the main topics of a corpus byrelaxing the hard assignment constraint of clustering, for instance byusing Non-negative matrix factorization (NMF or NNMF):

6.2.3.7. Limitations of the Bag of Words representation

A collection of unigrams (what bag of words is) cannot capture phrasesand multi-word expressions, effectively disregarding any word orderdependence. Additionally, the bag of words model doesn’t account for potentialmisspellings or word derivations.

N-grams to the rescue! Instead of building a simple collection ofunigrams (n=1), one might prefer a collection of bigrams (n=2), whereoccurrences of pairs of consecutive words are counted.

One might alternatively consider a collection of character n-grams, arepresentation resilient against misspellings and derivations.

For example, let’s say we’re dealing with a corpus of two documents:['words', 'wprds']. The second document contains a misspellingof the word ‘words’.A simple bag of words representation would consider these two asvery distinct documents, differing in both of the two possible features.A character 2-gram representation, however, would find the documentsmatching in 4 out of 8 features, which may help the preferred classifierdecide better:

>>>

  1. >>> ngram_vectorizer = CountVectorizer(analyzer='char_wb', ngram_range=(2, 2))
  2. >>> counts = ngram_vectorizer.fit_transform(['words', 'wprds'])
  3. >>> ngram_vectorizer.get_feature_names() == (
  4. ... [' w', 'ds', 'or', 'pr', 'rd', 's ', 'wo', 'wp'])
  5. True
  6. >>> counts.toarray().astype(int)
  7. array([[1, 1, 1, 0, 1, 1, 1, 0],
  8. [1, 1, 0, 1, 1, 1, 0, 1]])

In the above example, char_wb analyzer is used, which creates n-gramsonly from characters inside word boundaries (padded with space on eachside). The char analyzer, alternatively, creates n-grams thatspan across words:

>>>

  1. >>> ngram_vectorizer = CountVectorizer(analyzer='char_wb', ngram_range=(5, 5))
  2. >>> ngram_vectorizer.fit_transform(['jumpy fox'])
  3. <1x4 sparse matrix of type '<... 'numpy.int64'>'
  4. with 4 stored elements in Compressed Sparse ... format>
  5. >>> ngram_vectorizer.get_feature_names() == (
  6. ... [' fox ', ' jump', 'jumpy', 'umpy '])
  7. True
  8.  
  9. >>> ngram_vectorizer = CountVectorizer(analyzer='char', ngram_range=(5, 5))
  10. >>> ngram_vectorizer.fit_transform(['jumpy fox'])
  11. <1x5 sparse matrix of type '<... 'numpy.int64'>'
  12. with 5 stored elements in Compressed Sparse ... format>
  13. >>> ngram_vectorizer.get_feature_names() == (
  14. ... ['jumpy', 'mpy f', 'py fo', 'umpy ', 'y fox'])
  15. True

The word boundaries-aware variant char_wb is especially interestingfor languages that use white-spaces for word separation as it generatessignificantly less noisy features than the raw char variant inthat case. For such languages it can increase both the predictiveaccuracy and convergence speed of classifiers trained using suchfeatures while retaining the robustness with regards to misspellings andword derivations.

While some local positioning information can be preserved by extractingn-grams instead of individual words, bag of words and bag of n-gramsdestroy most of the inner structure of the document and hence most ofthe meaning carried by that internal structure.

In order to address the wider task of Natural Language Understanding,the local structure of sentences and paragraphs should thus be takeninto account. Many such models will thus be casted as “Structured output”problems which are currently outside of the scope of scikit-learn.

6.2.3.8. Vectorizing a large text corpus with the hashing trick

The above vectorization scheme is simple but the fact that it holds an in-memory mapping from the string tokens to the integer feature indices (thevocabulary_ attribute) causes several problems when dealing with largedatasets:

  • the larger the corpus, the larger the vocabulary will grow and hence thememory use too,

  • fitting requires the allocation of intermediate data structuresof size proportional to that of the original dataset.

  • building the word-mapping requires a full pass over the dataset hence it isnot possible to fit text classifiers in a strictly online manner.

  • pickling and un-pickling vectorizers with a large vocabulary_ can be veryslow (typically much slower than pickling / un-pickling flat data structuressuch as a NumPy array of the same size),

  • it is not easily possible to split the vectorization work into concurrent subtasks as the vocabulary_ attribute would have to be a shared state with afine grained synchronization barrier: the mapping from token string tofeature index is dependent on ordering of the first occurrence of each tokenhence would have to be shared, potentially harming the concurrent workers’performance to the point of making them slower than the sequential variant.

It is possible to overcome those limitations by combining the “hashing trick”(Feature hashing) implemented by thesklearn.feature_extraction.FeatureHasher class and the textpreprocessing and tokenization features of the CountVectorizer.

This combination is implementing in HashingVectorizer,a transformer class that is mostly API compatible with CountVectorizer.HashingVectorizer is stateless,meaning that you don’t have to call fit on it:

>>>

  1. >>> from sklearn.feature_extraction.text import HashingVectorizer
  2. >>> hv = HashingVectorizer(n_features=10)
  3. >>> hv.transform(corpus)
  4. <4x10 sparse matrix of type '<... 'numpy.float64'>'
  5. with 16 stored elements in Compressed Sparse ... format>

You can see that 16 non-zero feature tokens were extracted in the vectoroutput: this is less than the 19 non-zeros extracted previously by theCountVectorizer on the same toy corpus. The discrepancy comes fromhash function collisions because of the low value of the n_features parameter.

In a real world setting, the n_features parameter can be left to itsdefault value of 2 20 (roughly one million possible features). If memoryor downstream models size is an issue selecting a lower value such as 2 18 might help without introducing too many additional collisions on typicaltext classification tasks.

Note that the dimensionality does not affect the CPU training time ofalgorithms which operate on CSR matrices (LinearSVC(dual=True),Perceptron, SGDClassifier, PassiveAggressive) but it does foralgorithms that work with CSC matrices (LinearSVC(dual=False), Lasso(),etc).

Let’s try again with the default setting:

>>>

  1. >>> hv = HashingVectorizer()
  2. >>> hv.transform(corpus)
  3. <4x1048576 sparse matrix of type '<... 'numpy.float64'>'
  4. with 19 stored elements in Compressed Sparse ... format>

We no longer get the collisions, but this comes at the expense of a much largerdimensionality of the output space.Of course, other terms than the 19 used heremight still collide with each other.

The HashingVectorizer also comes with the following limitations:

  • it is not possible to invert the model (no inverse_transform method),nor to access the original string representation of the features,because of the one-way nature of the hash function that performs the mapping.

  • it does not provide IDF weighting as that would introduce statefulness in themodel. A TfidfTransformer can be appended to it in a pipeline ifrequired.

6.2.3.9. Performing out-of-core scaling with HashingVectorizer

An interesting development of using a HashingVectorizer is the abilityto perform out-of-core scaling. This means that we can learn from data thatdoes not fit into the computer’s main memory.

A strategy to implement out-of-core scaling is to stream data to the estimatorin mini-batches. Each mini-batch is vectorized using HashingVectorizerso as to guarantee that the input space of the estimator has always the samedimensionality. The amount of memory used at any time is thus bounded by thesize of a mini-batch. Although there is no limit to the amount of data that canbe ingested using such an approach, from a practical point of view the learningtime is often limited by the CPU time one wants to spend on the task.

For a full-fledged example of out-of-core scaling in a text classificationtask see Out-of-core classification of text documents.

6.2.3.10. Customizing the vectorizer classes

It is possible to customize the behavior by passing a callableto the vectorizer constructor:

>>>

  1. >>> def my_tokenizer(s):
  2. ... return s.split()
  3. ...
  4. >>> vectorizer = CountVectorizer(tokenizer=my_tokenizer)
  5. >>> vectorizer.build_analyzer()(u"Some... punctuation!") == (
  6. ... ['some...', 'punctuation!'])
  7. True

In particular we name:

  • preprocessor: a callable that takes an entire document as input (as asingle string), and returns a possibly transformed version of the document,still as an entire string. This can be used to remove HTML tags, lowercasethe entire document, etc.

  • tokenizer: a callable that takes the output from the preprocessorand splits it into tokens, then returns a list of these.

  • analyzer: a callable that replaces the preprocessor and tokenizer.The default analyzers all call the preprocessor and tokenizer, but customanalyzers will skip this. N-gram extraction and stop word filtering takeplace at the analyzer level, so a custom analyzer may have to reproducethese steps.

(Lucene users might recognize these names, but be aware that scikit-learnconcepts may not map one-to-one onto Lucene concepts.)

To make the preprocessor, tokenizer and analyzers aware of the modelparameters it is possible to derive from the class and override thebuild_preprocessor, build_tokenizer and build_analyzerfactory methods instead of passing custom functions.

Some tips and tricks:

  • If documents are pre-tokenized by an external package, then store them infiles (or strings) with the tokens separated by whitespace and passanalyzer=str.split

  • Fancy token-level analysis such as stemming, lemmatizing, compoundsplitting, filtering based on part-of-speech, etc. are not included in thescikit-learn codebase, but can be added by customizing either thetokenizer or the analyzer.Here’s a CountVectorizer with a tokenizer and lemmatizer usingNLTK:

    >>>
    1. >>> from nltk import wordtokenize>>> from nltk.stem import WordNetLemmatizer>>> class LemmaTokenizer: def init(self): self.wnl = WordNetLemmatizer() def _call(self, doc): return [self.wnl.lemmatize(t) for t in word_tokenize(doc)]>>> vect = CountVectorizer(tokenizer=LemmaTokenizer())

    (Note that this will not filter out punctuation.)

    The following example will, for instance, transform some British spellingto American spelling:

    >>>
    1. >>> import re>>> def to_british(tokens): for t in tokens: t = re.sub(r"(…)our$", r"\1or", t) t = re.sub(r"([bt])re$", r"\1er", t) t = re.sub(r"([iy])s(e$|ing|ation)", r"\1z\2", t) t = re.sub(r"ogue$", "og", t) yield t>>> class CustomVectorizer(CountVectorizer): def build_tokenizer(self): tokenize = super().build_tokenizer() return lambda doc: list(to_british(tokenize(doc)))>>> print(CustomVectorizer().build_analyzer()(u"color colour"))[…'color', 'color']

    for other styles of preprocessing; examples include stemming, lemmatization,or normalizing numerical tokens, with the latter illustrated in:

Customizing the vectorizer can also be useful when handling Asian languagesthat do not use an explicit word separator such as whitespace.

6.2.4. Image feature extraction

6.2.4.1. Patch extraction

The extract_patches_2d function extracts patches from an image storedas a two-dimensional array, or three-dimensional with color information alongthe third axis. For rebuilding an image from all its patches, usereconstruct_from_patches_2d. For example let use generate a 4x4 pixelpicture with 3 color channels (e.g. in RGB format):

>>>

  1. >>> import numpy as np
  2. >>> from sklearn.feature_extraction import image
  3.  
  4. >>> one_image = np.arange(4 * 4 * 3).reshape((4, 4, 3))
  5. >>> one_image[:, :, 0] # R channel of a fake RGB picture
  6. array([[ 0, 3, 6, 9],
  7. [12, 15, 18, 21],
  8. [24, 27, 30, 33],
  9. [36, 39, 42, 45]])
  10.  
  11. >>> patches = image.extract_patches_2d(one_image, (2, 2), max_patches=2,
  12. ... random_state=0)
  13. >>> patches.shape
  14. (2, 2, 2, 3)
  15. >>> patches[:, :, :, 0]
  16. array([[[ 0, 3],
  17. [12, 15]],
  18.  
  19. [[15, 18],
  20. [27, 30]]])
  21. >>> patches = image.extract_patches_2d(one_image, (2, 2))
  22. >>> patches.shape
  23. (9, 2, 2, 3)
  24. >>> patches[4, :, :, 0]
  25. array([[15, 18],
  26. [27, 30]])

Let us now try to reconstruct the original image from the patches by averagingon overlapping areas:

>>>

  1. >>> reconstructed = image.reconstruct_from_patches_2d(patches, (4, 4, 3))
  2. >>> np.testing.assert_array_equal(one_image, reconstructed)

The PatchExtractor class works in the same way asextract_patches_2d, only it supports multiple images as input. It isimplemented as an estimator, so it can be used in pipelines. See:

>>>

  1. >>> five_images = np.arange(5 * 4 * 4 * 3).reshape(5, 4, 4, 3)
  2. >>> patches = image.PatchExtractor((2, 2)).transform(five_images)
  3. >>> patches.shape
  4. (45, 2, 2, 3)

6.2.4.2. Connectivity graph of an image

Several estimators in the scikit-learn can use connectivity information betweenfeatures or samples. For instance Ward clustering(Hierarchical clustering) can cluster together only neighboring pixelsof an image, thus forming contiguous patches:

../_images/sphx_glr_plot_coin_ward_segmentation_0011.png

For this purpose, the estimators use a ‘connectivity’ matrix, givingwhich samples are connected.

The function img_to_graph returns such a matrix from a 2D or 3Dimage. Similarly, grid_to_graph build a connectivity matrix forimages given the shape of these image.

These matrices can be used to impose connectivity in estimators that useconnectivity information, such as Ward clustering(Hierarchical clustering), but also to build precomputed kernels,or similarity matrices.

Note

Examples