Transformers 文档

LLaVa-NeXT-Video

Hugging Face's logo
加入 Hugging Face 社区

并获取增强的文档体验

开始使用

LLaVa-NeXT-Video

概述

LLaVa-NeXT-Video 模型在 LLaVA-NeXT: 一个强大的零样本视频理解模型 中被提出,作者是 Yuanhan Zhang, Bo Li, Haotian Liu, Yong Jae Lee, Liangke Gui, Di Fu, Jiashi Feng, Ziwei Liu, Chunyuan Li。LLaVa-NeXT-Video 在 LLaVa-NeXT 的基础上进行了改进,通过在视频和图像数据集上进行微调,从而提高了模型在视频上的性能。

LLaVA-NeXT 令人惊讶地在使用 AnyRes 技术以零样本方式理解视频内容方面表现出色。AnyRes 技术自然地将高分辨率图像表示为多个图像。这项技术自然可以推广到表示视频,因为视频可以被视为一组帧(类似于 LLaVa-NeXT 中的一组图像)。当前版本的 LLaVa-NeXT 利用 AnyRes,并在 LLaVA-Next 的基础上,通过在视频数据上进行监督微调 (SFT) 训练,从而实现更好的视频理解能力。该模型是 VideoMME 基准上当前开源模型中的 SOTA。

以下是博客的介绍:

2024 年 1 月 30 日,我们发布了 LLaVA-NeXT,这是一个开源的大型多模态模型 (LMM),它完全在文本-图像数据上进行了训练。借助提出的 AnyRes 技术,它提升了在推理、OCR 和世界知识方面的能力,在各种基于图像的多模态理解任务中表现出卓越的性能,甚至在多个图像基准(例如 MMMU 和 MathVista)上超越了 Gemini-Pro。

**在今天的探索中,我们将深入研究 LLaVA-NeXT 在视频理解任务领域的性能。我们揭示 LLaVA-NeXT 令人惊讶地在理解视频内容方面表现出色。当前用于视频的 LLaVA-NeXT 版本有几个改进:**

  • 使用 AnyRes 的零样本视频表示能力:AnyRes 技术自然地将高分辨率图像表示为多个图像,预训练的 VIT 能够消化这些图像,并将它们组合成一个连接的序列。这项技术自然可以推广到表示视频(由多个帧组成),从而使仅在图像上训练的 LLaVA-Next 模型在视频任务上表现出令人惊讶的良好性能。值得注意的是,这是 LMM 首次展示出强大的零样本模态迁移能力。
  • 长度泛化推理提高了在较长视频上的性能。线性缩放技术实现了长度泛化,使 LLaVA-NeXT 能够有效地处理超出 LLM “max_token_length” 限制的长视频。
  • 强大的视频理解能力。(1) LLaVA-Next-Image 结合了上述两种技术,产生了比在视频上微调的开源 LMM 更优越的零样本性能。(2) LLaVA-Next-Video 在 LLaVA-Next-Image 的基础上进一步进行监督微调 (SFT) 视频数据,与 LLaVA-Next-Image 相比,实现了更好的视频理解能力。(3) LLaVA-Next-Video-DPO 使用直接偏好优化 (DPO) 将模型响应与 AI 反馈对齐,显示出显著的性能提升。
  • 使用 SGLang 实现高效部署和推理。它允许在视频任务上实现 5 倍更快的推理速度,从而实现更可扩展的服务,例如百万级视频重新字幕。请参阅我们的仓库中的说明。**

此模型由 RaushanTurganbay 贡献。原始代码可以在 这里 找到。

使用技巧

  • 我们建议用户在计算批量生成时使用 padding_side="left",因为它会带来更准确的结果。只需确保在生成之前调用 processor.tokenizer.padding_side = "left" 即可。
  • Llava-Next 对图像使用不同数量的补丁,因此除了处理输入时完成的填充之外,还必须在建模代码内部填充输入。如果模型处于 eval() 模式,则默认设置为“左填充”,否则为“右填充”。
  • 请注意,每个检查点都使用特定的提示格式进行训练,具体取决于使用的大型语言模型 (LLM)。您可以使用分词器的 apply_chat_template 来正确格式化您的提示。以下是如何执行此操作的示例。

我们将使用 LLaVA-NeXT-Video-7B-hf 和视频及图像的对话历史记录。每个内容字段都必须是字典列表,如下所示:

from transformers import LlavaNextVideoProcessor

processor = LlavaNextVideoProcessor.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf")

