View source on GitHub |
A preprocessing layer which maps text features to integer sequences.
Inherits From: Layer
, Operation
tf.keras.layers.TextVectorization(
max_tokens=None,
standardize='lower_and_strip_punctuation',
split='whitespace',
ngrams=None,
output_mode='int',
output_sequence_length=None,
pad_to_max_tokens=False,
vocabulary=None,
idf_weights=None,
sparse=False,
ragged=False,
encoding='utf-8',
name=None,
**kwargs
)
Used in the notebooks
Used in the guide | Used in the tutorials |
---|---|
This layer has basic options for managing text in a Keras model. It
transforms a batch of strings (one example = one string) into either a list
of token indices (one example = 1D tensor of integer token indices) or a
dense representation (one example = 1D tensor of float values representing
data about the example's tokens). This layer is meant to handle natural
language inputs. To handle simple string inputs (categorical strings or
pre-tokenized strings) see kers_core.layers.StringLookup
.
The vocabulary for the layer must be either supplied on construction or
learned via adapt()
. When this layer is adapted, it will analyze the
dataset, determine the frequency of individual string values, and create a
vocabulary from them. This vocabulary can have unlimited size or be capped,
depending on the configuration options for this layer; if there are more
unique values in the input than the maximum vocabulary size, the most
frequent terms will be used to create the vocabulary.
The processing of each example contains the following steps:
- Standardize each example (usually lowercasing + punctuation stripping)
- Split each example into substrings (usually words)
- Recombine substrings into tokens (usually ngrams)
- Index tokens (associate a unique int value with each token)
- Transform each example 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:
- 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
keras.saving.register_keras_serializable
for more details). - When using a custom callable for
standardize
, the data received by the callable will be exactly as passed to this layer. The callable should return a tensor of the same shape as the input. - When using a custom callable for
split
, the data received 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 atf.Tensor
of dtypestring
with the first dimension containing the split tokens - in this example, we should see something like[["string", "to", "split"], ["another", "string", "to", "split"]]
.
Examples:
This example instantiates a TextVectorization
layer that lowercases text,
splits on whitespace, strips punctuation, and outputs integer vocab indices.
max_tokens = 5000 # Maximum vocab size.
max_len = 4 # Sequence length to pad the outputs to.
# Create the layer.
vectorize_layer = TextVectorization(
max_tokens=max_tokens,
output_mode='int',
output_sequence_length=max_len)
# Now that the vocab layer has been created, call `adapt` on the
# list of strings to create the vocabulary.
vectorize_layer.adapt(["foo bar", "bar baz", "baz bada boom"])
# Now, the layer can map strings to integers -- you can use an
# embedding layer to map these integers to learned embeddings.
input_data = [["foo qux bar"], ["qux baz"]]
vectorize_layer(input_data)
array([[4, 1, 3, 0],
[1, 2, 0, 0]])
This example instantiates a TextVectorization
layer by passing a list
of vocabulary terms to the layer's __init__()
method.
vocab_data = ["earth", "wind", "and", "fire"]
max_len = 4 # Sequence length to pad the outputs to.
# Create the layer, passing the vocab directly. You can also pass the
# vocabulary arg a path to a file containing one vocabulary word per
# line.
vectorize_layer = keras.layers.TextVectorization(
max_tokens=max_tokens,
output_mode='int',
output_sequence_length=max_len,
vocabulary=vocab_data)
# Because we've passed the vocabulary directly, we don't need to adapt
# the layer - the vocabulary is already set. The vocabulary contains the
# padding token ('') and OOV token ('[UNK]')
# as well as the passed tokens.
vectorize_layer.get_vocabulary()
['', '[UNK]', 'earth', 'wind', 'and', 'fire']
Methods
adapt
adapt(
data, batch_size=None, steps=None
)
Computes a vocabulary of string terms from tokens in a dataset.
Calling adapt()
on a TextVectorization
layer is an alternative to
passing in a precomputed vocabulary on construction via the vocabulary
argument. A TextVectorization
layer should always be either adapted
over a dataset or supplied with a vocabulary.
During adapt()
, the layer will build a vocabulary of all string tokens
seen in the dataset, sorted by occurrence count, with ties broken by
sort order of the tokens (high to low). At the end of adapt()
, if
max_tokens
is set, the vocabulary will be truncated to max_tokens
size. For example, adapting a layer with max_tokens=1000
will compute
the 1000 most frequent tokens occurring in the input dataset. If
output_mode='tf-idf'
, adapt()
will also learn the document
frequencies of each token in the input dataset.
Arguments | |
---|---|
data
|
The data to train on. It can be passed either as a
batched tf.data.Dataset , as a list of strings,
or as a NumPy array.
|
steps
|
Integer or None .
Total number of steps (batches of samples) to process.
If data is a tf.data.Dataset , and steps is None ,
adapt() will run until the input dataset is exhausted.
When passing an infinitely
repeating dataset, you must specify the steps argument. This
argument is not supported with array inputs or list inputs.
|
finalize_state
finalize_state()
from_config
@classmethod
from_config( config )
Creates a layer from its config.
This method is the reverse of get_config
,
capable of instantiating the same layer from the config
dictionary. It does not handle layer connectivity
(handled by Network), nor weights (handled by set_weights
).
Args | |
---|---|
config
|
A Python dictionary, typically the output of get_config. |
Returns | |
---|---|
A layer instance. |
get_vocabulary
get_vocabulary(
include_special_tokens=True
)
Returns the current vocabulary of the layer.
Args | |
---|---|
include_special_tokens
|
If True , the returned vocabulary
will include the padding and OOV tokens,
and a term's index in the vocabulary will equal
the term's index when calling the layer. If False , the
returned vocabulary will not include any padding
or OOV tokens.
|
load_assets
load_assets(
dir_path
)
reset_state
reset_state()
save_assets
save_assets(
dir_path
)
set_vocabulary
set_vocabulary(
vocabulary, idf_weights=None
)
Sets vocabulary (and optionally document frequency) for this layer.
This method sets the vocabulary and IDF weights 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 replace it.
Args | |
---|---|
vocabulary
|
Either an array or a string path to a text file. If passing an array, can pass a tuple, list, 1D NumPy array, or 1D tensor containing the vocbulary terms. If passing a file path, the file should contain one line per term in the vocabulary. |
idf_weights
|
A tuple, list, 1D NumPy array, or 1D tensor of inverse
document frequency weights with equal length to vocabulary.
Must be set if output_mode is "tf_idf" .
Should not be set otherwise.
|
symbolic_call
symbolic_call(
*args, **kwargs
)
update_state
update_state(
data
)
vocabulary_size
vocabulary_size()
Gets the current size of the layer's vocabulary.
Returns | |
---|---|
The integer size of the vocabulary, including optional mask and OOV indices. |