|  View source on GitHub | 
Text vectorization layer.
tf.keras.layers.experimental.preprocessing.TextVectorization(
    max_tokens=None, standardize=LOWER_AND_STRIP_PUNCTUATION,
    split=SPLIT_ON_WHITESPACE, ngrams=None, output_mode=INT,
    output_sequence_length=None, pad_to_max_tokens=True, **kwargs
)
This layer has basic options for managing text in a Keras model. It transforms a batch of strings (one sample = one string) into either a list of token indices (one sample = 1D tensor of integer token indices) or a dense representation (one sample = 1D tensor of float values representing data about the sample's tokens).
The processing of each sample contains the following steps: 1) standardize each sample (usually lowercasing + punctuation stripping) 2) split each sample into substrings (usually words) 3) recombine substrings into tokens (usually ngrams) 4) index tokens (associate a unique int value with each token) 5) transform each sample using this index, either into a vector of ints or a dense float vector.
Some notes on passing Callables to customize splitting and normalization for
this layer:
  1) Any callable can be passed to this Layer, but if you want to serialize
     this object you should only pass functions that are registered Keras
     serializables (see tf.keras.utils.register_keras_serializable for more
     details).
  2) When using a custom callable for standardize, the data recieved
     by the callable will be exactly as passed to this layer. The callable
     should return a tensor of the same shape as the input.
  3) When using a custom callable for split, the data recieved by the
     callable will have the 1st dimension squeezed out - instead of
     [["string to split"], ["another string to split"]], the Callable will
     see ["string to split", "another string to split"]. The callable should
     return a Tensor with the first dimension containing the split tokens -
     in this example, we should see something like [["string", "to", "split],
     ["another", "string", "to", "split"]]. This makes the callable site
     natively compatible with tf.strings.split().
max_tokens: The maximum size of the vocabulary for this layer. If None,
there is no cap on the size of the vocabulary.standardize: Optional specification for standardization to apply to the
input text. Values can be None (no standardization),
'lower_and_strip_punctuation' (lowercase and remove punctuation) or a
Callable. Default is 'lower_and_strip_punctuation'.split: Optional specification for splitting the input text. Values can be
None (no splitting), 'whitespace' (split on ASCII whitespace), or a
Callable. The default is 'whitespace'.ngrams: Optional specification for ngrams to create from the possibly-split
input text. Values can be None, an integer or tuple of integers; passing
an integer will create ngrams up to that integer, and passing a tuple of
integers will create ngrams for the specified values in the tuple. Passing
None means that no ngrams will be created.output_mode: Optional specification for the output of the layer. Values can
be "int", "binary", "count" or "tf-idf", configuring the layer as follows:
"int": Outputs integer indices, one integer index per split string
  token.
"binary": Outputs a single int array per batch, of either vocab_size or
  max_tokens size, containing 1s in all elements where the token mapped
  to that index exists at least once in the batch item.
"count": As "binary", but the int array contains a count of the number
  of times the token at that index appeared in the batch item.
"tf-idf": As "binary", but the TF-IDF algorithm is applied to find the
  value in each token slot.output_sequence_length: Only valid in INT mode. If set, the output will have
its time dimension padded or truncated to exactly output_sequence_length
values, resulting in a tensor of shape [batch_size,
output_sequence_length] regardless of how many tokens resulted from the
splitting step. Defaults to None.pad_to_max_tokens: Only valid in  "binary", "count", and "tf-idf" modes. If
True, the output will have its feature axis padded to max_tokens even if
the number of unique tokens in the vocabulary is less than max_tokens,
resulting in a tensor of shape [batch_size, max_tokens] regardless of
vocabulary size. Defaults to True.This example instantiates a TextVectorization layer that lowercases text, splits on whitespace, strips punctuation, and outputs integer vocab indices. ``` max_features = 5000 # Maximum vocab size. max_len = 40 # Sequence length to pad the outputs to.
vectorize_layer = text_vectorization.TextVectorization( max_tokens=max_features, output_mode='int', output_sequence_length=max_len)
adapt on the text-onlyvectorize_layer.adapt(text_dataset.batch(64))
model = tf.keras.models.Sequential()
model.add(tf.keras.Input(shape=(1,), dtype=tf.string))
model.add(vectorize_layer)
model.add(tf.keras.layers.Embedding(max_features+1, embedding_dims))
## Methods
<h3 id="adapt"><code>adapt</code></h3>
<a target="_blank" href="https://github.com/tensorflow/tensorflow/blob/v2.1.0/tensorflow/python/keras/layers/preprocessing/text_vectorization.py#L364-L402">View source</a>
```python
adapt(
    data, reset_state=True
)
Fits the state of the preprocessing layer to the dataset.
Overrides the default adapt method to apply relevant preprocessing to the inputs before passing to the combiner.
data: The data to train on. It can be passed either as a tf.data Dataset,
or as a numpy array.reset_state: Optional argument specifying whether to clear the state of
the layer at the start of the call to adapt. This must be True for
this layer, which does not support repeated calls to adapt.get_vocabularyget_vocabulary()
set_vocabularyset_vocabulary(
    vocab, df_data=None, oov_df_value=None, append=False
)
Sets vocabulary (and optionally document frequency) data for this layer.
This method sets the vocabulary and DF data for this layer directly, instead of analyzing a dataset through 'adapt'. It should be used whenever the vocab (and optionally document frequency) information is already known. If vocabulary data is already present in the layer, this method will either replace it, if 'append' is set to False, or append to it (if 'append' is set to True).
vocab: An array of string tokens.df_data: An array of document frequency data. Only necessary if the layer
output_mode is TFIDF.oov_df_value: The document frequency of the OOV token. Only necessary if
output_mode is TFIDF. OOV data is optional when appending additional
data in TFIDF mode; if an OOV value is supplied it will overwrite the
existing OOV value.append: Whether to overwrite or append any existing vocabulary data.ValueError: If there are too many inputs, the inputs do not match, or
input data is missing.