conversation = [
    {
        "role": "system",
        "content": [
            {"type": "text", "text": "A chat between a curious human and an artificial intelligence assistant. The assistant gives helpful, detailed, and polite answers to the human's questions."},
            ],
    },
    {
        "role": "user",
        "content": [
            {"type": "text", "text": "What’s shown in this image?"},
            {"type": "image"},
            ],
    },
    {
        "role": "assistant",
        "content": [{"type": "text", "text": "This image shows a red stop sign."},]
    },
    {

        "role": "user",
        "content": [
            {"type": "text", "text": "Why is this video funny?"},
            {"type": "video"},
            ],
    },
]

text_prompt = processor.apply_chat_template(conversation, add_generation_prompt=True)

# Note that the template simply formats your prompt, you still have to tokenize it and obtain pixel values for your visuals
print(text_prompt)

使用示例

单媒体模式

该模型可以接受图像和视频作为输入。以下是在半精度 (torch.float16) 下进行推理的示例代码:

import av
import torch
import numpy as np
from transformers import LlavaNextVideoForConditionalGeneration, LlavaNextVideoProcessor

def read_video_pyav(container, indices):
    '''
    Decode the video with PyAV decoder.
    Args:
        container (`av.container.input.InputContainer`): PyAV container.
        indices (`List[int]`): List of frame indices to decode.
    Returns:
        result (np.ndarray): np array of decoded frames of shape (num_frames, height, width, 3).
    '''
    frames = []
    container.seek(0)
    start_index = indices[0]
    end_index = indices[-1]
    for i, frame in enumerate(container.decode(video=0)):
        if i > end_index:
            break
        if i >= start_index and i in indices:
            frames.append(frame)
    return np.stack([x.to_ndarray(format="rgb24") for x in frames])

# Load the model in half-precision
model = LlavaNextVideoForConditionalGeneration.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf", torch_dtype=torch.float16, device_map="auto")
processor = LlavaNextVideoProcessor.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf")

# Load the video as an np.array, sampling uniformly 8 frames (can sample more for longer videos)
video_path = hf_hub_download(repo_id="raushan-testing-hf/videos-test", filename="sample_demo_1.mp4", repo_type="dataset")
container = av.open(video_path)
total_frames = container.streams.video[0].frames
indices = np.arange(0, total_frames, total_frames / 8).astype(int)
video = read_video_pyav(container, indices)

conversation = [
    {

        "role": "user",
        "content": [
            {"type": "text", "text": "Why is this video funny?"},
            {"type": "video"},
            ],
    },
]

prompt = processor.apply_chat_template(conversation, add_generation_prompt=True)
inputs = processor(text=prompt, videos=video, return_tensors="pt")

out = model.generate(**inputs, max_new_tokens=60)
processor.batch_decode(out, skip_special_tokens=True, clean_up_tokenization_spaces=True)

混合媒体模式

该模型还可以从交错的图像-视频输入生成。但请注意,它没有在交错的图像-视频设置中进行训练,这可能会影响性能。以下是混合媒体输入的示例用法,将以下行添加到上面的代码片段中:

from PIL import Image
import requests

# Generate from image and video mixed inputs
# Load and image and write a new prompt
url = "http://images.cocodataset.org/val2017/000000039769.jpg"
image = Image.open(requests.get(url, stream=True).raw)
conversation = [
    {

        "role": "user",
        "content": [
            {"type": "text", "text": "How many cats are there in the image?"},
            {"type": "image"},
            ],
    },
    {

        "role": "assistant",
        "content": [{"type": "text", "text": "There are two cats"}],
    },
    {

        "role": "user",
        "content": [
            {"type": "text", "text": "Why is this video funny?"},
            {"type": "video"},
            ],
    },
]
prompt = processor.apply_chat_template(conversation, add_generation_prompt=True)
inputs = processor(text=prompt, images=image, videos=clip, padding=True, return_tensors="pt")

# Generate
generate_ids = model.generate(**inputs, max_length=50)
processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=True)

模型优化

使用 Bitsandbytes 量化以提高内存效率

该模型可以以较低的位加载,从而显著减少内存负担,同时保持原始模型的性能。这允许在资源受限的情况下进行高效部署。

首先,请确保运行 pip install bitsandbytes 安装 bitsandbytes,并有权访问该库支持的 GPU/加速器。

bitsandbytes 正在重构以支持 CUDA 之外的多个后端。目前,ROCm (AMD GPU) 和 Intel CPU 实现已经成熟,Intel XPU 正在进行中,预计 Apple Silicon 支持将在 Q4/Q1 推出。有关安装说明和最新的后端更新,请访问 此链接

