You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
2613 lines
103 KiB
2613 lines
103 KiB
|
4 days ago
|
# Copyright 2025 HuggingFace Inc. team. All rights reserved.
|
||
|
|
#
|
||
|
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
||
|
|
# you may not use this file except in compliance with the License.
|
||
|
|
# You may obtain a copy of the License at
|
||
|
|
#
|
||
|
|
# http://www.apache.org/licenses/LICENSE-2.0
|
||
|
|
#
|
||
|
|
# Unless required by applicable law or agreed to in writing, software
|
||
|
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
||
|
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||
|
|
# See the License for the specific language governing permissions and
|
||
|
|
# limitations under the License.
|
||
|
|
from __future__ import annotations
|
||
|
|
|
||
|
|
import inspect
|
||
|
|
import os
|
||
|
|
import textwrap
|
||
|
|
from collections.abc import Mapping
|
||
|
|
from pathlib import Path
|
||
|
|
from types import UnionType
|
||
|
|
from typing import Union, get_args, get_origin
|
||
|
|
|
||
|
|
import regex as re
|
||
|
|
|
||
|
|
from .doc import (
|
||
|
|
MODELS_TO_PIPELINE,
|
||
|
|
PIPELINE_TASKS_TO_SAMPLE_DOCSTRINGS,
|
||
|
|
PT_SAMPLE_DOCSTRINGS,
|
||
|
|
_prepare_output_docstrings,
|
||
|
|
)
|
||
|
|
from .generic import ModelOutput
|
||
|
|
|
||
|
|
|
||
|
|
PATH_TO_TRANSFORMERS = Path("src").resolve() / "transformers"
|
||
|
|
|
||
|
|
|
||
|
|
AUTODOC_FILES = [
|
||
|
|
"configuration_*.py",
|
||
|
|
"modeling_*.py",
|
||
|
|
"tokenization_*.py",
|
||
|
|
"processing_*.py",
|
||
|
|
"image_processing_*_fast.py",
|
||
|
|
"image_processing_*.py",
|
||
|
|
"feature_extractor_*.py",
|
||
|
|
]
|
||
|
|
|
||
|
|
PLACEHOLDER_TO_AUTO_MODULE = {
|
||
|
|
"image_processor_class": ("image_processing_auto", "IMAGE_PROCESSOR_MAPPING_NAMES"),
|
||
|
|
"tokenizer_class": ("tokenization_auto", "TOKENIZER_MAPPING_NAMES"),
|
||
|
|
"video_processor_class": ("video_processing_auto", "VIDEO_PROCESSOR_MAPPING_NAMES"),
|
||
|
|
"feature_extractor_class": ("feature_extraction_auto", "FEATURE_EXTRACTOR_MAPPING_NAMES"),
|
||
|
|
"processor_class": ("processing_auto", "PROCESSOR_MAPPING_NAMES"),
|
||
|
|
"config_class": ("configuration_auto", "CONFIG_MAPPING_NAMES"),
|
||
|
|
}
|
||
|
|
|
||
|
|
UNROLL_KWARGS_METHODS = {
|
||
|
|
"preprocess",
|
||
|
|
"__call__",
|
||
|
|
}
|
||
|
|
|
||
|
|
UNROLL_KWARGS_CLASSES = {
|
||
|
|
"ImageProcessorFast",
|
||
|
|
"ProcessorMixin",
|
||
|
|
}
|
||
|
|
|
||
|
|
HARDCODED_CONFIG_FOR_MODELS = {
|
||
|
|
"openai": "OpenAIGPTConfig",
|
||
|
|
"x-clip": "XCLIPConfig",
|
||
|
|
"kosmos2": "Kosmos2Config",
|
||
|
|
"kosmos2-5": "Kosmos2_5Config",
|
||
|
|
"donut": "DonutSwinConfig",
|
||
|
|
"esmfold": "EsmConfig",
|
||
|
|
"parakeet": "ParakeetCTCConfig",
|
||
|
|
"lasr": "LasrCTCConfig",
|
||
|
|
"wav2vec2-with-lm": "Wav2Vec2Config",
|
||
|
|
}
|
||
|
|
|
||
|
|
_re_checkpoint = re.compile(r"\[(.+?)\]\((https://huggingface\.co/.+?)\)")
|
||
|
|
|
||
|
|
|
||
|
|
class ImageProcessorArgs:
|
||
|
|
images = {
|
||
|
|
"description": """
|
||
|
|
Image to preprocess. Expects a single or batch of images with pixel values ranging from 0 to 255. If
|
||
|
|
passing in images with pixel values between 0 and 1, set `do_rescale=False`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
videos = {
|
||
|
|
"description": """
|
||
|
|
Video to preprocess. Expects a single or batch of videos with pixel values ranging from 0 to 255. If
|
||
|
|
passing in videos with pixel values between 0 and 1, set `do_rescale=False`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_resize = {
|
||
|
|
"description": """
|
||
|
|
Whether to resize the image.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
size = {
|
||
|
|
"description": """
|
||
|
|
Describes the maximum input dimensions to the model.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
size_divisor = {
|
||
|
|
"description": """
|
||
|
|
The size by which to make sure both the height and width can be divided.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
default_to_square = {
|
||
|
|
"description": """
|
||
|
|
Whether to default to a square image when resizing, if size is an int.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
resample = {
|
||
|
|
"description": """
|
||
|
|
Resampling filter to use if resizing the image. This can be one of the enum `PILImageResampling`. Only
|
||
|
|
has an effect if `do_resize` is set to `True`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_center_crop = {
|
||
|
|
"description": """
|
||
|
|
Whether to center crop the image.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
crop_size = {
|
||
|
|
"description": """
|
||
|
|
Size of the output image after applying `center_crop`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_pad = {
|
||
|
|
"description": """
|
||
|
|
Whether to pad the image. Padding is done either to the largest size in the batch
|
||
|
|
or to a fixed square size per image. The exact padding strategy depends on the model.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
pad_size = {
|
||
|
|
"description": """
|
||
|
|
The size in `{"height": int, "width" int}` to pad the images to. Must be larger than any image size
|
||
|
|
provided for preprocessing. If `pad_size` is not provided, images will be padded to the largest
|
||
|
|
height and width in the batch. Applied only when `do_pad=True.`
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_rescale = {
|
||
|
|
"description": """
|
||
|
|
Whether to rescale the image.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
rescale_factor = {
|
||
|
|
"description": """
|
||
|
|
Rescale factor to rescale the image by if `do_rescale` is set to `True`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_normalize = {
|
||
|
|
"description": """
|
||
|
|
Whether to normalize the image.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
image_mean = {
|
||
|
|
"description": """
|
||
|
|
Image mean to use for normalization. Only has an effect if `do_normalize` is set to `True`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
image_std = {
|
||
|
|
"description": """
|
||
|
|
Image standard deviation to use for normalization. Only has an effect if `do_normalize` is set to
|
||
|
|
`True`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
do_convert_rgb = {
|
||
|
|
"description": """
|
||
|
|
Whether to convert the image to RGB.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
return_tensors = {
|
||
|
|
"description": """
|
||
|
|
Returns stacked tensors if set to `pt, otherwise returns a list of tensors.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
data_format = {
|
||
|
|
"description": """
|
||
|
|
Only `ChannelDimension.FIRST` is supported. Added for compatibility with slow processors.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
input_data_format = {
|
||
|
|
"description": """
|
||
|
|
The channel dimension format for the input image. If unset, the channel dimension format is inferred
|
||
|
|
from the input image. Can be one of:
|
||
|
|
- `"channels_first"` or `ChannelDimension.FIRST`: image in (num_channels, height, width) format.
|
||
|
|
- `"channels_last"` or `ChannelDimension.LAST`: image in (height, width, num_channels) format.
|
||
|
|
- `"none"` or `ChannelDimension.NONE`: image in (height, width) format.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
device = {
|
||
|
|
"description": """
|
||
|
|
The device to process the images on. If unset, the device is inferred from the input images.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
disable_grouping = {
|
||
|
|
"description": """
|
||
|
|
Whether to disable grouping of images by size to process them individually and not in batches.
|
||
|
|
If None, will be set to True if the images are on CPU, and False otherwise. This choice is based on
|
||
|
|
empirical observations, as detailed here: https://github.com/huggingface/transformers/pull/38157
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
image_seq_length = {
|
||
|
|
"description": """
|
||
|
|
The number of image tokens to be used for each image in the input.
|
||
|
|
Added for backward compatibility but this should be set as a processor attribute in future models.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
|
||
|
|
class ProcessorArgs:
|
||
|
|
# __init__ arguments
|
||
|
|
image_processor = {
|
||
|
|
"description": """
|
||
|
|
The image processor is a required input.
|
||
|
|
""",
|
||
|
|
"type": "{image_processor_class}",
|
||
|
|
}
|
||
|
|
|
||
|
|
tokenizer = {
|
||
|
|
"description": """
|
||
|
|
The tokenizer is a required input.
|
||
|
|
""",
|
||
|
|
"type": "{tokenizer_class}",
|
||
|
|
}
|
||
|
|
|
||
|
|
video_processor = {
|
||
|
|
"description": """
|
||
|
|
The video processor is a required input.
|
||
|
|
""",
|
||
|
|
"type": "{video_processor_class}",
|
||
|
|
}
|
||
|
|
|
||
|
|
audio_processor = {
|
||
|
|
"description": """
|
||
|
|
The audio processor is a required input.
|
||
|
|
""",
|
||
|
|
"type": "{audio_processor_class}",
|
||
|
|
}
|
||
|
|
|
||
|
|
feature_extractor = {
|
||
|
|
"description": """
|
||
|
|
The feature extractor is a required input.
|
||
|
|
""",
|
||
|
|
"type": "{feature_extractor_class}",
|
||
|
|
}
|
||
|
|
|
||
|
|
chat_template = {
|
||
|
|
"description": """
|
||
|
|
A Jinja template to convert lists of messages in a chat into a tokenizable string.
|
||
|
|
""",
|
||
|
|
"type": "str",
|
||
|
|
}
|
||
|
|
|
||
|
|
# __call__ arguments
|
||
|
|
text = {
|
||
|
|
"description": """
|
||
|
|
The sequence or batch of sequences to be encoded. Each sequence can be a string or a list of strings
|
||
|
|
(pretokenized string). If you pass a pretokenized input, set `is_split_into_words=True` to avoid ambiguity with batched inputs.
|
||
|
|
""",
|
||
|
|
}
|
||
|
|
|
||
|
|
audio = {
|
||
|
|
"description": """
|
||
|
|
The audio or batch of audios to be prepared. Each audio can be a NumPy array or PyTorch tensor.
|
||
|
|
In case of a NumPy array/PyTorch tensor, each audio should be of shape (C, T), where C is a number of channels,
|
||
|
|
and T is the sample length of the audio.
|
||
|
|
""",
|
||
|
|
}
|
||
|
|
|
||
|
|
audios = {
|
||
|
|
"description": """
|
||
|
|
The audio or batch of audios to be prepared. Each audio can be a NumPy array or PyTorch tensor.
|
||
|
|
In case of a NumPy array/PyTorch tensor, each audio should be of shape (C, T), where C is a number of channels,
|
||
|
|
and T is the sample length of the audio.
|
||
|
|
""",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_tensors = {
|
||
|
|
"description": """
|
||
|
|
If set, will return tensors of a particular framework. Acceptable values are:
|
||
|
|
|
||
|
|
- `'pt'`: Return PyTorch `torch.Tensor` objects.
|
||
|
|
- `'np'`: Return NumPy `np.ndarray` objects.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
# Standard tokenizer arguments
|
||
|
|
add_special_tokens = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to add special tokens when encoding the sequences. This will use the underlying
|
||
|
|
[`PretrainedTokenizerBase.build_inputs_with_special_tokens`] function, which defines which tokens are
|
||
|
|
automatically added to the input ids. This is useful if you want to add `bos` or `eos` tokens
|
||
|
|
automatically.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
padding = {
|
||
|
|
"description": """
|
||
|
|
Activates and controls padding. Accepts the following values:
|
||
|
|
|
||
|
|
- `True` or `'longest'`: Pad to the longest sequence in the batch (or no padding if only a single
|
||
|
|
sequence is provided).
|
||
|
|
- `'max_length'`: Pad to a maximum length specified with the argument `max_length` or to the maximum
|
||
|
|
acceptable input length for the model if that argument is not provided.
|
||
|
|
- `False` or `'do_not_pad'` (default): No padding (i.e., can output a batch with sequences of different
|
||
|
|
lengths).
|
||
|
|
""",
|
||
|
|
"type": "bool, str or [`~utils.PaddingStrategy`]",
|
||
|
|
}
|
||
|
|
|
||
|
|
truncation = {
|
||
|
|
"description": """
|
||
|
|
Activates and controls truncation. Accepts the following values:
|
||
|
|
|
||
|
|
- `True` or `'longest_first'`: Truncate to a maximum length specified with the argument `max_length` or
|
||
|
|
to the maximum acceptable input length for the model if that argument is not provided. This will
|
||
|
|
truncate token by token, removing a token from the longest sequence in the pair if a pair of
|
||
|
|
sequences (or a batch of pairs) is provided.
|
||
|
|
- `'only_first'`: Truncate to a maximum length specified with the argument `max_length` or to the
|
||
|
|
maximum acceptable input length for the model if that argument is not provided. This will only
|
||
|
|
truncate the first sequence of a pair if a pair of sequences (or a batch of pairs) is provided.
|
||
|
|
- `'only_second'`: Truncate to a maximum length specified with the argument `max_length` or to the
|
||
|
|
maximum acceptable input length for the model if that argument is not provided. This will only
|
||
|
|
truncate the second sequence of a pair if a pair of sequences (or a batch of pairs) is provided.
|
||
|
|
- `False` or `'do_not_truncate'` (default): No truncation (i.e., can output batch with sequence lengths
|
||
|
|
greater than the model maximum admissible input size).
|
||
|
|
""",
|
||
|
|
"type": "bool, str or [`~tokenization_utils_base.TruncationStrategy`]",
|
||
|
|
}
|
||
|
|
|
||
|
|
max_length = {
|
||
|
|
"description": """
|
||
|
|
Controls the maximum length to use by one of the truncation/padding parameters.
|
||
|
|
|
||
|
|
If left unset or set to `None`, this will use the predefined model maximum length if a maximum length
|
||
|
|
is required by one of the truncation/padding parameters. If the model has no specific maximum input
|
||
|
|
length (like XLNet) truncation/padding to a maximum length will be deactivated.
|
||
|
|
""",
|
||
|
|
"type": "int",
|
||
|
|
}
|
||
|
|
|
||
|
|
stride = {
|
||
|
|
"description": """
|
||
|
|
If set to a number along with `max_length`, the overflowing tokens returned when
|
||
|
|
`return_overflowing_tokens=True` will contain some tokens from the end of the truncated sequence
|
||
|
|
returned to provide some overlap between truncated and overflowing sequences. The value of this
|
||
|
|
argument defines the number of overlapping tokens.
|
||
|
|
""",
|
||
|
|
"type": "int",
|
||
|
|
}
|
||
|
|
|
||
|
|
pad_to_multiple_of = {
|
||
|
|
"description": """
|
||
|
|
If set will pad the sequence to a multiple of the provided value. Requires `padding` to be activated.
|
||
|
|
This is especially useful to enable using Tensor Cores on NVIDIA hardware with compute capability
|
||
|
|
`>= 7.5` (Volta).
|
||
|
|
""",
|
||
|
|
"type": "int",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_token_type_ids = {
|
||
|
|
"description": """
|
||
|
|
Whether to return token type IDs. If left to the default, will return the token type IDs according to
|
||
|
|
the specific tokenizer's default, defined by the `return_outputs` attribute.
|
||
|
|
|
||
|
|
[What are token type IDs?](../glossary#token-type-ids)
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_attention_mask = {
|
||
|
|
"description": """
|
||
|
|
Whether to return the attention mask. If left to the default, will return the attention mask according
|
||
|
|
to the specific tokenizer's default, defined by the `return_outputs` attribute.
|
||
|
|
|
||
|
|
[What are attention masks?](../glossary#attention-mask)
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_overflowing_tokens = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return overflowing token sequences. If a pair of sequences of input ids (or a batch
|
||
|
|
of pairs) is provided with `truncation_strategy = longest_first` or `True`, an error is raised instead
|
||
|
|
of returning overflowing tokens.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_special_tokens_mask = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return special tokens mask information.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_offsets_mapping = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return `(char_start, char_end)` for each token.
|
||
|
|
|
||
|
|
This is only available on fast tokenizers inheriting from [`PreTrainedTokenizerFast`], if using
|
||
|
|
Python's tokenizer, this method will raise `NotImplementedError`.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
return_length = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return the lengths of the encoded inputs.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
verbose = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to print more information and warnings.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
text_pair = {
|
||
|
|
"description": """
|
||
|
|
Optional second sequence to be encoded. This can be a string, a list of strings (tokenized string using
|
||
|
|
the `tokenize` method) or a list of integers (tokenized string ids using the `convert_tokens_to_ids`
|
||
|
|
method).
|
||
|
|
""",
|
||
|
|
"type": "str, list[str] or list[int]",
|
||
|
|
}
|
||
|
|
|
||
|
|
text_target = {
|
||
|
|
"description": """
|
||
|
|
The sequence or batch of sequences to be encoded as target texts. Each sequence can be a string or a
|
||
|
|
list of strings (pretokenized string). If you pass pretokenized input, set `is_split_into_words=True`
|
||
|
|
to avoid ambiguity with batched inputs.
|
||
|
|
""",
|
||
|
|
"type": "str, list[str] or list[list[str]]",
|
||
|
|
}
|
||
|
|
|
||
|
|
text_pair_target = {
|
||
|
|
"description": """
|
||
|
|
The sequence or batch of sequences to be encoded as target texts. Each sequence can be a string or a
|
||
|
|
list of strings (pretokenized string). If you pass pretokenized input, set `is_split_into_words=True`
|
||
|
|
to avoid ambiguity with batched inputs.
|
||
|
|
""",
|
||
|
|
"type": "str, list[str] or list[list[str]]",
|
||
|
|
}
|
||
|
|
|
||
|
|
is_split_into_words = {
|
||
|
|
"description": """
|
||
|
|
Whether or not the input is already pre-tokenized (e.g., split into words). If set to `True`, the
|
||
|
|
tokenizer assumes the input is already split into words (for instance, by splitting it on whitespace)
|
||
|
|
which it will tokenize. This is useful for NER or token classification.
|
||
|
|
""",
|
||
|
|
"type": "bool",
|
||
|
|
}
|
||
|
|
|
||
|
|
boxes = {
|
||
|
|
"description": """
|
||
|
|
Word-level bounding boxes. Each bounding box should be normalized to be on a 0-1000 scale.
|
||
|
|
""",
|
||
|
|
"type": "list[list[int]] or list[list[list[int]]]",
|
||
|
|
}
|
||
|
|
|
||
|
|
word_labels = {
|
||
|
|
"description": """
|
||
|
|
Word-level integer labels (for token classification tasks such as FUNSD, CORD).
|
||
|
|
""",
|
||
|
|
"type": "list[int] or list[list[int]]",
|
||
|
|
}
|
||
|
|
|
||
|
|
|
||
|
|
class ModelArgs:
|
||
|
|
labels = {
|
||
|
|
"description": """
|
||
|
|
Labels for computing the masked language modeling loss. Indices should either be in `[0, ...,
|
||
|
|
config.vocab_size]` or -100 (see `input_ids` docstring). Tokens with indices set to `-100` are ignored
|
||
|
|
(masked), the loss is only computed for the tokens with labels in `[0, ..., config.vocab_size]`.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
num_logits_to_keep = {
|
||
|
|
"description": """
|
||
|
|
Calculate logits for the last `num_logits_to_keep` tokens. If `0`, calculate logits for all
|
||
|
|
`input_ids` (special case). Only last token logits are needed for generation, and calculating them only for that
|
||
|
|
token can save memory, which becomes pretty significant for long sequences or large vocabulary size.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
input_ids = {
|
||
|
|
"description": """
|
||
|
|
Indices of input sequence tokens in the vocabulary. Padding will be ignored by default.
|
||
|
|
|
||
|
|
Indices can be obtained using [`AutoTokenizer`]. See [`PreTrainedTokenizer.encode`] and
|
||
|
|
[`PreTrainedTokenizer.__call__`] for details.
|
||
|
|
|
||
|
|
[What are input IDs?](../glossary#input-ids)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
input_values = {
|
||
|
|
"description": """
|
||
|
|
Float values of input raw speech waveform. Values can be obtained by loading a `.flac` or `.wav` audio file
|
||
|
|
into an array of type `list[float]`, a `numpy.ndarray` or a `torch.Tensor`, *e.g.* via the torchcodec library
|
||
|
|
(`pip install torchcodec`) or the soundfile library (`pip install soundfile`).
|
||
|
|
To prepare the array into `input_values`, the [`AutoProcessor`] should be used for padding and conversion
|
||
|
|
into a tensor of type `torch.FloatTensor`. See [`{processor_class}.__call__`] for details.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
attention_mask = {
|
||
|
|
"description": """
|
||
|
|
Mask to avoid performing attention on padding token indices. Mask values selected in `[0, 1]`:
|
||
|
|
|
||
|
|
- 1 for tokens that are **not masked**,
|
||
|
|
- 0 for tokens that are **masked**.
|
||
|
|
|
||
|
|
[What are attention masks?](../glossary#attention-mask)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
decoder_attention_mask = {
|
||
|
|
"description": """
|
||
|
|
Mask to avoid performing attention on certain token indices. By default, a causal mask will be used, to
|
||
|
|
make sure the model can only look at previous inputs in order to predict the future.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, target_sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Sequence of hidden-states at the output of the last layer of the encoder. Used in the cross-attention
|
||
|
|
if the model is configured as a decoder.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_attention_mask = {
|
||
|
|
"description": """
|
||
|
|
Mask to avoid performing attention on the padding token indices of the encoder input. This mask is used in
|
||
|
|
the cross-attention if the model is configured as a decoder. Mask values selected in `[0, 1]`:
|
||
|
|
|
||
|
|
- 1 for tokens that are **not masked**,
|
||
|
|
- 0 for tokens that are **masked**.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
token_type_ids = {
|
||
|
|
"description": """
|
||
|
|
Segment token indices to indicate first and second portions of the inputs. Indices are selected in `[0, 1]`:
|
||
|
|
|
||
|
|
- 0 corresponds to a *sentence A* token,
|
||
|
|
- 1 corresponds to a *sentence B* token.
|
||
|
|
|
||
|
|
[What are token type IDs?](../glossary#token-type-ids)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
position_ids = {
|
||
|
|
"description": """
|
||
|
|
Indices of positions of each input sequence tokens in the position embeddings. Selected in the range `[0, config.n_positions - 1]`.
|
||
|
|
|
||
|
|
[What are position IDs?](../glossary#position-ids)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
past_key_values = {
|
||
|
|
"description": """
|
||
|
|
Pre-computed hidden-states (key and values in the self-attention blocks and in the cross-attention
|
||
|
|
blocks) that can be used to speed up sequential decoding. This typically consists in the `past_key_values`
|
||
|
|
returned by the model at a previous stage of decoding, when `use_cache=True` or `config.use_cache=True`.
|
||
|
|
|
||
|
|
Only [`~cache_utils.Cache`] instance is allowed as input, see our [kv cache guide](https://huggingface.co/docs/transformers/en/kv_cache).
|
||
|
|
If no `past_key_values` are passed, [`~cache_utils.DynamicCache`] will be initialized by default.
|
||
|
|
|
||
|
|
The model will output the same cache format that is fed as input.
|
||
|
|
|
||
|
|
If `past_key_values` are used, the user is expected to input only unprocessed `input_ids` (those that don't
|
||
|
|
have their past key value states given to this model) of shape `(batch_size, unprocessed_length)` instead of all `input_ids`
|
||
|
|
of shape `(batch_size, sequence_length)`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
inputs_embeds = {
|
||
|
|
"description": """
|
||
|
|
Optionally, instead of passing `input_ids` you can choose to directly pass an embedded representation. This
|
||
|
|
is useful if you want more control over how to convert `input_ids` indices into associated vectors than the
|
||
|
|
model's internal embedding lookup matrix.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
decoder_input_ids = {
|
||
|
|
"description": """
|
||
|
|
Indices of decoder input sequence tokens in the vocabulary.
|
||
|
|
|
||
|
|
Indices can be obtained using [`AutoTokenizer`]. See [`PreTrainedTokenizer.encode`] and
|
||
|
|
[`PreTrainedTokenizer.__call__`] for details.
|
||
|
|
|
||
|
|
[What are decoder input IDs?](../glossary#decoder-input-ids)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, target_sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
decoder_inputs_embeds = {
|
||
|
|
"description": """
|
||
|
|
Optionally, instead of passing `decoder_input_ids` you can choose to directly pass an embedded
|
||
|
|
representation. If `past_key_values` is used, optionally only the last `decoder_inputs_embeds` have to be
|
||
|
|
input (see `past_key_values`). This is useful if you want more control over how to convert
|
||
|
|
`decoder_input_ids` indices into associated vectors than the model's internal embedding lookup matrix.
|
||
|
|
|
||
|
|
If `decoder_input_ids` and `decoder_inputs_embeds` are both unset, `decoder_inputs_embeds` takes the value
|
||
|
|
of `inputs_embeds`.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, target_sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
use_cache = {
|
||
|
|
"description": """
|
||
|
|
If set to `True`, `past_key_values` key value states are returned and can be used to speed up decoding (see
|
||
|
|
`past_key_values`).
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
output_attentions = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return the attentions tensors of all attention layers. See `attentions` under returned
|
||
|
|
tensors for more detail.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
output_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return the hidden states of all layers. See `hidden_states` under returned tensors for
|
||
|
|
more detail.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
return_dict = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return a [`~utils.ModelOutput`] instead of a plain tuple.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
cache_position = {
|
||
|
|
"description": """
|
||
|
|
Indices depicting the position of the input sequence tokens in the sequence. Contrarily to `position_ids`,
|
||
|
|
this tensor is not affected by padding. It is used to update the cache in the correct position and to infer
|
||
|
|
the complete sequence length.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
hidden_states = {
|
||
|
|
"description": """ input to the layer of shape `(batch, seq_len, embed_dim)""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
interpolate_pos_encoding = {
|
||
|
|
"description": """
|
||
|
|
Whether to interpolate the pre-trained position encodings.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
position_embeddings = {
|
||
|
|
"description": """
|
||
|
|
Tuple containing the cosine and sine positional embeddings of shape `(batch_size, seq_len, head_dim)`,
|
||
|
|
with `head_dim` being the embedding dimension of each attention head.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
config = {
|
||
|
|
"description": """
|
||
|
|
Model configuration class with all the parameters of the model. Initializing with a config file does not
|
||
|
|
load the weights associated with the model, only the configuration. Check out the
|
||
|
|
[`~PreTrainedModel.from_pretrained`] method to load the model weights.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
start_positions = {
|
||
|
|
"description": """
|
||
|
|
Labels for position (index) of the start of the labelled span for computing the token classification loss.
|
||
|
|
Positions are clamped to the length of the sequence (`sequence_length`). Position outside of the sequence
|
||
|
|
are not taken into account for computing the loss.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size,)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
end_positions = {
|
||
|
|
"description": """
|
||
|
|
Labels for position (index) of the end of the labelled span for computing the token classification loss.
|
||
|
|
Positions are clamped to the length of the sequence (`sequence_length`). Position outside of the sequence
|
||
|
|
are not taken into account for computing the loss.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size,)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_outputs = {
|
||
|
|
"description": """
|
||
|
|
Tuple consists of (`last_hidden_state`, *optional*: `hidden_states`, *optional*: `attentions`)
|
||
|
|
`last_hidden_state` of shape `(batch_size, sequence_length, hidden_size)`, *optional*) is a sequence of
|
||
|
|
hidden-states at the output of the last layer of the encoder. Used in the cross-attention of the decoder.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
output_router_logits = {
|
||
|
|
"description": """
|
||
|
|
Whether or not to return the logits of all the routers. They are useful for computing the router loss, and
|
||
|
|
should not be returned during inference.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
logits_to_keep = {
|
||
|
|
"description": """
|
||
|
|
If an `int`, compute logits for the last `logits_to_keep` tokens. If `0`, calculate logits for all
|
||
|
|
`input_ids` (special case). Only last token logits are needed for generation, and calculating them only for that
|
||
|
|
token can save memory, which becomes pretty significant for long sequences or large vocabulary size.
|
||
|
|
If a `torch.Tensor`, must be 1D corresponding to the indices to keep in the sequence length dimension.
|
||
|
|
This is useful when using packed tensor format (single dimension for batch and sequence length).
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
pixel_values = {
|
||
|
|
"description": """
|
||
|
|
The tensors corresponding to the input images. Pixel values can be obtained using
|
||
|
|
[`{image_processor_class}`]. See [`{image_processor_class}.__call__`] for details ([`{processor_class}`] uses
|
||
|
|
[`{image_processor_class}`] for processing images).
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_channels, image_size, image_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
pixel_values_videos = {
|
||
|
|
"description": """
|
||
|
|
The tensors corresponding to the input video. Pixel values for videos can be obtained using
|
||
|
|
[`{video_processor_class}`]. See [`{video_processor_class}.__call__`] for details ([`{processor_class}`] uses
|
||
|
|
[`{video_processor_class}`] for processing videos).
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_frames, num_channels, frame_size, frame_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
vision_feature_layer = {
|
||
|
|
"description": """
|
||
|
|
The index of the layer to select the vision feature. If multiple indices are provided,
|
||
|
|
the vision feature of the corresponding indices will be concatenated to form the
|
||
|
|
vision features.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
vision_feature_select_strategy = {
|
||
|
|
"description": """
|
||
|
|
The feature selection strategy used to select the vision feature from the vision backbone.
|
||
|
|
Can be one of `"default"` or `"full"`.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
}
|
||
|
|
|
||
|
|
image_sizes = {
|
||
|
|
"description": """
|
||
|
|
The sizes of the images in the batch, being (height, width) for each image.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, 2)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
pixel_mask = {
|
||
|
|
"description": """
|
||
|
|
Mask to avoid performing attention on padding pixel values. Mask values selected in `[0, 1]`:
|
||
|
|
|
||
|
|
- 1 for pixels that are real (i.e. **not masked**),
|
||
|
|
- 0 for pixels that are padding (i.e. **masked**).
|
||
|
|
|
||
|
|
[What are attention masks?](../glossary#attention-mask)
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, height, width)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
input_features = {
|
||
|
|
"description": """
|
||
|
|
The tensors corresponding to the input audio features. Audio features can be obtained using
|
||
|
|
[`{feature_extractor_class}`]. See [`{feature_extractor_class}.__call__`] for details ([`{processor_class}`] uses
|
||
|
|
[`{feature_extractor_class}`] for processing audios).
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, feature_dim)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
|
||
|
|
class ModelOutputArgs:
|
||
|
|
last_hidden_state = {
|
||
|
|
"description": """
|
||
|
|
Sequence of hidden-states at the output of the last layer of the model.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
past_key_values = {
|
||
|
|
"description": """
|
||
|
|
It is a [`~cache_utils.Cache`] instance. For more details, see our [kv cache guide](https://huggingface.co/docs/transformers/en/kv_cache).
|
||
|
|
|
||
|
|
Contains pre-computed hidden-states (key and values in the self-attention blocks and optionally if
|
||
|
|
`config.is_encoder_decoder=True` in the cross-attention blocks) that can be used (see `past_key_values`
|
||
|
|
input) to speed up sequential decoding.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `use_cache=True` is passed or when `config.use_cache=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for the output of the embeddings, if the model has an embedding layer, +
|
||
|
|
one for the output of each layer) of shape `(batch_size, sequence_length, hidden_size)`.
|
||
|
|
|
||
|
|
Hidden-states of the model at the output of each layer plus the optional initial embedding outputs.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_hidden_states=True` is passed or when `config.output_hidden_states=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
attentions = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, num_heads, sequence_length,
|
||
|
|
sequence_length)`.
|
||
|
|
|
||
|
|
Attentions weights after the attention softmax, used to compute the weighted average in the self-attention
|
||
|
|
heads.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_attentions=True` is passed or when `config.output_attentions=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
pooler_output = {
|
||
|
|
"description": """
|
||
|
|
Last layer hidden-state after a pooling operation on the spatial dimensions.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
cross_attentions = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, num_heads, sequence_length,
|
||
|
|
sequence_length)`.
|
||
|
|
|
||
|
|
Attentions weights of the decoder's cross-attention layer, after the attention softmax, used to compute the
|
||
|
|
weighted average in the cross-attention heads.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_attentions=True` is passed or when `config.output_attentions=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
decoder_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for the output of the embeddings, if the model has an embedding layer, +
|
||
|
|
one for the output of each layer) of shape `(batch_size, sequence_length, hidden_size)`.
|
||
|
|
|
||
|
|
Hidden-states of the decoder at the output of each layer plus the initial embedding outputs.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_hidden_states=True` is passed or when `config.output_hidden_states=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
decoder_attentions = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, num_heads, sequence_length,
|
||
|
|
sequence_length)`.
|
||
|
|
|
||
|
|
Attentions weights of the decoder, after the attention softmax, used to compute the weighted average in the
|
||
|
|
self-attention heads.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_attentions=True` is passed or when `config.output_attentions=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_last_hidden_state = {
|
||
|
|
"description": """
|
||
|
|
Sequence of hidden-states at the output of the last layer of the encoder of the model.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for the output of the embeddings, if the model has an embedding layer, +
|
||
|
|
one for the output of each layer) of shape `(batch_size, sequence_length, hidden_size)`.
|
||
|
|
|
||
|
|
Hidden-states of the encoder at the output of each layer plus the initial embedding outputs.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_hidden_states=True` is passed or when `config.output_hidden_states=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
encoder_attentions = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, num_heads, sequence_length,
|
||
|
|
sequence_length)`.
|
||
|
|
|
||
|
|
Attentions weights of the encoder, after the attention softmax, used to compute the weighted average in the
|
||
|
|
self-attention heads.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_attentions=True` is passed or when `config.output_attentions=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
router_logits = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, sequence_length, num_experts)`.
|
||
|
|
|
||
|
|
Router logits of the model, useful to compute the auxiliary loss for Mixture of Experts models.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_router_logits=True` is passed or when `config.add_router_probs=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
router_probs = {
|
||
|
|
"description": """
|
||
|
|
Tuple of `torch.FloatTensor` (one for each layer) of shape `(batch_size, sequence_length, num_experts)`.
|
||
|
|
|
||
|
|
Raw router probabilities that are computed by MoE routers, these terms are used to compute the auxiliary
|
||
|
|
loss and the z_loss for Mixture of Experts models.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `output_router_probs=True` and `config.add_router_probs=True` is passed or when `config.output_router_probs=True`",
|
||
|
|
}
|
||
|
|
|
||
|
|
z_loss = {
|
||
|
|
"description": """
|
||
|
|
z_loss for the sparse modules.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `labels` is provided",
|
||
|
|
}
|
||
|
|
|
||
|
|
aux_loss = {
|
||
|
|
"description": """
|
||
|
|
aux_loss for the sparse modules.
|
||
|
|
""",
|
||
|
|
"shape": None,
|
||
|
|
"additional_info": "returned when `labels` is provided",
|
||
|
|
}
|
||
|
|
|
||
|
|
start_logits = {
|
||
|
|
"description": """
|
||
|
|
Span-start scores (before SoftMax).
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
end_logits = {
|
||
|
|
"description": """
|
||
|
|
Span-end scores (before SoftMax).
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
feature_maps = {
|
||
|
|
"description": """
|
||
|
|
Feature maps of the stages.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_channels, height, width)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
reconstruction = {
|
||
|
|
"description": """
|
||
|
|
Reconstructed / completed images.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_channels, height, width)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
spectrogram = {
|
||
|
|
"description": """
|
||
|
|
The predicted spectrogram.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, num_bins)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
predicted_depth = {
|
||
|
|
"description": """
|
||
|
|
Predicted depth for each pixel.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, height, width)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
sequences = {
|
||
|
|
"description": """
|
||
|
|
Sampled values from the chosen distribution.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_samples, prediction_length)` or `(batch_size, num_samples, prediction_length, input_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
params = {
|
||
|
|
"description": """
|
||
|
|
Parameters of the chosen distribution.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_samples, num_params)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
loc = {
|
||
|
|
"description": """
|
||
|
|
Shift values of each time series' context window which is used to give the model inputs of the same
|
||
|
|
magnitude and then used to shift back to the original magnitude.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size,)` or `(batch_size, input_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
scale = {
|
||
|
|
"description": """
|
||
|
|
Scaling values of each time series' context window which is used to give the model inputs of the same
|
||
|
|
magnitude and then used to rescale back to the original magnitude.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size,)` or `(batch_size, input_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
static_features = {
|
||
|
|
"description": """
|
||
|
|
Static features of each time series' in a batch which are copied to the covariates at inference time.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, feature size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
embeddings = {
|
||
|
|
"description": """
|
||
|
|
Utterance embeddings used for vector similarity-based retrieval.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, config.xvector_output_dim)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
extract_features = {
|
||
|
|
"description": """
|
||
|
|
Sequence of extracted feature vectors of the last convolutional layer of the model.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, sequence_length, conv_dim[-1])`",
|
||
|
|
}
|
||
|
|
|
||
|
|
projection_state = {
|
||
|
|
"description": """
|
||
|
|
Text embeddings before the projection layer, used to mimic the last hidden state of the teacher encoder.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size,config.project_dim)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
image_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Image hidden states of the model produced by the vision encoder and after projecting the last hidden state.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size, num_images, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
video_hidden_states = {
|
||
|
|
"description": """
|
||
|
|
Video hidden states of the model produced by the vision encoder and after projecting the last hidden state.
|
||
|
|
""",
|
||
|
|
"shape": "of shape `(batch_size * num_frames, num_images, sequence_length, hidden_size)`",
|
||
|
|
}
|
||
|
|
|
||
|
|
|
||
|
|
class ClassDocstring:
|
||
|
|
PreTrainedModel = r"""
|
||
|
|
This model inherits from [`PreTrainedModel`]. Check the superclass documentation for the generic methods the
|
||
|
|
library implements for all its model (such as downloading or saving, resizing the input embeddings, pruning heads
|
||
|
|
etc.)
|
||
|
|
|
||
|
|
This model is also a PyTorch [torch.nn.Module](https://pytorch.org/docs/stable/nn.html#torch.nn.Module) subclass.
|
||
|
|
Use it as a regular PyTorch Module and refer to the PyTorch documentation for all matter related to general usage
|
||
|
|
and behavior.
|
||
|
|
"""
|
||
|
|
|
||
|
|
Model = r"""
|
||
|
|
The bare {model_name} Model outputting raw hidden-states without any specific head on top.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForPreTraining = r"""
|
||
|
|
The {model_name} Model with a specified pretraining head on top.
|
||
|
|
"""
|
||
|
|
|
||
|
|
Decoder = r"""
|
||
|
|
The bare {model_name} Decoder outputting raw hidden-states without any specific head on top.
|
||
|
|
"""
|
||
|
|
|
||
|
|
TextModel = r"""
|
||
|
|
The bare {model_name} Text Model outputting raw hidden-states without any specific head on to.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForSequenceClassification = r"""
|
||
|
|
The {model_name} Model with a sequence classification/regression head on top e.g. for GLUE tasks.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForQuestionAnswering = r"""
|
||
|
|
The {model_name} transformer with a span classification head on top for extractive question-answering tasks like
|
||
|
|
SQuAD (a linear layer on top of the hidden-states output to compute `span start logits` and `span end logits`).
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForMultipleChoice = r"""
|
||
|
|
The {model_name} Model with a multiple choice classification head on top (a linear layer on top of the pooled output and a
|
||
|
|
softmax) e.g. for RocStories/SWAG tasks.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForMaskedLM = r"""
|
||
|
|
The {model_name} Model with a `language modeling` head on top."
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForTokenClassification = r"""
|
||
|
|
The {model_name} transformer with a token classification head on top (a linear layer on top of the hidden-states
|
||
|
|
output) e.g. for Named-Entity-Recognition (NER) tasks.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForConditionalGeneration = r"""
|
||
|
|
The {model_name} Model for token generation conditioned on other modalities (e.g. image-text-to-text generation).
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForCausalLM = r"""
|
||
|
|
The {model_name} Model for causal language modeling.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ImageProcessorFast = r"""
|
||
|
|
Constructs a fast {model_name} image processor.
|
||
|
|
"""
|
||
|
|
|
||
|
|
Backbone = r"""
|
||
|
|
The {model_name} backbone.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForImageClassification = r"""
|
||
|
|
The {model_name} Model with an image classification head on top e.g. for ImageNet.
|
||
|
|
"""
|
||
|
|
ForSemanticSegmentation = r"""
|
||
|
|
The {model_name} Model with a semantic segmentation head on top e.g. for ADE20K, CityScapes.
|
||
|
|
"""
|
||
|
|
ForAudioClassification = r"""
|
||
|
|
The {model_name} Model with an audio classification head on top (a linear layer on top of the pooled
|
||
|
|
output).
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForAudioFrameClassification = r"""
|
||
|
|
The {model_name} Model with a frame classification head on top for tasks like Speaker Diarization.
|
||
|
|
"""
|
||
|
|
|
||
|
|
ForPrediction = r"""
|
||
|
|
The {model_name} Model with a distribution head on top for time-series forecasting.
|
||
|
|
"""
|
||
|
|
|
||
|
|
WithProjection = r"""
|
||
|
|
The {model_name} Model with a projection layer on top (a linear layer on top of the pooled output).
|
||
|
|
"""
|
||
|
|
|
||
|
|
|
||
|
|
class ClassAttrs:
|
||
|
|
# fmt: off
|
||
|
|
base_model_prefix = r"""
|
||
|
|
A string indicating the attribute associated to the base model in derived classes of the same architecture adding modules on top of the base model.
|
||
|
|
"""
|
||
|
|
supports_gradient_checkpointing = r"""
|
||
|
|
Whether the model supports gradient checkpointing or not. Gradient checkpointing is a memory-saving technique that trades compute for memory, by storing only a subset of activations (checkpoints) and recomputing the activations that are not stored during the backward pass.
|
||
|
|
"""
|
||
|
|
_no_split_modules = r"""
|
||
|
|
Layers of modules that should not be split across devices should be added to `_no_split_modules`. This can be useful for modules that contains skip connections or other operations that are not compatible with splitting the module across devices. Setting this attribute will enable the use of `device_map="auto"` in the `from_pretrained` method.
|
||
|
|
"""
|
||
|
|
_skip_keys_device_placement = r"""
|
||
|
|
A list of keys to ignore when moving inputs or outputs between devices when using the `accelerate` library.
|
||
|
|
"""
|
||
|
|
_supports_flash_attn = r"""
|
||
|
|
Whether the model's attention implementation supports FlashAttention.
|
||
|
|
"""
|
||
|
|
_supports_sdpa = r"""
|
||
|
|
Whether the model's attention implementation supports SDPA (Scaled Dot Product Attention).
|
||
|
|
"""
|
||
|
|
_supports_flex_attn = r"""
|
||
|
|
Whether the model's attention implementation supports FlexAttention.
|
||
|
|
"""
|
||
|
|
_can_compile_fullgraph = r"""
|
||
|
|
Whether the model can `torch.compile` fullgraph without graph breaks. Models will auto-compile if this flag is set to `True`
|
||
|
|
in inference, if a compilable cache is used.
|
||
|
|
"""
|
||
|
|
_supports_attention_backend = r"""
|
||
|
|
Whether the model supports attention interface functions. This flag signal that the model can be used as an efficient backend in TGI and vLLM.
|
||
|
|
"""
|
||
|
|
_tied_weights_keys = r"""
|
||
|
|
A list of `state_dict` keys that are potentially tied to another key in the state_dict.
|
||
|
|
"""
|
||
|
|
# fmt: on
|
||
|
|
|
||
|
|
|
||
|
|
ARGS_TO_IGNORE = {"self", "kwargs", "args", "deprecated_arguments"}
|
||
|
|
|
||
|
|
|
||
|
|
def get_indent_level(func):
|
||
|
|
# Use this instead of `inspect.getsource(func)` as getsource can be very slow
|
||
|
|
return (len(func.__qualname__.split(".")) - 1) * 4
|
||
|
|
|
||
|
|
|
||
|
|
def equalize_indent(docstring, indent_level):
|
||
|
|
"""
|
||
|
|
Adjust the indentation of a docstring to match the specified indent level.
|
||
|
|
"""
|
||
|
|
# fully dedent the docstring
|
||
|
|
docstring = "\n".join([line.lstrip() for line in docstring.splitlines()])
|
||
|
|
return textwrap.indent(docstring, " " * indent_level)
|
||
|
|
|
||
|
|
|
||
|
|
def set_min_indent(docstring, indent_level):
|
||
|
|
"""
|
||
|
|
Adjust the indentation of a docstring to match the specified indent level.
|
||
|
|
"""
|
||
|
|
return textwrap.indent(textwrap.dedent(docstring), " " * indent_level)
|
||
|
|
|
||
|
|
|
||
|
|
def parse_shape(docstring):
|
||
|
|
shape_pattern = re.compile(r"(of shape\s*(?:`.*?`|\(.*?\)))")
|
||
|
|
match = shape_pattern.search(docstring)
|
||
|
|
if match:
|
||
|
|
return " " + match.group(1)
|
||
|
|
return None
|
||
|
|
|
||
|
|
|
||
|
|
def parse_default(docstring):
|
||
|
|
default_pattern = re.compile(r"(defaults to \s*[^)]*)")
|
||
|
|
match = default_pattern.search(docstring)
|
||
|
|
if match:
|
||
|
|
return " " + match.group(1)
|
||
|
|
return None
|
||
|
|
|
||
|
|
|
||
|
|
def parse_docstring(docstring, max_indent_level=0, return_intro=False):
|
||
|
|
"""
|
||
|
|
Parse the docstring to extract the Args section and return it as a dictionary.
|
||
|
|
The docstring is expected to be in the format:
|
||
|
|
Args:
|
||
|
|
arg1 (type):
|
||
|
|
Description of arg1.
|
||
|
|
arg2 (type):
|
||
|
|
Description of arg2.
|
||
|
|
|
||
|
|
# This function will also return the remaining part of the docstring after the Args section.
|
||
|
|
Returns:/Example:
|
||
|
|
...
|
||
|
|
"""
|
||
|
|
match = re.search(r"(?m)^([ \t]*)(?=Example|Return)", docstring)
|
||
|
|
if match:
|
||
|
|
remainder_docstring = docstring[match.start() :]
|
||
|
|
docstring = docstring[: match.start()]
|
||
|
|
else:
|
||
|
|
remainder_docstring = ""
|
||
|
|
args_pattern = re.compile(r"(?:Args:)(\n.*)?(\n)?$", re.DOTALL)
|
||
|
|
|
||
|
|
args_match = args_pattern.search(docstring)
|
||
|
|
# still try to find args description in the docstring, if args are not preceded by "Args:"
|
||
|
|
docstring_intro = None
|
||
|
|
if args_match:
|
||
|
|
docstring_intro = docstring[: args_match.start()]
|
||
|
|
if docstring_intro.split("\n")[-1].strip() == '"""':
|
||
|
|
docstring_intro = "\n".join(docstring_intro.split("\n")[:-1])
|
||
|
|
if docstring_intro.split("\n")[0].strip() == 'r"""' or docstring_intro.split("\n")[0].strip() == '"""':
|
||
|
|
docstring_intro = "\n".join(docstring_intro.split("\n")[1:])
|
||
|
|
if docstring_intro.strip() == "":
|
||
|
|
docstring_intro = None
|
||
|
|
args_section = args_match.group(1).lstrip("\n") if args_match else docstring
|
||
|
|
if args_section.split("\n")[-1].strip() == '"""':
|
||
|
|
args_section = "\n".join(args_section.split("\n")[:-1])
|
||
|
|
if args_section.split("\n")[0].strip() == 'r"""' or args_section.split("\n")[0].strip() == '"""':
|
||
|
|
args_section = "\n".join(args_section.split("\n")[1:])
|
||
|
|
args_section = set_min_indent(args_section, 0)
|
||
|
|
params = {}
|
||
|
|
if args_section:
|
||
|
|
param_pattern = re.compile(
|
||
|
|
# |--- Group 1 ---|| Group 2 ||- Group 3 -||---------- Group 4 ----------|
|
||
|
|
rf"^\s{{0,{max_indent_level}}}(\w+)\s*\(\s*([^, \)]*)(\s*.*?)\s*\)\s*:\s*((?:(?!\n^\s{{0,{max_indent_level}}}\w+\s*\().)*)",
|
||
|
|
re.DOTALL | re.MULTILINE,
|
||
|
|
)
|
||
|
|
for match in param_pattern.finditer(args_section):
|
||
|
|
param_name = match.group(1)
|
||
|
|
param_type = match.group(2)
|
||
|
|
# param_type = match.group(2).replace("`", "")
|
||
|
|
additional_info = match.group(3)
|
||
|
|
optional = "optional" in additional_info
|
||
|
|
shape = parse_shape(additional_info)
|
||
|
|
default = parse_default(additional_info)
|
||
|
|
param_description = match.group(4).strip()
|
||
|
|
# set first line of param_description to 4 spaces:
|
||
|
|
param_description = re.sub(r"^", " " * 4, param_description, 1)
|
||
|
|
param_description = f"\n{param_description}"
|
||
|
|
params[param_name] = {
|
||
|
|
"type": param_type,
|
||
|
|
"description": param_description,
|
||
|
|
"optional": optional,
|
||
|
|
"shape": shape,
|
||
|
|
"default": default,
|
||
|
|
"additional_info": additional_info,
|
||
|
|
}
|
||
|
|
|
||
|
|
if params and remainder_docstring:
|
||
|
|
remainder_docstring = "\n" + remainder_docstring
|
||
|
|
|
||
|
|
remainder_docstring = set_min_indent(remainder_docstring, 0)
|
||
|
|
|
||
|
|
if return_intro:
|
||
|
|
return params, remainder_docstring, docstring_intro
|
||
|
|
return params, remainder_docstring
|
||
|
|
|
||
|
|
|
||
|
|
def contains_type(type_hint, target_type) -> tuple[bool, object | None]:
|
||
|
|
"""
|
||
|
|
Check if a "nested" type hint contains a specific target type,
|
||
|
|
return the first-level type containing the target_type if found.
|
||
|
|
"""
|
||
|
|
args = get_args(type_hint)
|
||
|
|
if args == ():
|
||
|
|
try:
|
||
|
|
return issubclass(type_hint, target_type), type_hint
|
||
|
|
except Exception:
|
||
|
|
return issubclass(type(type_hint), target_type), type_hint
|
||
|
|
found_type_tuple = [contains_type(arg, target_type)[0] for arg in args]
|
||
|
|
found_type = any(found_type_tuple)
|
||
|
|
if found_type:
|
||
|
|
type_hint = args[found_type_tuple.index(True)]
|
||
|
|
return found_type, type_hint
|
||
|
|
|
||
|
|
|
||
|
|
def get_model_name(obj):
|
||
|
|
"""
|
||
|
|
Get the model name from the file path of the object.
|
||
|
|
"""
|
||
|
|
path = inspect.getsourcefile(obj)
|
||
|
|
if path is None:
|
||
|
|
return None
|
||
|
|
if path.split(os.path.sep)[-3] != "models":
|
||
|
|
return None
|
||
|
|
file_name = path.split(os.path.sep)[-1]
|
||
|
|
for file_type in AUTODOC_FILES:
|
||
|
|
start = file_type.split("*")[0]
|
||
|
|
end = file_type.split("*")[-1] if "*" in file_type else ""
|
||
|
|
if file_name.startswith(start) and file_name.endswith(end):
|
||
|
|
model_name_lowercase = file_name[len(start) : -len(end)]
|
||
|
|
return model_name_lowercase
|
||
|
|
print(f"[ERROR] Something went wrong trying to find the model name in the path: {path}")
|
||
|
|
return "model"
|
||
|
|
|
||
|
|
|
||
|
|
def generate_processor_intro(cls) -> str:
|
||
|
|
"""
|
||
|
|
Generate the intro docstring for a processor class based on its attributes.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
cls: Processor class to generate intro for
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
str: Generated intro text
|
||
|
|
"""
|
||
|
|
class_name = cls.__name__
|
||
|
|
|
||
|
|
# Get attributes and their corresponding class names
|
||
|
|
attributes = cls.get_attributes()
|
||
|
|
if not attributes:
|
||
|
|
return ""
|
||
|
|
|
||
|
|
# Build list of component names and their classes
|
||
|
|
components = []
|
||
|
|
component_classes = []
|
||
|
|
|
||
|
|
for attr in attributes:
|
||
|
|
# Get the class name for this attribute
|
||
|
|
class_attr = f"{attr}_class"
|
||
|
|
# Format attribute name for display
|
||
|
|
attr_display = attr.replace("_", " ")
|
||
|
|
components.append(attr_display)
|
||
|
|
component_classes.append(f"[`{{{class_attr}}}`]")
|
||
|
|
if not components:
|
||
|
|
return ""
|
||
|
|
|
||
|
|
# Generate the intro text
|
||
|
|
if len(components) == 1:
|
||
|
|
components_text = f"a {components[0]}"
|
||
|
|
classes_text = component_classes[0]
|
||
|
|
classes_text_short = component_classes[0].replace("[`", "[`~")
|
||
|
|
elif len(components) == 2:
|
||
|
|
components_text = f"a {components[0]} and a {components[1]}"
|
||
|
|
classes_text = f"{component_classes[0]} and {component_classes[1]}"
|
||
|
|
classes_text_short = (
|
||
|
|
f"{component_classes[0].replace('[`', '[`~')} and {component_classes[1].replace('[`', '[`~')}"
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
components_text = ", ".join(f"a {c}" for c in components[:-1]) + f", and a {components[-1]}"
|
||
|
|
classes_text = ", ".join(component_classes[:-1]) + f", and {component_classes[-1]}"
|
||
|
|
classes_short = [c.replace("[`", "[`~") for c in component_classes]
|
||
|
|
classes_text_short = ", ".join(classes_short[:-1]) + f", and {classes_short[-1]}"
|
||
|
|
|
||
|
|
intro = f"""Constructs a {class_name} which wraps {components_text} into a single processor.
|
||
|
|
|
||
|
|
[`{class_name}`] offers all the functionalities of {classes_text}. See the
|
||
|
|
{classes_text_short} for more information.
|
||
|
|
"""
|
||
|
|
|
||
|
|
return intro
|
||
|
|
|
||
|
|
|
||
|
|
def get_placeholders_dict(placeholders: set[str], model_name: str) -> Mapping[str, str | None]:
|
||
|
|
"""
|
||
|
|
Get the dictionary of placeholders for the given model name.
|
||
|
|
"""
|
||
|
|
# import here to avoid circular import
|
||
|
|
from transformers.models import auto as auto_module
|
||
|
|
|
||
|
|
placeholders_dict = {}
|
||
|
|
for placeholder in placeholders:
|
||
|
|
# Infer placeholders from the model name and the auto modules
|
||
|
|
if placeholder in PLACEHOLDER_TO_AUTO_MODULE:
|
||
|
|
try:
|
||
|
|
place_holder_value = getattr(
|
||
|
|
getattr(auto_module, PLACEHOLDER_TO_AUTO_MODULE[placeholder][0]),
|
||
|
|
PLACEHOLDER_TO_AUTO_MODULE[placeholder][1],
|
||
|
|
).get(model_name, None)
|
||
|
|
except ImportError:
|
||
|
|
# In case a library is not installed, we don't want to fail the docstring generation
|
||
|
|
place_holder_value = None
|
||
|
|
if place_holder_value is not None:
|
||
|
|
if isinstance(place_holder_value, (list, tuple)):
|
||
|
|
place_holder_value = (
|
||
|
|
place_holder_value[-1] if place_holder_value[-1] is not None else place_holder_value[0]
|
||
|
|
)
|
||
|
|
placeholders_dict[placeholder] = place_holder_value if place_holder_value is not None else placeholder
|
||
|
|
else:
|
||
|
|
placeholders_dict[placeholder] = placeholder
|
||
|
|
|
||
|
|
return placeholders_dict
|
||
|
|
|
||
|
|
|
||
|
|
def format_args_docstring(docstring: str, model_name: str) -> str:
|
||
|
|
"""
|
||
|
|
Replaces placeholders such as {image_processor_class} in the docstring with the actual values,
|
||
|
|
deducted from the model name and the auto modules.
|
||
|
|
"""
|
||
|
|
# first check if there are any placeholders in the docstring, if not return it as is
|
||
|
|
placeholders = set(re.findall(r"{(.*?)}", docstring))
|
||
|
|
if not placeholders:
|
||
|
|
return docstring
|
||
|
|
|
||
|
|
# get the placeholders dictionary for the given model name
|
||
|
|
placeholders_dict = get_placeholders_dict(placeholders, model_name)
|
||
|
|
# replace the placeholders in the docstring with the values from the placeholders_dict
|
||
|
|
for placeholder, value in placeholders_dict.items():
|
||
|
|
if placeholder is not None:
|
||
|
|
docstring = docstring.replace(f"{{{placeholder}}}", value)
|
||
|
|
return docstring
|
||
|
|
|
||
|
|
|
||
|
|
def get_args_doc_from_source(args_classes: object | list[object]) -> dict:
|
||
|
|
if isinstance(args_classes, (list, tuple)):
|
||
|
|
args_classes_dict = {}
|
||
|
|
for args_class in args_classes:
|
||
|
|
args_classes_dict.update(args_class.__dict__)
|
||
|
|
return args_classes_dict
|
||
|
|
return args_classes.__dict__
|
||
|
|
|
||
|
|
|
||
|
|
def get_checkpoint_from_config_class(config_class):
|
||
|
|
checkpoint = None
|
||
|
|
|
||
|
|
# source code of `config_class`
|
||
|
|
# config_source = inspect.getsource(config_class)
|
||
|
|
config_source = config_class.__doc__
|
||
|
|
checkpoints = _re_checkpoint.findall(config_source)
|
||
|
|
# Each `checkpoint` is a tuple of a checkpoint name and a checkpoint link.
|
||
|
|
# For example, `('google-bert/bert-base-uncased', 'https://huggingface.co/google-bert/bert-base-uncased')`
|
||
|
|
for ckpt_name, ckpt_link in checkpoints:
|
||
|
|
# allow the link to end with `/`
|
||
|
|
ckpt_link = ckpt_link.removesuffix("/")
|
||
|
|
|
||
|
|
# verify the checkpoint name corresponds to the checkpoint link
|
||
|
|
ckpt_link_from_name = f"https://huggingface.co/{ckpt_name}"
|
||
|
|
if ckpt_link == ckpt_link_from_name:
|
||
|
|
checkpoint = ckpt_name
|
||
|
|
break
|
||
|
|
|
||
|
|
return checkpoint
|
||
|
|
|
||
|
|
|
||
|
|
def add_intro_docstring(func, class_name, indent_level=0):
|
||
|
|
intro_docstring = ""
|
||
|
|
if func.__name__ == "forward":
|
||
|
|
intro_docstring = rf"""The [`{class_name}`] forward method, overrides the `__call__` special method.
|
||
|
|
|
||
|
|
<Tip>
|
||
|
|
|
||
|
|
Although the recipe for forward pass needs to be defined within this function, one should call the [`Module`]
|
||
|
|
instance afterwards instead of this since the former takes care of running the pre and post processing steps while
|
||
|
|
the latter silently ignores them.
|
||
|
|
|
||
|
|
</Tip>
|
||
|
|
|
||
|
|
"""
|
||
|
|
intro_docstring = equalize_indent(intro_docstring, indent_level + 4)
|
||
|
|
|
||
|
|
return intro_docstring
|
||
|
|
|
||
|
|
|
||
|
|
def _get_model_info(func, parent_class):
|
||
|
|
"""
|
||
|
|
Extract model information from a function or its parent class.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func (`function`): The function to extract information from
|
||
|
|
parent_class (`class`): Optional parent class of the function
|
||
|
|
"""
|
||
|
|
# import here to avoid circular import
|
||
|
|
from transformers.models import auto as auto_module
|
||
|
|
|
||
|
|
# Get model name from either parent class or function
|
||
|
|
if parent_class is not None:
|
||
|
|
model_name_lowercase = get_model_name(parent_class)
|
||
|
|
else:
|
||
|
|
model_name_lowercase = get_model_name(func)
|
||
|
|
|
||
|
|
# Normalize model name if needed
|
||
|
|
if model_name_lowercase and model_name_lowercase not in getattr(
|
||
|
|
getattr(auto_module, PLACEHOLDER_TO_AUTO_MODULE["config_class"][0]),
|
||
|
|
PLACEHOLDER_TO_AUTO_MODULE["config_class"][1],
|
||
|
|
):
|
||
|
|
model_name_lowercase = model_name_lowercase.replace("_", "-")
|
||
|
|
|
||
|
|
# Get class name from function's qualified name
|
||
|
|
class_name = func.__qualname__.split(".")[0]
|
||
|
|
|
||
|
|
# Get config class for the model
|
||
|
|
if model_name_lowercase is None:
|
||
|
|
config_class = None
|
||
|
|
else:
|
||
|
|
try:
|
||
|
|
config_class = getattr(
|
||
|
|
getattr(auto_module, PLACEHOLDER_TO_AUTO_MODULE["config_class"][0]),
|
||
|
|
PLACEHOLDER_TO_AUTO_MODULE["config_class"][1],
|
||
|
|
)[model_name_lowercase]
|
||
|
|
except KeyError:
|
||
|
|
if model_name_lowercase in HARDCODED_CONFIG_FOR_MODELS:
|
||
|
|
config_class = HARDCODED_CONFIG_FOR_MODELS[model_name_lowercase]
|
||
|
|
else:
|
||
|
|
config_class = "ModelConfig"
|
||
|
|
print(
|
||
|
|
f"[ERROR] Config not found for {model_name_lowercase}. You can manually add it to HARDCODED_CONFIG_FOR_MODELS in utils/auto_docstring.py"
|
||
|
|
)
|
||
|
|
|
||
|
|
return model_name_lowercase, class_name, config_class
|
||
|
|
|
||
|
|
|
||
|
|
def _process_parameter_type(param):
|
||
|
|
"""
|
||
|
|
Process and format a parameter's type annotation.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
param (`inspect.Parameter`): The parameter from the function signature
|
||
|
|
"""
|
||
|
|
optional = False
|
||
|
|
if param.annotation == inspect.Parameter.empty:
|
||
|
|
return "", False
|
||
|
|
elif param.annotation is None:
|
||
|
|
return "None", True
|
||
|
|
# This is, astonishingly, the right way to do it: https://docs.python.org/3/library/typing.html#typing.Union
|
||
|
|
elif get_origin(param.annotation) is Union or get_origin(param.annotation) is UnionType:
|
||
|
|
subtypes = get_args(param.annotation)
|
||
|
|
else:
|
||
|
|
subtypes = [param.annotation] # Just pretend it's a single-element union so we don't need two code paths
|
||
|
|
out_str = []
|
||
|
|
for subtype in subtypes:
|
||
|
|
if subtype is type(None):
|
||
|
|
optional = True
|
||
|
|
continue
|
||
|
|
if hasattr(subtype, "__module__") and hasattr(subtype, "__name__"):
|
||
|
|
subtype = f"{subtype.__module__.replace('transformers.', '~').replace('builtins', '').replace('typing.', '')}.{subtype.__name__}".removeprefix(
|
||
|
|
"."
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
subtype = str(subtype) # Just give up
|
||
|
|
if "ForwardRef" in subtype:
|
||
|
|
subtype = re.sub(r"ForwardRef\('([\w.]+)'\)", r"\1", subtype)
|
||
|
|
out_str.append(subtype)
|
||
|
|
|
||
|
|
if param.default is not inspect.Parameter.empty:
|
||
|
|
optional = True
|
||
|
|
if not out_str:
|
||
|
|
return "", optional
|
||
|
|
elif len(out_str) == 1:
|
||
|
|
return out_str[0], optional
|
||
|
|
else:
|
||
|
|
return f"Union[{', '.join(out_str)}]", optional
|
||
|
|
|
||
|
|
|
||
|
|
def _get_parameter_info(param_name, documented_params, source_args_dict, param_type, optional):
|
||
|
|
"""
|
||
|
|
Get parameter documentation details from the appropriate source.
|
||
|
|
Tensor shape, optional status and description are taken from the custom docstring in priority if available.
|
||
|
|
Type is taken from the function signature first, then from the custom docstring if missing from the signature
|
||
|
|
|
||
|
|
Args:
|
||
|
|
param_name (`str`): Name of the parameter
|
||
|
|
documented_params (`dict`): Dictionary of documented parameters (manually specified in the docstring)
|
||
|
|
source_args_dict (`dict`): Default source args dictionary to use if not in documented_params
|
||
|
|
param_type (`str`): Current parameter type (may be updated)
|
||
|
|
optional (`bool`): Whether the parameter is optional (may be updated)
|
||
|
|
"""
|
||
|
|
description = None
|
||
|
|
shape = None
|
||
|
|
shape_string = ""
|
||
|
|
is_documented = True
|
||
|
|
additional_info = None
|
||
|
|
optional_string = r", *optional*" if optional else ""
|
||
|
|
|
||
|
|
if param_name in documented_params:
|
||
|
|
# Parameter is documented in the function's docstring
|
||
|
|
if (
|
||
|
|
param_type == ""
|
||
|
|
and documented_params[param_name].get("type", None) is not None
|
||
|
|
or documented_params[param_name]["additional_info"]
|
||
|
|
):
|
||
|
|
param_type = documented_params[param_name]["type"]
|
||
|
|
optional = documented_params[param_name]["optional"]
|
||
|
|
shape = documented_params[param_name].get("shape", None)
|
||
|
|
shape_string = shape if shape else ""
|
||
|
|
additional_info = documented_params[param_name]["additional_info"] or ""
|
||
|
|
description = f"{documented_params[param_name]['description']}\n"
|
||
|
|
elif param_name in source_args_dict:
|
||
|
|
# Parameter is documented in ModelArgs or ImageProcessorArgs
|
||
|
|
param_type = source_args_dict[param_name].get("type", param_type)
|
||
|
|
shape = source_args_dict[param_name].get("shape", None)
|
||
|
|
shape_string = " " + shape if shape else ""
|
||
|
|
description = source_args_dict[param_name]["description"]
|
||
|
|
additional_info = source_args_dict[param_name].get("additional_info", None)
|
||
|
|
if additional_info:
|
||
|
|
additional_info = shape_string + optional_string + ", " + additional_info
|
||
|
|
else:
|
||
|
|
# Parameter is not documented
|
||
|
|
is_documented = False
|
||
|
|
|
||
|
|
return param_type, optional_string, shape_string, additional_info, description, is_documented
|
||
|
|
|
||
|
|
|
||
|
|
def _process_regular_parameters(
|
||
|
|
sig, func, class_name, documented_params, indent_level, undocumented_parameters, source_args_dict, parent_class
|
||
|
|
):
|
||
|
|
"""
|
||
|
|
Process all regular parameters (not kwargs parameters) from the function signature.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
sig (`inspect.Signature`): Function signature
|
||
|
|
func (`function`): Function the parameters belong to
|
||
|
|
class_name (`str`): Name of the class
|
||
|
|
documented_params (`dict`): Dictionary of parameters that are already documented
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
undocumented_parameters (`list`): List to append undocumented parameters to
|
||
|
|
"""
|
||
|
|
docstring = ""
|
||
|
|
# Check if this is a processor by inspecting class hierarchy
|
||
|
|
is_processor = _is_processor_class(func, parent_class)
|
||
|
|
|
||
|
|
# Use appropriate args source based on whether it's a processor or not
|
||
|
|
if source_args_dict is None:
|
||
|
|
if is_processor:
|
||
|
|
source_args_dict = get_args_doc_from_source([ModelArgs, ImageProcessorArgs, ProcessorArgs])
|
||
|
|
else:
|
||
|
|
source_args_dict = get_args_doc_from_source([ModelArgs, ImageProcessorArgs])
|
||
|
|
|
||
|
|
missing_args = {}
|
||
|
|
|
||
|
|
for param_name, param in sig.parameters.items():
|
||
|
|
# Skip parameters that should be ignored
|
||
|
|
if (
|
||
|
|
param_name in ARGS_TO_IGNORE
|
||
|
|
or param.kind == inspect.Parameter.VAR_POSITIONAL
|
||
|
|
or param.kind == inspect.Parameter.VAR_KEYWORD
|
||
|
|
):
|
||
|
|
continue
|
||
|
|
|
||
|
|
# Process parameter type and optional status
|
||
|
|
param_type, optional = _process_parameter_type(param)
|
||
|
|
|
||
|
|
# Check for default value
|
||
|
|
param_default = ""
|
||
|
|
if param.default != inspect._empty and param.default is not None:
|
||
|
|
param_default = f", defaults to `{str(param.default)}`"
|
||
|
|
|
||
|
|
param_type, optional_string, shape_string, additional_info, description, is_documented = _get_parameter_info(
|
||
|
|
param_name, documented_params, source_args_dict, param_type, optional
|
||
|
|
)
|
||
|
|
|
||
|
|
if is_documented:
|
||
|
|
if param_name == "config":
|
||
|
|
if param_type == "":
|
||
|
|
param_type = f"[`{class_name}`]"
|
||
|
|
else:
|
||
|
|
param_type = f"[`{param_type.split('.')[-1]}`]"
|
||
|
|
# elif param_type == "" and False: # TODO: Enforce typing for all parameters
|
||
|
|
# print(f"[ERROR] {param_name} for {func.__qualname__} in file {func.__code__.co_filename} has no type")
|
||
|
|
param_type = param_type if "`" in param_type else f"`{param_type}`"
|
||
|
|
# Format the parameter docstring
|
||
|
|
if additional_info:
|
||
|
|
param_docstring = f"{param_name} ({param_type}{additional_info}):{description}"
|
||
|
|
else:
|
||
|
|
param_docstring = (
|
||
|
|
f"{param_name} ({param_type}{shape_string}{optional_string}{param_default}):{description}"
|
||
|
|
)
|
||
|
|
docstring += set_min_indent(
|
||
|
|
param_docstring,
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
missing_args[param_name] = {
|
||
|
|
"type": param_type if param_type else "<fill_type>",
|
||
|
|
"optional": optional,
|
||
|
|
"shape": shape_string,
|
||
|
|
"description": description if description else "\n <fill_description>",
|
||
|
|
"default": param_default,
|
||
|
|
}
|
||
|
|
undocumented_parameters.append(
|
||
|
|
f"[ERROR] `{param_name}` is part of {func.__qualname__}'s signature, but not documented. Make sure to add it to the docstring of the function in {func.__code__.co_filename}."
|
||
|
|
)
|
||
|
|
|
||
|
|
return docstring, missing_args
|
||
|
|
|
||
|
|
|
||
|
|
def find_sig_line(lines, line_end):
|
||
|
|
parenthesis_count = 0
|
||
|
|
sig_line_end = line_end
|
||
|
|
found_sig = False
|
||
|
|
while not found_sig:
|
||
|
|
for char in lines[sig_line_end]:
|
||
|
|
if char == "(":
|
||
|
|
parenthesis_count += 1
|
||
|
|
elif char == ")":
|
||
|
|
parenthesis_count -= 1
|
||
|
|
if parenthesis_count == 0:
|
||
|
|
found_sig = True
|
||
|
|
break
|
||
|
|
sig_line_end += 1
|
||
|
|
return sig_line_end
|
||
|
|
|
||
|
|
|
||
|
|
def _is_processor_class(func, parent_class):
|
||
|
|
"""
|
||
|
|
Check if a function belongs to a ProcessorMixin class.
|
||
|
|
|
||
|
|
Uses two methods:
|
||
|
|
1. Check parent_class inheritance (if provided)
|
||
|
|
2. Check if the source file is named processing_*.py (multimodal processors)
|
||
|
|
vs image_processing_*.py, video_processing_*.py, etc. (single-modality processors)
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func: The function to check
|
||
|
|
parent_class: Optional parent class (if available)
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
bool: True if this is a multimodal processor (inherits from ProcessorMixin), False otherwise
|
||
|
|
"""
|
||
|
|
# First, check if parent_class is provided and use it
|
||
|
|
if parent_class is not None:
|
||
|
|
return "ProcessorMixin" in parent_class.__name__ or any(
|
||
|
|
"ProcessorMixin" in base.__name__ for base in parent_class.__mro__
|
||
|
|
)
|
||
|
|
|
||
|
|
# If parent_class is None, check the filename
|
||
|
|
# Multimodal processors are in files named "processing_*.py"
|
||
|
|
# Single-modality processors are in "image_processing_*.py", "video_processing_*.py", etc.
|
||
|
|
try:
|
||
|
|
source_file = inspect.getsourcefile(func)
|
||
|
|
except TypeError:
|
||
|
|
return False
|
||
|
|
if not source_file:
|
||
|
|
return False
|
||
|
|
|
||
|
|
filename = os.path.basename(source_file)
|
||
|
|
|
||
|
|
# Multimodal processors are implemented in processing_*.py modules
|
||
|
|
# (single-modality processors use image_processing_*, video_processing_*, etc.)self.
|
||
|
|
return filename.startswith("processing_") and filename.endswith(".py")
|
||
|
|
|
||
|
|
|
||
|
|
def _process_kwargs_parameters(sig, func, parent_class, documented_kwargs, indent_level, undocumented_parameters):
|
||
|
|
"""
|
||
|
|
Process **kwargs parameters if needed.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
sig (`inspect.Signature`): Function signature
|
||
|
|
func (`function`): Function the parameters belong to
|
||
|
|
parent_class (`class`): Parent class of the function
|
||
|
|
documented_kwargs (`dict`): Dictionary of kwargs that are already documented
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
undocumented_parameters (`list`): List to append undocumented parameters to
|
||
|
|
"""
|
||
|
|
docstring = ""
|
||
|
|
|
||
|
|
# Check if this is a processor by inspecting class hierarchy
|
||
|
|
is_processor = _is_processor_class(func, parent_class)
|
||
|
|
|
||
|
|
# Use appropriate args source based on whether it's a processor or not
|
||
|
|
if is_processor:
|
||
|
|
source_args_dict = get_args_doc_from_source([ImageProcessorArgs, ProcessorArgs])
|
||
|
|
else:
|
||
|
|
source_args_dict = get_args_doc_from_source(ImageProcessorArgs)
|
||
|
|
|
||
|
|
# Check if we need to add typed kwargs description to the docstring
|
||
|
|
unroll_kwargs = func.__name__ in UNROLL_KWARGS_METHODS
|
||
|
|
if not unroll_kwargs and parent_class is not None:
|
||
|
|
# Check if the function has a parent class with unroll kwargs
|
||
|
|
unroll_kwargs = any(
|
||
|
|
unroll_kwargs_class in parent_class.__name__ for unroll_kwargs_class in UNROLL_KWARGS_CLASSES
|
||
|
|
)
|
||
|
|
if unroll_kwargs:
|
||
|
|
# get all unpackable "kwargs" parameters
|
||
|
|
kwargs_parameters = [
|
||
|
|
kwargs_param
|
||
|
|
for _, kwargs_param in sig.parameters.items()
|
||
|
|
if kwargs_param.kind == inspect.Parameter.VAR_KEYWORD
|
||
|
|
]
|
||
|
|
for kwarg_param in kwargs_parameters:
|
||
|
|
# If kwargs not typed, skip
|
||
|
|
if kwarg_param.annotation == inspect.Parameter.empty:
|
||
|
|
continue
|
||
|
|
|
||
|
|
# Extract documentation for kwargs
|
||
|
|
kwargs_documentation = kwarg_param.annotation.__args__[0].__doc__
|
||
|
|
if kwargs_documentation is not None:
|
||
|
|
documented_kwargs = parse_docstring(kwargs_documentation)[0]
|
||
|
|
|
||
|
|
# Process each kwarg parameter
|
||
|
|
for param_name, param_type_annotation in kwarg_param.annotation.__args__[0].__annotations__.items():
|
||
|
|
# Handle nested kwargs structures for processors
|
||
|
|
if is_processor and param_name.endswith("_kwargs"):
|
||
|
|
# Check if this is a basic kwargs type that should be skipped
|
||
|
|
# Basic kwargs types are generic containers that shouldn't be documented as individual params
|
||
|
|
basic_kwargs_types = ["TextKwargs", "ImagesKwargs", "VideosKwargs", "AudioKwargs"]
|
||
|
|
|
||
|
|
# Get the actual type (unwrap Optional if needed)
|
||
|
|
actual_type = param_type_annotation
|
||
|
|
type_name = getattr(param_type_annotation, "__name__", None)
|
||
|
|
if type_name is None and hasattr(param_type_annotation, "__origin__"):
|
||
|
|
# Handle Optional[Type] or Union cases
|
||
|
|
args = getattr(param_type_annotation, "__args__", ())
|
||
|
|
for arg in args:
|
||
|
|
if arg is not type(None):
|
||
|
|
actual_type = arg
|
||
|
|
type_name = getattr(arg, "__name__", None)
|
||
|
|
break
|
||
|
|
|
||
|
|
# Skip only if it's one of the basic kwargs types
|
||
|
|
if type_name in basic_kwargs_types:
|
||
|
|
continue
|
||
|
|
|
||
|
|
# Otherwise, unroll the custom typed kwargs
|
||
|
|
# Get the nested TypedDict's annotations
|
||
|
|
if hasattr(actual_type, "__annotations__"):
|
||
|
|
nested_kwargs_doc = getattr(actual_type, "__doc__", None)
|
||
|
|
documented_nested_kwargs = {}
|
||
|
|
if nested_kwargs_doc:
|
||
|
|
documented_nested_kwargs = parse_docstring(nested_kwargs_doc)[0]
|
||
|
|
|
||
|
|
# Only process fields that are documented in the custom kwargs class's own docstring
|
||
|
|
# This prevents showing too many inherited parameters
|
||
|
|
if not documented_nested_kwargs:
|
||
|
|
# No documentation in the custom kwargs class, skip unrolling
|
||
|
|
continue
|
||
|
|
|
||
|
|
# Process each field in the custom typed kwargs
|
||
|
|
for nested_param_name, nested_param_type in actual_type.__annotations__.items():
|
||
|
|
# Only document parameters that are explicitly documented in the TypedDict's docstring
|
||
|
|
if nested_param_name not in documented_nested_kwargs:
|
||
|
|
continue
|
||
|
|
nested_param_type_str = str(nested_param_type)
|
||
|
|
nested_optional = False
|
||
|
|
|
||
|
|
# Process parameter type
|
||
|
|
if "typing" in nested_param_type_str:
|
||
|
|
nested_param_type_str = "".join(nested_param_type_str.split("typing.")).replace(
|
||
|
|
"transformers.", "~"
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
nested_param_type_str = f"{nested_param_type_str.replace('transformers.', '~').replace('builtins', '')}.{nested_param_name}"
|
||
|
|
if "ForwardRef" in nested_param_type_str:
|
||
|
|
nested_param_type_str = re.sub(
|
||
|
|
r"ForwardRef\('([\w.]+)'\)", r"\1", nested_param_type_str
|
||
|
|
)
|
||
|
|
if "Optional" in nested_param_type_str:
|
||
|
|
nested_param_type_str = re.sub(r"Optional\[(.*?)\]", r"\1", nested_param_type_str)
|
||
|
|
nested_optional = True
|
||
|
|
|
||
|
|
# Check for default value
|
||
|
|
nested_param_default = ""
|
||
|
|
if parent_class is not None:
|
||
|
|
nested_param_default = str(getattr(parent_class, nested_param_name, ""))
|
||
|
|
nested_param_default = (
|
||
|
|
f", defaults to `{nested_param_default}`" if nested_param_default != "" else ""
|
||
|
|
)
|
||
|
|
|
||
|
|
# Only use the TypedDict's own docstring, not source_args_dict
|
||
|
|
# This prevents pulling in too many inherited parameters
|
||
|
|
(
|
||
|
|
nested_param_type_str,
|
||
|
|
nested_optional_string,
|
||
|
|
nested_shape_string,
|
||
|
|
nested_additional_info,
|
||
|
|
nested_description,
|
||
|
|
nested_is_documented,
|
||
|
|
) = _get_parameter_info(
|
||
|
|
nested_param_name,
|
||
|
|
documented_nested_kwargs,
|
||
|
|
{}, # Empty dict - only use TypedDict's own docstring
|
||
|
|
nested_param_type_str,
|
||
|
|
nested_optional,
|
||
|
|
)
|
||
|
|
|
||
|
|
# nested_is_documented should always be True here since we filter for it above
|
||
|
|
# Check if type is missing
|
||
|
|
if nested_param_type_str == "":
|
||
|
|
print(
|
||
|
|
f"🚨 {nested_param_name} for {type_name} in file {func.__code__.co_filename} has no type"
|
||
|
|
)
|
||
|
|
nested_param_type_str = (
|
||
|
|
nested_param_type_str if "`" in nested_param_type_str else f"`{nested_param_type_str}`"
|
||
|
|
)
|
||
|
|
# Format the parameter docstring
|
||
|
|
if nested_additional_info:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{nested_param_name} ({nested_param_type_str}{nested_additional_info}):{nested_description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{nested_param_name} ({nested_param_type_str}{nested_shape_string}{nested_optional_string}{nested_param_default}):{nested_description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
|
||
|
|
# Skip processing the _kwargs parameter itself since we've processed its contents
|
||
|
|
continue
|
||
|
|
else:
|
||
|
|
# If we can't get annotations, skip this parameter
|
||
|
|
continue
|
||
|
|
|
||
|
|
param_type = str(param_type_annotation)
|
||
|
|
optional = False
|
||
|
|
|
||
|
|
# Process parameter type
|
||
|
|
if "typing" in param_type:
|
||
|
|
param_type = "".join(param_type.split("typing.")).replace("transformers.", "~")
|
||
|
|
else:
|
||
|
|
param_type = f"{param_type.replace('transformers.', '~').replace('builtins', '')}.{param_name}"
|
||
|
|
if "ForwardRef" in param_type:
|
||
|
|
param_type = re.sub(r"ForwardRef\('([\w.]+)'\)", r"\1", param_type)
|
||
|
|
if "Optional" in param_type:
|
||
|
|
param_type = re.sub(r"Optional\[(.*?)\]", r"\1", param_type)
|
||
|
|
optional = True
|
||
|
|
|
||
|
|
# Check for default value
|
||
|
|
param_default = ""
|
||
|
|
if parent_class is not None:
|
||
|
|
param_default = str(getattr(parent_class, param_name, ""))
|
||
|
|
param_default = f", defaults to `{param_default}`" if param_default != "" else ""
|
||
|
|
|
||
|
|
param_type, optional_string, shape_string, additional_info, description, is_documented = (
|
||
|
|
_get_parameter_info(param_name, documented_kwargs, source_args_dict, param_type, optional)
|
||
|
|
)
|
||
|
|
|
||
|
|
if is_documented:
|
||
|
|
# Check if type is missing
|
||
|
|
if param_type == "":
|
||
|
|
print(
|
||
|
|
f"[ERROR] {param_name} for {kwarg_param.annotation.__args__[0].__qualname__} in file {func.__code__.co_filename} has no type"
|
||
|
|
)
|
||
|
|
param_type = param_type if "`" in param_type else f"`{param_type}`"
|
||
|
|
# Format the parameter docstring
|
||
|
|
if additional_info:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{param_name} ({param_type}{additional_info}):{description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{param_name} ({param_type}{shape_string}{optional_string}{param_default}):{description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
undocumented_parameters.append(
|
||
|
|
f"[ERROR] `{param_name}` is part of {kwarg_param.annotation.__args__[0].__qualname__}, but not documented. Make sure to add it to the docstring of the function in {func.__code__.co_filename}."
|
||
|
|
)
|
||
|
|
|
||
|
|
return docstring
|
||
|
|
|
||
|
|
|
||
|
|
def _add_return_tensors_for_processor_call(func, parent_class, docstring, indent_level):
|
||
|
|
"""
|
||
|
|
Add return_tensors parameter documentation for processor __call__ methods if not already present.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func (`function`): Function being processed
|
||
|
|
parent_class (`class`): Parent class of the function
|
||
|
|
docstring (`str`): Current docstring being built
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
str: Updated docstring with return_tensors if applicable
|
||
|
|
"""
|
||
|
|
# Check if this is a processor __call__ method
|
||
|
|
is_processor_call = False
|
||
|
|
if func.__name__ == "__call__":
|
||
|
|
# Check if this is a processor by inspecting class hierarchy
|
||
|
|
is_processor_call = _is_processor_class(func, parent_class)
|
||
|
|
|
||
|
|
# If it's a processor __call__ method and return_tensors is not already documented
|
||
|
|
if is_processor_call and "return_tensors" not in docstring:
|
||
|
|
# Get the return_tensors documentation from ImageProcessorArgs
|
||
|
|
source_args_dict = get_args_doc_from_source(ProcessorArgs)
|
||
|
|
return_tensors_info = source_args_dict["return_tensors"]
|
||
|
|
param_type = return_tensors_info.get("type", "`str` or [`~utils.TensorType`]")
|
||
|
|
description = return_tensors_info["description"]
|
||
|
|
|
||
|
|
# Format the parameter type
|
||
|
|
param_type = param_type if "`" in param_type else f"`{param_type}`"
|
||
|
|
|
||
|
|
# Format the parameter docstring
|
||
|
|
param_docstring = f"return_tensors ({param_type}, *optional*):{description}"
|
||
|
|
docstring += set_min_indent(param_docstring, indent_level + 8)
|
||
|
|
|
||
|
|
return docstring
|
||
|
|
|
||
|
|
|
||
|
|
def _process_parameters_section(
|
||
|
|
func_documentation, sig, func, class_name, model_name_lowercase, parent_class, indent_level, source_args_dict
|
||
|
|
):
|
||
|
|
"""
|
||
|
|
Process the parameters section of the docstring.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func_documentation (`str`): Existing function documentation (manually specified in the docstring)
|
||
|
|
sig (`inspect.Signature`): Function signature
|
||
|
|
func (`function`): Function the parameters belong to
|
||
|
|
class_name (`str`): Name of the class the function belongs to
|
||
|
|
model_name_lowercase (`str`): Lowercase model name
|
||
|
|
parent_class (`class`): Parent class of the function (if any)
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
"""
|
||
|
|
# Start Args section
|
||
|
|
docstring = set_min_indent("Args:\n", indent_level + 4)
|
||
|
|
undocumented_parameters = []
|
||
|
|
documented_params = {}
|
||
|
|
documented_kwargs = {}
|
||
|
|
|
||
|
|
# Parse existing docstring if available
|
||
|
|
if func_documentation is not None:
|
||
|
|
documented_params, func_documentation = parse_docstring(func_documentation)
|
||
|
|
|
||
|
|
# Process regular parameters
|
||
|
|
param_docstring, missing_args = _process_regular_parameters(
|
||
|
|
sig, func, class_name, documented_params, indent_level, undocumented_parameters, source_args_dict, parent_class
|
||
|
|
)
|
||
|
|
docstring += param_docstring
|
||
|
|
|
||
|
|
# Process **kwargs parameters if needed
|
||
|
|
kwargs_docstring = _process_kwargs_parameters(
|
||
|
|
sig, func, parent_class, documented_kwargs, indent_level, undocumented_parameters
|
||
|
|
)
|
||
|
|
docstring += kwargs_docstring
|
||
|
|
|
||
|
|
# Add return_tensors for processor __call__ methods if not already present
|
||
|
|
docstring = _add_return_tensors_for_processor_call(func, parent_class, docstring, indent_level)
|
||
|
|
|
||
|
|
# Report undocumented parameters
|
||
|
|
if len(undocumented_parameters) > 0:
|
||
|
|
print("\n".join(undocumented_parameters))
|
||
|
|
|
||
|
|
return docstring
|
||
|
|
|
||
|
|
|
||
|
|
def _process_returns_section(func_documentation, sig, config_class, indent_level):
|
||
|
|
"""
|
||
|
|
Process the returns section of the docstring.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func_documentation (`str`): Existing function documentation (manually specified in the docstring)
|
||
|
|
sig (`inspect.Signature`): Function signature
|
||
|
|
config_class (`str`): Config class for the model
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
"""
|
||
|
|
return_docstring = ""
|
||
|
|
|
||
|
|
# Extract returns section from existing docstring if available
|
||
|
|
if (
|
||
|
|
func_documentation is not None
|
||
|
|
and (match_start := re.search(r"(?m)^([ \t]*)(?=Return)", func_documentation)) is not None
|
||
|
|
):
|
||
|
|
match_end = re.search(r"(?m)^([ \t]*)(?=Example)", func_documentation)
|
||
|
|
if match_end:
|
||
|
|
return_docstring = func_documentation[match_start.start() : match_end.start()]
|
||
|
|
func_documentation = func_documentation[match_end.start() :]
|
||
|
|
else:
|
||
|
|
return_docstring = func_documentation[match_start.start() :]
|
||
|
|
func_documentation = ""
|
||
|
|
return_docstring = set_min_indent(return_docstring, indent_level + 4)
|
||
|
|
# Otherwise, generate return docstring from return annotation if available
|
||
|
|
elif sig.return_annotation is not None and sig.return_annotation != inspect._empty:
|
||
|
|
add_intro, return_annotation = contains_type(sig.return_annotation, ModelOutput)
|
||
|
|
return_docstring = _prepare_output_docstrings(return_annotation, config_class, add_intro=add_intro)
|
||
|
|
return_docstring = return_docstring.replace("typing.", "")
|
||
|
|
return_docstring = set_min_indent(return_docstring, indent_level + 4)
|
||
|
|
|
||
|
|
return return_docstring, func_documentation
|
||
|
|
|
||
|
|
|
||
|
|
def _process_example_section(
|
||
|
|
func_documentation, func, parent_class, class_name, model_name_lowercase, config_class, checkpoint, indent_level
|
||
|
|
):
|
||
|
|
"""
|
||
|
|
Process the example section of the docstring.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
func_documentation (`str`): Existing function documentation (manually specified in the docstring)
|
||
|
|
func (`function`): Function being processed
|
||
|
|
parent_class (`class`): Parent class of the function
|
||
|
|
class_name (`str`): Name of the class
|
||
|
|
model_name_lowercase (`str`): Lowercase model name
|
||
|
|
config_class (`str`): Config class for the model
|
||
|
|
checkpoint: Checkpoint to use in examples
|
||
|
|
indent_level (`int`): Indentation level
|
||
|
|
"""
|
||
|
|
# Import here to avoid circular import
|
||
|
|
from transformers.models import auto as auto_module
|
||
|
|
|
||
|
|
example_docstring = ""
|
||
|
|
|
||
|
|
# Use existing example section if available
|
||
|
|
if func_documentation is not None and (match := re.search(r"(?m)^([ \t]*)(?=Example)", func_documentation)):
|
||
|
|
example_docstring = func_documentation[match.start() :]
|
||
|
|
example_docstring = "\n" + set_min_indent(example_docstring, indent_level + 4)
|
||
|
|
# Skip examples for processors
|
||
|
|
elif _is_processor_class(func, parent_class):
|
||
|
|
# Processors don't get auto-generated examples
|
||
|
|
return example_docstring
|
||
|
|
# No examples for __init__ methods or if the class is not a model
|
||
|
|
elif parent_class is None and model_name_lowercase is not None:
|
||
|
|
task = rf"({'|'.join(PT_SAMPLE_DOCSTRINGS.keys())})"
|
||
|
|
model_task = re.search(task, class_name)
|
||
|
|
CONFIG_MAPPING = auto_module.configuration_auto.CONFIG_MAPPING
|
||
|
|
|
||
|
|
# Get checkpoint example
|
||
|
|
if (checkpoint_example := checkpoint) is None:
|
||
|
|
try:
|
||
|
|
checkpoint_example = get_checkpoint_from_config_class(CONFIG_MAPPING[model_name_lowercase])
|
||
|
|
except KeyError:
|
||
|
|
# For models with inconsistent lowercase model name
|
||
|
|
if model_name_lowercase in HARDCODED_CONFIG_FOR_MODELS:
|
||
|
|
CONFIG_MAPPING_NAMES = auto_module.configuration_auto.CONFIG_MAPPING_NAMES
|
||
|
|
config_class_name = HARDCODED_CONFIG_FOR_MODELS[model_name_lowercase]
|
||
|
|
if config_class_name in CONFIG_MAPPING_NAMES.values():
|
||
|
|
model_name_for_auto_config = [
|
||
|
|
k for k, v in CONFIG_MAPPING_NAMES.items() if v == config_class_name
|
||
|
|
][0]
|
||
|
|
if model_name_for_auto_config in CONFIG_MAPPING:
|
||
|
|
checkpoint_example = get_checkpoint_from_config_class(
|
||
|
|
CONFIG_MAPPING[model_name_for_auto_config]
|
||
|
|
)
|
||
|
|
|
||
|
|
# Add example based on model task
|
||
|
|
if model_task is not None:
|
||
|
|
if checkpoint_example is not None:
|
||
|
|
example_annotation = ""
|
||
|
|
task = model_task.group()
|
||
|
|
example_annotation = PT_SAMPLE_DOCSTRINGS[task].format(
|
||
|
|
model_class=class_name,
|
||
|
|
checkpoint=checkpoint_example,
|
||
|
|
expected_output="...",
|
||
|
|
expected_loss="...",
|
||
|
|
qa_target_start_index=14,
|
||
|
|
qa_target_end_index=15,
|
||
|
|
mask="<mask>",
|
||
|
|
)
|
||
|
|
example_docstring = set_min_indent(example_annotation, indent_level + 4)
|
||
|
|
else:
|
||
|
|
print(
|
||
|
|
f"[ERROR] No checkpoint found for {class_name}.{func.__name__}. Please add a `checkpoint` arg to `auto_docstring` or add one in {config_class}'s docstring"
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
# Check if the model is in a pipeline to get an example
|
||
|
|
for name_model_list_for_task in MODELS_TO_PIPELINE:
|
||
|
|
model_list_for_task = getattr(auto_module.modeling_auto, name_model_list_for_task)
|
||
|
|
if class_name in model_list_for_task.values():
|
||
|
|
pipeline_name = MODELS_TO_PIPELINE[name_model_list_for_task]
|
||
|
|
example_annotation = PIPELINE_TASKS_TO_SAMPLE_DOCSTRINGS[pipeline_name].format(
|
||
|
|
model_class=class_name,
|
||
|
|
checkpoint=checkpoint_example,
|
||
|
|
expected_output="...",
|
||
|
|
expected_loss="...",
|
||
|
|
qa_target_start_index=14,
|
||
|
|
qa_target_end_index=15,
|
||
|
|
)
|
||
|
|
example_docstring = set_min_indent(example_annotation, indent_level + 4)
|
||
|
|
break
|
||
|
|
|
||
|
|
return example_docstring
|
||
|
|
|
||
|
|
|
||
|
|
def auto_method_docstring(
|
||
|
|
func, parent_class=None, custom_intro=None, custom_args=None, checkpoint=None, source_args_dict=None
|
||
|
|
):
|
||
|
|
"""
|
||
|
|
Wrapper that automatically generates docstring.
|
||
|
|
"""
|
||
|
|
|
||
|
|
# Use inspect to retrieve the method's signature
|
||
|
|
sig = inspect.signature(func)
|
||
|
|
indent_level = get_indent_level(func) if not parent_class else get_indent_level(parent_class)
|
||
|
|
|
||
|
|
# Get model information
|
||
|
|
model_name_lowercase, class_name, config_class = _get_model_info(func, parent_class)
|
||
|
|
func_documentation = func.__doc__
|
||
|
|
if custom_args is not None and func_documentation is not None:
|
||
|
|
func_documentation = "\n" + set_min_indent(custom_args.strip("\n"), 0) + "\n" + func_documentation
|
||
|
|
elif custom_args is not None:
|
||
|
|
func_documentation = "\n" + set_min_indent(custom_args.strip("\n"), 0)
|
||
|
|
|
||
|
|
# Add intro to the docstring before args description if needed
|
||
|
|
if custom_intro is not None:
|
||
|
|
docstring = set_min_indent(custom_intro, indent_level + 4)
|
||
|
|
if not docstring.strip().endswith("\n"):
|
||
|
|
docstring += "\n"
|
||
|
|
else:
|
||
|
|
docstring = add_intro_docstring(func, class_name=class_name, indent_level=indent_level)
|
||
|
|
|
||
|
|
# Process Parameters section
|
||
|
|
docstring += _process_parameters_section(
|
||
|
|
func_documentation, sig, func, class_name, model_name_lowercase, parent_class, indent_level, source_args_dict
|
||
|
|
)
|
||
|
|
|
||
|
|
# Process Returns section
|
||
|
|
return_docstring, func_documentation = _process_returns_section(
|
||
|
|
func_documentation, sig, config_class, indent_level
|
||
|
|
)
|
||
|
|
docstring += return_docstring
|
||
|
|
|
||
|
|
# Process Example section
|
||
|
|
example_docstring = _process_example_section(
|
||
|
|
func_documentation,
|
||
|
|
func,
|
||
|
|
parent_class,
|
||
|
|
class_name,
|
||
|
|
model_name_lowercase,
|
||
|
|
config_class,
|
||
|
|
checkpoint,
|
||
|
|
indent_level,
|
||
|
|
)
|
||
|
|
docstring += example_docstring
|
||
|
|
|
||
|
|
# Format the docstring with the placeholders
|
||
|
|
docstring = format_args_docstring(docstring, model_name_lowercase)
|
||
|
|
|
||
|
|
# Assign the dynamically generated docstring to the wrapper function
|
||
|
|
func.__doc__ = docstring
|
||
|
|
return func
|
||
|
|
|
||
|
|
|
||
|
|
def auto_class_docstring(cls, custom_intro=None, custom_args=None, checkpoint=None):
|
||
|
|
"""
|
||
|
|
Wrapper that automatically generates a docstring for classes based on their attributes and methods.
|
||
|
|
"""
|
||
|
|
# import here to avoid circular import
|
||
|
|
from transformers.models import auto as auto_module
|
||
|
|
|
||
|
|
is_dataclass = False
|
||
|
|
is_processor = False
|
||
|
|
docstring_init = ""
|
||
|
|
docstring_args = ""
|
||
|
|
if "PreTrainedModel" in (x.__name__ for x in cls.__mro__):
|
||
|
|
docstring_init = auto_method_docstring(
|
||
|
|
cls.__init__, parent_class=cls, custom_args=custom_args, checkpoint=checkpoint
|
||
|
|
).__doc__.replace("Args:", "Parameters:")
|
||
|
|
elif "ProcessorMixin" in (x.__name__ for x in cls.__mro__):
|
||
|
|
is_processor = True
|
||
|
|
docstring_init = auto_method_docstring(
|
||
|
|
cls.__init__,
|
||
|
|
parent_class=cls,
|
||
|
|
custom_args=custom_args,
|
||
|
|
checkpoint=checkpoint,
|
||
|
|
source_args_dict=get_args_doc_from_source([ModelArgs, ImageProcessorArgs, ProcessorArgs]),
|
||
|
|
).__doc__.replace("Args:", "Parameters:")
|
||
|
|
elif "ModelOutput" in (x.__name__ for x in cls.__mro__):
|
||
|
|
# We have a data class
|
||
|
|
is_dataclass = True
|
||
|
|
doc_class = cls.__doc__
|
||
|
|
if custom_args is None and doc_class:
|
||
|
|
custom_args = doc_class
|
||
|
|
docstring_args = auto_method_docstring(
|
||
|
|
cls.__init__,
|
||
|
|
parent_class=cls,
|
||
|
|
custom_args=custom_args,
|
||
|
|
checkpoint=checkpoint,
|
||
|
|
source_args_dict=get_args_doc_from_source(ModelOutputArgs),
|
||
|
|
).__doc__
|
||
|
|
indent_level = get_indent_level(cls)
|
||
|
|
model_name_lowercase = get_model_name(cls)
|
||
|
|
model_name_title = " ".join([k.title() for k in model_name_lowercase.split("_")]) if model_name_lowercase else None
|
||
|
|
if model_name_lowercase and model_name_lowercase not in getattr(
|
||
|
|
getattr(auto_module, PLACEHOLDER_TO_AUTO_MODULE["config_class"][0]),
|
||
|
|
PLACEHOLDER_TO_AUTO_MODULE["config_class"][1],
|
||
|
|
):
|
||
|
|
model_name_lowercase = model_name_lowercase.replace("_", "-")
|
||
|
|
|
||
|
|
name = re.findall(rf"({'|'.join(ClassDocstring.__dict__.keys())})$", cls.__name__)
|
||
|
|
if name == [] and custom_intro is None and not is_dataclass and not is_processor:
|
||
|
|
raise ValueError(
|
||
|
|
f"`{cls.__name__}` is not registered in the auto doc. Here are the available classes: {ClassDocstring.__dict__.keys()}.\n"
|
||
|
|
"Add a `custom_intro` to the decorator if you want to use `auto_docstring` on a class not registered in the auto doc."
|
||
|
|
)
|
||
|
|
if name != [] or custom_intro is not None or is_dataclass or is_processor:
|
||
|
|
name = name[0] if name else None
|
||
|
|
if custom_intro is not None:
|
||
|
|
pre_block = equalize_indent(custom_intro, indent_level)
|
||
|
|
if not pre_block.endswith("\n"):
|
||
|
|
pre_block += "\n"
|
||
|
|
elif is_processor:
|
||
|
|
# Generate processor intro dynamically
|
||
|
|
pre_block = generate_processor_intro(cls)
|
||
|
|
if pre_block:
|
||
|
|
pre_block = equalize_indent(pre_block, indent_level)
|
||
|
|
pre_block = format_args_docstring(pre_block, model_name_lowercase)
|
||
|
|
elif model_name_title is None or name is None:
|
||
|
|
pre_block = ""
|
||
|
|
else:
|
||
|
|
pre_block = getattr(ClassDocstring, name).format(model_name=model_name_title)
|
||
|
|
# Start building the docstring
|
||
|
|
docstring = set_min_indent(f"{pre_block}", indent_level) if len(pre_block) else ""
|
||
|
|
if name != "PreTrainedModel" and "PreTrainedModel" in (x.__name__ for x in cls.__mro__):
|
||
|
|
docstring += set_min_indent(f"{ClassDocstring.PreTrainedModel}", indent_level)
|
||
|
|
# Add the __init__ docstring
|
||
|
|
if docstring_init:
|
||
|
|
docstring += set_min_indent(f"\n{docstring_init}", indent_level)
|
||
|
|
elif is_dataclass:
|
||
|
|
# No init function, we have a data class
|
||
|
|
docstring += docstring_args if docstring_args else "\nArgs:\n"
|
||
|
|
source_args_dict = get_args_doc_from_source(ModelOutputArgs)
|
||
|
|
doc_class = cls.__doc__ if cls.__doc__ else ""
|
||
|
|
documented_kwargs = parse_docstring(doc_class)[0]
|
||
|
|
for param_name, param_type_annotation in cls.__annotations__.items():
|
||
|
|
param_type = str(param_type_annotation)
|
||
|
|
optional = False
|
||
|
|
|
||
|
|
# Process parameter type
|
||
|
|
if "typing" in param_type:
|
||
|
|
param_type = "".join(param_type.split("typing.")).replace("transformers.", "~")
|
||
|
|
else:
|
||
|
|
param_type = f"{param_type.replace('transformers.', '~').replace('builtins', '')}.{param_name}"
|
||
|
|
if "ForwardRef" in param_type:
|
||
|
|
param_type = re.sub(r"ForwardRef\('([\w.]+)'\)", r"\1", param_type)
|
||
|
|
if "Optional" in param_type:
|
||
|
|
param_type = re.sub(r"Optional\[(.*?)\]", r"\1", param_type)
|
||
|
|
optional = True
|
||
|
|
|
||
|
|
# Check for default value
|
||
|
|
param_default = ""
|
||
|
|
param_default = str(getattr(cls, param_name, ""))
|
||
|
|
param_default = f", defaults to `{param_default}`" if param_default != "" else ""
|
||
|
|
|
||
|
|
param_type, optional_string, shape_string, additional_info, description, is_documented = (
|
||
|
|
_get_parameter_info(param_name, documented_kwargs, source_args_dict, param_type, optional)
|
||
|
|
)
|
||
|
|
|
||
|
|
if is_documented:
|
||
|
|
# Check if type is missing
|
||
|
|
if param_type == "":
|
||
|
|
print(
|
||
|
|
f"[ERROR] {param_name} for {cls.__qualname__} in file {cls.__code__.co_filename} has no type"
|
||
|
|
)
|
||
|
|
param_type = param_type if "`" in param_type else f"`{param_type}`"
|
||
|
|
# Format the parameter docstring
|
||
|
|
if additional_info:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{param_name} ({param_type}{additional_info}):{description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
docstring += set_min_indent(
|
||
|
|
f"{param_name} ({param_type}{shape_string}{optional_string}{param_default}):{description}",
|
||
|
|
indent_level + 8,
|
||
|
|
)
|
||
|
|
# TODO (Yoni): Add support for Attributes section in docs
|
||
|
|
|
||
|
|
else:
|
||
|
|
print(
|
||
|
|
f"You used `@auto_class_docstring` decorator on `{cls.__name__}` but this class is not part of the AutoMappings. Remove the decorator"
|
||
|
|
)
|
||
|
|
# Assign the dynamically generated docstring to the wrapper class
|
||
|
|
cls.__doc__ = docstring
|
||
|
|
|
||
|
|
return cls
|
||
|
|
|
||
|
|
|
||
|
|
def auto_docstring(obj=None, *, custom_intro=None, custom_args=None, checkpoint=None):
|
||
|
|
r"""
|
||
|
|
Automatically generates comprehensive docstrings for model classes and methods in the Transformers library.
|
||
|
|
|
||
|
|
This decorator reduces boilerplate by automatically including standard argument descriptions while allowing
|
||
|
|
overrides to add new or custom arguments. It inspects function signatures, retrieves predefined docstrings
|
||
|
|
for common arguments (like `input_ids`, `attention_mask`, etc.), and generates complete documentation
|
||
|
|
including examples and return value descriptions.
|
||
|
|
|
||
|
|
For complete documentation and examples, read this [guide](https://huggingface.co/docs/transformers/auto_docstring).
|
||
|
|
|
||
|
|
Examples of usage:
|
||
|
|
|
||
|
|
Basic usage (no parameters):
|
||
|
|
```python
|
||
|
|
@auto_docstring
|
||
|
|
class MyAwesomeModel(PreTrainedModel):
|
||
|
|
def __init__(self, config, custom_parameter: int = 10):
|
||
|
|
r'''
|
||
|
|
custom_parameter (`int`, *optional*, defaults to 10):
|
||
|
|
Description of the custom parameter for MyAwesomeModel.
|
||
|
|
'''
|
||
|
|
super().__init__(config)
|
||
|
|
self.custom_parameter = custom_parameter
|
||
|
|
```
|
||
|
|
|
||
|
|
Using `custom_intro` with a class:
|
||
|
|
```python
|
||
|
|
@auto_docstring(
|
||
|
|
custom_intro="This model implements a novel attention mechanism for improved performance."
|
||
|
|
)
|
||
|
|
class MySpecialModel(PreTrainedModel):
|
||
|
|
def __init__(self, config, attention_type: str = "standard"):
|
||
|
|
r'''
|
||
|
|
attention_type (`str`, *optional*, defaults to "standard"):
|
||
|
|
Type of attention mechanism to use.
|
||
|
|
'''
|
||
|
|
super().__init__(config)
|
||
|
|
```
|
||
|
|
|
||
|
|
Using `custom_intro` with a method, and specify custom arguments and example directly in the docstring:
|
||
|
|
```python
|
||
|
|
@auto_docstring(
|
||
|
|
custom_intro="Performs forward pass with enhanced attention computation."
|
||
|
|
)
|
||
|
|
def forward(
|
||
|
|
self,
|
||
|
|
input_ids: Optional[torch.Tensor] = None,
|
||
|
|
attention_mask: Optional[torch.Tensor] = None,
|
||
|
|
):
|
||
|
|
r'''
|
||
|
|
custom_parameter (`int`, *optional*, defaults to 10):
|
||
|
|
Description of the custom parameter for MyAwesomeModel.
|
||
|
|
|
||
|
|
Example:
|
||
|
|
|
||
|
|
```python
|
||
|
|
>>> model = MyAwesomeModel(config)
|
||
|
|
>>> model.forward(input_ids=torch.tensor([1, 2, 3]), attention_mask=torch.tensor([1, 1, 1]))
|
||
|
|
```
|
||
|
|
'''
|
||
|
|
```
|
||
|
|
|
||
|
|
Using `custom_args` to define reusable arguments:
|
||
|
|
```python
|
||
|
|
VISION_ARGS = r'''
|
||
|
|
pixel_values (`torch.FloatTensor`, *optional*):
|
||
|
|
Pixel values of the input images.
|
||
|
|
image_features (`torch.FloatTensor`, *optional*):
|
||
|
|
Pre-computed image features for efficient processing.
|
||
|
|
'''
|
||
|
|
|
||
|
|
@auto_docstring(custom_args=VISION_ARGS)
|
||
|
|
def encode_images(self, pixel_values=None, image_features=None):
|
||
|
|
# ... method implementation
|
||
|
|
```
|
||
|
|
|
||
|
|
Combining `custom_intro` and `custom_args`:
|
||
|
|
```python
|
||
|
|
MULTIMODAL_ARGS = r'''
|
||
|
|
vision_features (`torch.FloatTensor`, *optional*):
|
||
|
|
Pre-extracted vision features from the vision encoder.
|
||
|
|
fusion_strategy (`str`, *optional*, defaults to "concat"):
|
||
|
|
Strategy for fusing text and vision modalities.
|
||
|
|
'''
|
||
|
|
|
||
|
|
@auto_docstring(
|
||
|
|
custom_intro="Processes multimodal inputs combining text and vision.",
|
||
|
|
custom_args=MULTIMODAL_ARGS
|
||
|
|
)
|
||
|
|
def forward(
|
||
|
|
self,
|
||
|
|
input_ids,
|
||
|
|
attention_mask=None,
|
||
|
|
vision_features=None,
|
||
|
|
fusion_strategy="concat"
|
||
|
|
):
|
||
|
|
# ... multimodal processing
|
||
|
|
```
|
||
|
|
|
||
|
|
Using with ModelOutput classes:
|
||
|
|
```python
|
||
|
|
@dataclass
|
||
|
|
@auto_docstring(
|
||
|
|
custom_intro="Custom model outputs with additional fields."
|
||
|
|
)
|
||
|
|
class MyModelOutput(ImageClassifierOutput):
|
||
|
|
r'''
|
||
|
|
loss (`torch.FloatTensor`, *optional*):
|
||
|
|
The loss of the model.
|
||
|
|
custom_field (`torch.FloatTensor` of shape `(batch_size, hidden_size)`, *optional*):
|
||
|
|
A custom output field specific to this model.
|
||
|
|
'''
|
||
|
|
|
||
|
|
# Standard fields like hidden_states, logits, attentions etc. can be automatically documented
|
||
|
|
# However, given that the loss docstring is often different per model, you should document it above
|
||
|
|
loss: Optional[torch.FloatTensor] = None
|
||
|
|
logits: Optional[torch.FloatTensor] = None
|
||
|
|
hidden_states: Optional[tuple[torch.FloatTensor, ...]] = None
|
||
|
|
attentions: Optional[tuple[torch.FloatTensor, ...]] = None
|
||
|
|
custom_field: Optional[torch.FloatTensor] = None
|
||
|
|
```
|
||
|
|
|
||
|
|
Args:
|
||
|
|
custom_intro (`str`, *optional*):
|
||
|
|
Custom introduction text to add to the docstring. This replaces the default
|
||
|
|
introduction text generated by the decorator before the Args section. Use this to describe what
|
||
|
|
makes your model or method special.
|
||
|
|
custom_args (`str`, *optional*):
|
||
|
|
Custom argument documentation in docstring format. This allows you to define
|
||
|
|
argument descriptions once and reuse them across multiple methods. The format should follow the
|
||
|
|
standard docstring convention: `arg_name (`type`, *optional*, defaults to `value`): Description.`
|
||
|
|
checkpoint (`str`, *optional*):
|
||
|
|
Checkpoint name to use in examples within the docstring. This is typically
|
||
|
|
automatically inferred from the model configuration class, but can be overridden if needed for
|
||
|
|
custom examples.
|
||
|
|
|
||
|
|
Note:
|
||
|
|
- Standard arguments (`input_ids`, `attention_mask`, `pixel_values`, etc.) are automatically documented
|
||
|
|
from predefined descriptions and should not be redefined unless their behavior differs in your model.
|
||
|
|
- New or custom arguments should be documented in the method's docstring using the `r''' '''` block
|
||
|
|
or passed via the `custom_args` parameter.
|
||
|
|
- For model classes, the decorator derives parameter descriptions from the `__init__` method's signature
|
||
|
|
and docstring.
|
||
|
|
- Return value documentation is automatically generated for methods that return ModelOutput subclasses.
|
||
|
|
"""
|
||
|
|
|
||
|
|
def auto_docstring_decorator(obj):
|
||
|
|
if len(obj.__qualname__.split(".")) > 1:
|
||
|
|
return auto_method_docstring(
|
||
|
|
obj, custom_args=custom_args, custom_intro=custom_intro, checkpoint=checkpoint
|
||
|
|
)
|
||
|
|
else:
|
||
|
|
return auto_class_docstring(obj, custom_args=custom_args, custom_intro=custom_intro, checkpoint=checkpoint)
|
||
|
|
|
||
|
|
if obj:
|
||
|
|
return auto_docstring_decorator(obj)
|
||
|
|
|
||
|
|
return auto_docstring_decorator
|