我们重视您的反馈,以帮助在全面发布之前识别错误!查看 这些文档 以获取更多详细信息和反馈链接。

然后,只需添加 BitsAndBytesConfig 即可加载量化模型,如下所示:

from transformers import LlavaNextVideoForConditionalGeneration, LlavaNextVideoProcessor

# specify how to quantize the model
quantization_config = BitsAndBytesConfig(
    load_in_4bit=True,
    bnb_4bit_quant_type="nf4",
    bnb_4bit_compute_dtype=torch.float16,
)

model = LlavaNextVideoForConditionalGeneration.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf", quantization_config=quantization_config, device_map="auto")

Flash-Attention 2 加速生成

此外,我们可以通过使用 Flash Attention 大大加快模型推理速度,Flash Attention 是模型内部使用的注意力机制的更快实现。

首先,请确保安装最新版本的 Flash Attention 2:

pip install -U flash-attn --no-build-isolation

此外,您应该拥有与 Flash-Attention 2 兼容的硬件。请在 flash attention 仓库的官方文档中阅读更多相关信息。FlashAttention-2 只能在模型以 torch.float16torch.bfloat16 加载时使用。

要加载和运行使用 Flash Attention-2 的模型,只需在加载模型时添加 attn_implementation="flash_attention_2",如下所示:

from transformers import LlavaNextVideoForConditionalGeneration

model = LlavaNextVideoForConditionalGeneration.from_pretrained(
    "llava-hf/LLaVA-NeXT-Video-7B-hf", 
    torch_dtype=torch.float16, 
    attn_implementation="flash_attention_2",
).to(0)

LlavaNextVideoConfig

class transformers.LlavaNextVideoConfig

< >

( vision_config = None text_config = None ignore_index = -100 image_token_index = 32001 projector_hidden_act = 'gelu' vision_feature_select_strategy = 'default' vision_feature_layer = -2 image_grid_pinpoints = None tie_word_embeddings = False video_token_index = 32000 spatial_pool_mode = 'average' spatial_pool_stride = 2 image_seq_length = 576 video_seq_length = 288 **kwargs )

参数

  • vision_config (Union[AutoConfig, dict], 可选, 默认为 CLIPVisionConfig) — 视觉主干网络的配置对象或字典。
  • text_config (Union[AutoConfig, dict], 可选, 默认为 LlamaConfig) — 文本主干网络的配置对象或字典。
  • ignore_index (int, 可选, 默认为 -100) — 损失函数的忽略索引。
  • image_token_index (int, 可选, 默认为 32001) — 用于编码图像提示的图像令牌索引。
  • projector_hidden_act (str, 可选, 默认为 "gelu") — 多模态投影器使用的激活函数。
  • vision_feature_select_strategy (str, 可选, 默认为 "default") — 用于从视觉主干网络中选择视觉特征的特征选择策略。可以是 "default""full" 之一。如果为 "default",则从视觉特征中移除 CLS 令牌。如果为 "full",则使用完整的视觉特征。
  • vision_feature_layer (int, 可选, 默认为 -2) — 用于选择视觉特征的层索引。
  • image_grid_pinpoints (List, 可选, 默认为 [[336, 672], [672, 336], [672, 672], [1008, 336], [336, 1008]]) — 用于处理高分辨率图像的可能分辨率列表。列表中的每个项目都应为 (height, width) 形式的元组或列表。
  • tie_word_embeddings (bool, 可选, 默认为 False) — 模型输入和输出词嵌入是否应绑定。
  • video_token_index (int, 可选, 默认为 32000) — 用于编码图像提示的视频令牌索引。
  • spatial_pool_mode (str, 可选, 默认为 "average") — 用于视频的池化模式。可以是 “average”、“max” 或 “conv”。
  • spatial_pool_stride (int, 可选, 默认为 2) — 视频池化层中使用的步幅。
  • image_seq_length (int, 可选, 默认为 576) — 一个图像嵌入的序列长度。
  • video_seq_length (int, 可选, 默认为 288) — 一个视频嵌入的序列长度。

这是用于存储 LlavaNextVideoForConditionalGeneration 配置的配置类。它用于根据指定的参数实例化 Llava-NeXT 模型,定义模型架构。使用默认值实例化配置将产生与 llava-hf/LLaVA-NeXT-Video-7B-hf 模型类似的配置。配置对象继承自 PretrainedConfig,可用于控制模型输出。有关更多信息,请阅读 PretrainedConfig 的文档。

示例

>>> from transformers import LlavaNextVideoForConditionalGeneration, LlavaNextVideoConfig, CLIPVisionConfig, LlamaConfig

>>> # Initializing a CLIP-vision config
>>> vision_config = CLIPVisionConfig()

>>> # Initializing a Llama config
>>> text_config = LlamaConfig()

>>> configuration = LlavaNextVideoConfig(vision_config, text_config)

>>> model = LlavaNextVideoForConditionalGeneration(configuration)

>>> # Accessing the model configuration
>>> configuration = model.config

LlavaNextVideoProcessor

class transformers.LlavaNextVideoProcessor

< >

( video_processor = None image_processor = None tokenizer = None chat_template = None patch_size = None vision_feature_select_strategy = None video_token = '<video>' image_token = '<image>' **kwargs )

参数

  • video_processor (LlavaNextVideoImageProcessor, 可选) — 视频处理器是必需的输入。
  • image_processor (LlavaNextImageProcessor, 可选) — 图像处理器是必需的输入。
  • tokenizer (LlamaTokenizerFast, 可选) — 分词器是必需的输入。
  • chat_template (str, 可选) — 将在分词器的 apply_chat_template 中使用的 Jinja 聊天模板
  • patch_size (int, 可选) — 来自视觉塔的 Patch 大小。
  • vision_feature_select_strategy (str, 可选) — 用于从视觉骨干网络中选择视觉特征的特征选择策略。应与模型配置中的相同
  • video_token (str, 可选, 默认为 "<video>") — 用于表示视频位置的特殊 token。
  • image_token (str, 可选, 默认为 "<image>") — 用于表示图像位置的特殊 token。

构建一个 LLaVa-NeXT-Video 处理器,它将 LLaVa-NeXT 图像处理器、LLaVa-NeXT-Video 视频处理器和 LLaMa 分词器封装到单个处理器中。

LlavaNextVideoProcessor 提供了 LlavaNextImageProcessorLlavaNextVideoImageProcessorLlamaTokenizerFast 的所有功能。 有关更多信息,请参阅 __call__()decode()

batch_decode

< >

( *args **kwargs )

此方法将其所有参数转发到 LlamaTokenizerFast 的 batch_decode()。 有关更多信息,请参阅此方法的文档字符串。

decode

< >

( *args **kwargs )

此方法将其所有参数转发到 LlamaTokenizerFast 的 decode()。 有关更多信息,请参阅此方法的文档字符串。

LlavaNextVideoImageProcessor

class transformers.LlavaNextVideoImageProcessor

< >

( do_resize: bool = True size: Dict = None image_grid_pinpoints: List = None resample: Resampling = <Resampling.BICUBIC: 3> do_center_crop: bool = True crop_size: Dict = None do_rescale: bool = True rescale_factor: Union = 0.00392156862745098 do_normalize: bool = True image_mean: Union = None image_std: Union = None do_convert_rgb: bool = True **kwargs )

参数

  • do_resize (bool, 可选, 默认为 True) — 是否将图像的(高度,宽度)尺寸调整为指定的 size。 可以被 preprocess 方法中的 do_resize 重写。
  • size (Dict[str, int] 可选, 默认为 {"shortest_edge" -- 224}): 调整大小后图像的大小。 图像的最短边将调整为 size[“shortest_edge”],最长边将调整大小以保持输入纵横比。 可以被 preprocess 方法中的 size 重写。
  • image_grid_pinpoints (List 可选, 默认为 [[672, 336], [336, 672], [672, 672], [336, 1008], [1008, 336]]) — 用于处理高分辨率图像的可能分辨率列表。 最佳分辨率是根据图像的原始大小选择的。 可以被 preprocess 方法中的 image_grid_pinpoints 重写。 不用于处理视频。
  • resample (PILImageResampling, 可选, 默认为 Resampling.BICUBIC) — 如果调整图像大小,则使用的重采样过滤器。 可以被 preprocess 方法中的 resample 重写。
  • do_center_crop (bool, 可选, 默认为 True) — 是否将图像中心裁剪为指定的 crop_size。 可以被 preprocess 方法中的 do_center_crop 重写。
  • crop_size (Dict[str, int] 可选, 默认为 224) — 应用 center_crop 后输出图像的大小。 可以被 preprocess 方法中的 crop_size 重写。
  • do_rescale (bool, 可选, 默认为 True) — 是否按指定的比例 rescale_factor 缩放图像。 可以被 preprocess 方法中的 do_rescale 重写。
  • rescale_factor (intfloat, 可选, 默认为 1/255) — 如果缩放图像,则使用的比例因子。 可以被 preprocess 方法中的 rescale_factor 重写。
  • do_normalize (bool, 可选, 默认为 True) — 是否标准化图像。 可以被 preprocess 方法中的 do_normalize 重写。
  • image_mean (floatList[float], 可选, 默认为 [0.48145466, 0.4578275, 0.40821073]) — 如果标准化图像,则使用的均值。 这是一个浮点数或浮点数列表,其长度是图像中通道数的长度。 可以被 preprocess 方法中的 image_mean 参数重写。
  • image_std (floatList[float], 可选, 默认为 [0.26862954, 0.26130258, 0.27577711]) — 如果标准化图像,则使用的标准差。 这是一个浮点数或浮点数列表,其长度是图像中通道数的长度。 可以被 preprocess 方法中的 image_std 参数重写。 可以被 preprocess 方法中的 image_std 参数重写。
  • do_convert_rgb (bool, 可选, 默认为 True) — 是否将图像转换为 RGB。

构建一个 LLaVa-NeXT-Video 视频处理器。 基于 CLIPImageProcessor,并结合了处理每个视频帧的功能。

preprocess

< >

( images: Union do_resize: bool = None size: Dict = None resample: Resampling = None do_center_crop: bool = None crop_size: int = None do_rescale: bool = None rescale_factor: float = None do_normalize: bool = None image_mean: Union = None image_std: Union = None do_convert_rgb: bool = None return_tensors: Union = None data_format: Optional = <ChannelDimension.FIRST: 'channels_first'> input_data_format: Union = None )

参数

  • images (VideoInput) — 预处理的视频。 期望是像素值范围为 0 到 255 的单个或批量视频。如果传入的图像像素值介于 0 和 1 之间,请设置 do_rescale=False
  • do_resize (bool, 可选, 默认为 self.do_resize) — 是否调整视频大小。
  • size (Dict[str, int], 可选, 默认为 self.size) — 调整大小后视频的尺寸。视频的最短边将被调整为 size[“shortest_edge”],最长边将被调整以保持输入宽高比。
  • resample (int, 可选, 默认为 self.resample) — 如果调整视频大小,则使用的重采样过滤器。 这可以是枚举 PILImageResampling 之一。 仅当 do_resize 设置为 True 时才有效。
  • do_center_crop (bool, 可选, 默认为 self.do_center_crop) — 是否对视频进行中心裁剪。
  • crop_size (Dict[str, int], 可选, 默认为 self.crop_size) — 中心裁剪的尺寸。 仅当 do_center_crop 设置为 True 时才有效。
  • do_rescale (bool, 可选, 默认为 self.do_rescale) — 是否对视频进行重新缩放。
  • rescale_factor (float, 可选, 默认为 self.rescale_factor) — 如果 do_rescale 设置为 True,则用于重新缩放视频的重新缩放因子。
  • do_normalize (bool, 可选, 默认为 self.do_normalize) — 是否对视频进行归一化。
  • image_mean (floatList[float], 可选, 默认为 self.image_mean) — 用于归一化的帧平均值。 仅当 do_normalize 设置为 True 时才有效。
  • image_std (floatList[float], 可选, 默认为 self.image_std) — 用于归一化的帧标准差。 仅当 do_normalize 设置为 True 时才有效。
  • do_convert_rgb (bool, 可选, 默认为 self.do_convert_rgb) — 是否将视频转换为 RGB 格式。
  • return_tensors (strTensorType, 可选) — 返回的张量类型。 可以是以下之一:
    • Unset: 返回 np.ndarray 列表。
    • TensorType.TENSORFLOW'tf': 返回 tf.Tensor 类型的批次。
    • TensorType.PYTORCH'pt': 返回 torch.Tensor 类型的批次。
    • TensorType.NUMPY'np': 返回 np.ndarray 类型的批次。
    • TensorType.JAX'jax': 返回 jax.numpy.ndarray 类型的批次。
  • data_format (ChannelDimensionstr, 可选, 默认为 ChannelDimension.FIRST) — 输出图像的通道维度格式。 可以是以下之一:
    • "channels_first"ChannelDimension.FIRST: 图像格式为 (num_channels, height, width)。
    • "channels_last"ChannelDimension.LAST: 图像格式为 (height, width, num_channels)。
    • Unset: 使用输入图像的通道维度格式。
  • input_data_format (ChannelDimensionstr, 可选) — 输入图像的通道维度格式。 如果未设置,则通道维度格式将从输入图像推断。 可以是以下之一:
    • "channels_first"ChannelDimension.FIRST: 图像格式为 (num_channels, height, width)。
    • "channels_last"ChannelDimension.LAST: 图像格式为 (height, width, num_channels)。
    • "none"ChannelDimension.NONE: 图像格式为 (height, width)。

resize

< >

( image: ndarray size: Dict resample: Resampling = <Resampling.BICUBIC: 3> data_format: Union = None input_data_format: Union = None **kwargs )

参数

  • image (np.ndarray) — 要调整大小的图像。
  • size (Dict[str, int]) — 输出图像的尺寸。
  • resample (PILImageResampling, 可选, 默认为 PILImageResampling.BICUBIC) — 调整图像大小时使用的重采样过滤器。
  • data_format (strChannelDimension, 可选) — 图像的通道维度格式。 如果未提供,则它将与输入图像相同。
  • input_data_format (ChannelDimensionstr, 可选) — 输入图像的通道维度格式。 如果未提供,将进行推断。

调整图像大小。 图像的最短边将调整为 size[“shortest_edge”],最长边将被调整以保持输入宽高比。

LlavaNextVideoForConditionalGeneration

class transformers.LlavaNextVideoForConditionalGeneration

< >

( config: LlavaNextVideoConfig )

参数

  • config (LlavaNextVideoConfigLlavaNextVideoVisionConfig) — 具有模型所有参数的模型配置类。 使用配置文件初始化不会加载与模型关联的权重,仅加载配置。 查看 from_pretrained() 方法以加载模型权重。

LLAVA-NeXT 模型由视觉骨干网络和语言模型组成。 此模型继承自 PreTrainedModel。 查看超类文档,了解库为其所有模型实现的通用方法(例如下载或保存、调整输入嵌入大小、剪枝头等)。

此模型也是 PyTorch torch.nn.Module 子类。 将其用作常规 PyTorch 模块,并参阅 PyTorch 文档,了解与常规用法和行为相关的所有事项。

forward (前向传播)

< >

( input_ids: LongTensor = None pixel_values: FloatTensor = None pixel_values_videos: FloatTensor = None image_sizes: Optional = None attention_mask: Optional = None position_ids: Optional = None past_key_values: Optional = None inputs_embeds: Optional = None vision_feature_layer: Optional = None vision_feature_select_strategy: Optional = None labels: Optional = None use_cache: Optional = None output_attentions: Optional = None output_hidden_states: Optional = None return_dict: Optional = None cache_position: Optional = None num_logits_to_keep: int = 0 ) transformers.models.llava_next_video.modeling_llava_next_video.LlavaNextVideoCausalLMOutputWithPasttuple(torch.FloatTensor)

参数

  • input_ids (torch.LongTensor,形状为 (batch_size, sequence_length)) — 词汇表中输入序列 tokens 的索引。如果提供填充,默认情况下填充将被忽略。

    索引可以使用 AutoTokenizer 获得。 请参阅 PreTrainedTokenizer.encode()PreTrainedTokenizer.call() 了解详情。

    什么是输入 ID?

  • pixel_values (torch.FloatTensor,形状为 `(batch_size, num_channels, image_size, image_size)) — 对应于输入图像的张量。像素值可以使用 AutoImageProcessor 获得。 请参阅 LlavaNextVideoImageProcessor.call() 了解详情。 LlavaProcessor 使用 LlavaNextVideoImageProcessor 处理图像。
  • image_sizes (torch.LongTensor,形状为 (batch_size, 2)可选) — 批次中图像的尺寸,每张图像为 (高度, 宽度)。
  • attention_mask (torch.Tensor,形状为 (batch_size, sequence_length)可选) — 用于避免在填充 token 索引上执行注意力的掩码。掩码值在 [0, 1] 中选择:

    • 1 表示 token 未被掩盖
    • 0 表示 token 被掩盖

    什么是注意力掩码?

    索引可以使用 AutoTokenizer 获得。 请参阅 PreTrainedTokenizer.encode()PreTrainedTokenizer.call() 了解详情。

    如果使用 past_key_values,则可以选择仅输入最后的 decoder_input_ids(请参阅 past_key_values)。

    如果您想更改填充行为,您应该阅读 modeling_opt._prepare_decoder_attention_mask 并根据您的需要进行修改。 有关默认策略的更多信息,请参阅 论文 中的图 1。

    • 1 表示 head 未被掩盖
    • 0 表示 head 被掩盖
  • position_ids (torch.LongTensor,形状为 (batch_size, sequence_length)可选) — 位置嵌入中每个输入序列 token 的位置索引。在范围 [0, config.n_positions - 1] 中选择。 什么是位置 ID?
  • past_key_values (tuple(tuple(torch.FloatTensor))可选,当传递 use_cache=True 或当 config.use_cache=True 时返回) — 长度为 config.n_layerstuple(tuple(torch.FloatTensor)) 元组,每个元组包含 2 个形状为 (batch_size, num_heads, sequence_length, embed_size_per_head) 的张量和 2 个形状为 (batch_size, num_heads, encoder_sequence_length, embed_size_per_head) 的附加张量。

    包含预先计算的隐藏状态(自注意力模块和交叉注意力模块中的键和值),可以用于(请参阅 past_key_values 输入)加速顺序解码。

    如果使用 past_key_values,用户可以选择仅输入最后的 decoder_input_ids(那些没有将其过去的键值状态提供给此模型的)形状为 (batch_size, 1) 而不是所有形状为 (batch_size, sequence_length)decoder_input_ids

  • inputs_embeds (torch.FloatTensor,形状为 (batch_size, sequence_length, hidden_size)可选) — 可选地,您可以选择直接传递嵌入表示,而不是传递 input_ids。 如果您想要比模型的内部嵌入查找矩阵更精细地控制如何将 input_ids 索引转换为关联的向量,这将非常有用。
  • vision_feature_layer (int可选,默认为 -2) — 用于选择视觉特征的层索引。
  • vision_feature_select_strategy (str可选,默认为 "default") — 用于从视觉骨干网络中选择视觉特征的特征选择策略。可以是 "default""full" 之一。 如果为 "default",则从视觉特征中删除 CLS token。 如果为 "full",则使用完整的视觉特征。
  • use_cache (bool可选) — 如果设置为 True,则返回 past_key_values 键值状态,并且可以用于加速解码(请参阅 past_key_values)。
  • output_attentions (bool可选) — 是否返回所有注意力层的注意力张量。 有关更多详细信息,请参阅返回张量下的 attentions
  • output_hidden_states (bool可选) — 是否返回所有层的隐藏状态。 有关更多详细信息,请参阅返回张量下的 hidden_states
  • return_dict (bool可选) — 是否返回 ModelOutput 而不是普通元组。
  • cache_position (torch.LongTensor,形状为 (sequence_length)可选) — 描述输入序列 tokens 在序列中位置的索引。 与 position_ids 相反,此张量不受填充的影响。 它用于在正确的位置更新缓存并推断完整序列长度。

    参数 — pixel_values_videos (torch.FloatTensor,形状为 (batch_size, num_frames, num_channels, image_size, image_size)): 对应于输入视频的张量。 像素值可以使用 [AutoImageProcessor](/docs/transformers/v4.45.2/en/model_doc/auto#transformers.AutoImageProcessor) 获得。 请参阅 LlavaNextVideoVideoProcessor.call了解详情。 [LlavaProcessor](/docs/transformers/v4.45.2/en/model_doc/llava#transformers.LlavaProcessor) 使用LlavaNextVideoVideoProcessor 处理视频。 labels (torch.LongTensor,形状为(batch_size, sequence_length), *可选*): 用于计算 masked language modeling loss 的标签。 索引应在 [0, …, config.vocab_size] 或 -100 之间(请参阅input_ids文档字符串)。 索引设置为 -100 的 tokens 将被忽略(掩盖),损失仅针对标签在 [0, …, config.vocab_size] 中的 tokens 计算。 num_logits_to_keep (int, *可选*): 计算最后 num_logits_to_keep 个 tokens 的 logits。 如果为 0,则计算所有 input_ids` 的 logits(特殊情况)。 只有最后一个 token 的 logits 是生成所需的,并且仅为该 token 计算它们可以节省内存,这对于长序列或大词汇表大小来说变得非常重要。

返回

transformers.models.llava_next_video.modeling_llava_next_video.LlavaNextVideoCausalLMOutputWithPasttuple(torch.FloatTensor)

一个 transformers.models.llava_next_video.modeling_llava_next_video.LlavaNextVideoCausalLMOutputWithPast 或一个 torch.FloatTensor 元组(如果传递了 return_dict=False 或当 config.return_dict=False 时),其中包含各种元素,具体取决于配置 (LlavaNextVideoConfig) 和输入。

  • loss (torch.FloatTensor,形状为 (1,)可选,当提供 labels 时返回) — 语言建模损失(用于下一个 token 预测)。

  • logits (torch.FloatTensor,形状为 (batch_size, sequence_length, config.vocab_size)) — 语言建模 head 的预测分数(SoftMax 之前每个词汇表 token 的分数)。

  • past_key_values (tuple(tuple(torch.FloatTensor))可选,当传递 use_cache=True 或当 config.use_cache=True 时返回) — 长度为 config.n_layerstuple(tuple(torch.FloatTensor)) 元组,每个元组包含 2 个形状为 (batch_size, num_heads, sequence_length, embed_size_per_head) 的张量)

    包含预先计算的隐藏状态(自注意力模块中的键和值),可以用于(请参阅 past_key_values 输入)加速顺序解码。

  • hidden_states (tuple(torch.FloatTensor)可选,当传递 output_hidden_states=True 或当 config.output_hidden_states=True 时返回) — torch.FloatTensor 元组(如果模型具有嵌入层,则为嵌入输出一个,+ 每层输出一个),形状为 (batch_size, sequence_length, hidden_size)

    模型在每层输出处的隐藏状态,以及可选的初始嵌入输出。

  • attentions (tuple(torch.FloatTensor)可选,当传递 output_attentions=True 或当 config.output_attentions=True 时返回) — torch.FloatTensor 元组(每层一个),形状为 (batch_size, num_heads, sequence_length, sequence_length)

    注意力 softmax 之后的注意力权重,用于计算自注意力头中的加权平均值。

  • image_hidden_states (torch.FloatTensor可选) — 形状为 `(batch_size * num_patches, num_images, sequence_length, hidden_size)` 的 torch.FloatTensor。 由视觉编码器生成并在投影最后一个隐藏状态后的模型的 image_hidden_states。

  • video_hidden_states (torch.FloatTensor可选) — 形状为 (batch_size * num_frames, num_videos, sequence_length, hidden_size)torch.FloatTensor。 由视觉编码器生成并在投影最后一个隐藏状态后的模型的 video_hidden_states。

LlavaNextVideoForConditionalGeneration forward 方法,覆盖了 __call__ 特殊方法。

虽然 forward 传递的配方需要在该函数内定义,但应该在之后调用 Module 实例而不是此函数,因为前者负责运行预处理和后处理步骤,而后者会默默地忽略它们。

示例

>>> from PIL import Image
>>> import requests
>>> import av
>>> from transformers import AutoProcessor, LlavaNextVideoForConditionalGeneration

>>> def read_video_pyav(container, indices):
...     '''
...     Decode the video with PyAV decoder.
...     Args:
...         container (`av.container.input.InputContainer`): PyAV container.
...         indices (`List[int]`): List of frame indices to decode.
...     Returns:
...         result (np.ndarray): np array of decoded frames of shape (num_frames, height, width, 3).
...     '''
...     frames = []
...     container.seek(0)
...     start_index = indices[0]
...     end_index = indices[-1]
...     for i, frame in enumerate(container.decode(video=0)):
...         if i > end_index:
...             break
...         if i >= start_index and i in indices:
...             frames.append(frame)
...     return np.stack([x.to_ndarray(format="rgb24") for x in frames])

>>> model = LlavaNextVideoForConditionalGeneration.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf", device_map="auto")
>>> processor = AutoProcessor.from_pretrained("llava-hf/LLaVA-NeXT-Video-7B-hf")

>>> prompt = "USER: <video>\nWhy is this video funny? ASSISTANT:"
>>> video_path = hf_hub_download(repo_id="raushan-testing-hf/videos-test", filename="sample_demo_1.mp4", repo_type="dataset")
>>> container = av.open(video_path)

>>> # sample uniformly 8 frames from the video (model was trained with 32 frames per video, but this video is short)
>>> total_frames = container.streams.video[0].frames
>>> indices = np.arange(0, total_frames, total_frames / 8).astype(int)
>>> clip = read_video_pyav(container, indices)
>>> inputs_video = processor(text=prompt, videos=clip, return_tensors="pt").to(model.device)

>>> # load an image to generate from an image
>>> prompt = "USER:<image>\nWhat is shown in this image? ASSISTANT:"
>>> url = "https://www.ilankelman.org/stopsigns/australia.jpg"
>>> image = Image.open(requests.get(url, stream=True).raw)
>>> inputs_image = processor(text=prompt, images=image, return_tensors="pt").to(model.device)

>>> # Generate from video
>>> generate_ids = model.generate(**inputs_video, max_length=50)
>>> processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False)[0]
"USER:\nWhy is this video funny? ASSISTANT: The humor in this video comes from the unexpected and endearing sight of a baby wearing glasses and (...)"

>>> # Generate from image
>>> generate_ids = model.generate(**inputs_image, max_length=30)
>>> processor.batch_decode(generate_ids, skip_special_tokens=True, clean_up_tokenization_spaces=False)[0]
"USER: \nWhat's the content of the image? ASSISTANT: The image shows a red stop sign on a pole, with a traditional Chinese archway (...)"
< > 在 GitHub 上更新