精品欧美一区二区三区在线观看 _久久久久国色av免费观看性色_国产精品久久在线观看_亚洲第一综合网站_91精品又粗又猛又爽_小泽玛利亚一区二区免费_91亚洲精品国偷拍自产在线观看 _久久精品视频在线播放_美女精品久久久_欧美日韩国产成人在线

Reyes:一個從0到1開始訓練的多模態大模型(技術報告) 原創

發布于 2025-1-14 14:28
瀏覽
0收藏

最近,筆者系統的看了下一些比較經典的多模態大模型實現思路,本著動手實踐的態度,從零到一實現了一個多模態大模型,并命名為??Reyes(睿視)???,R:睿,eyes:眼。Reyes的參數量為8B,視覺編碼器使用的是??InternViT-300M-448px-V2_5???,語言模型側使用的是??Qwen2.5-7B-Instruct??,與NVLM-1.0等相關多模態大模型一樣,Reyes也通過一個兩層MLP投影層連接視覺編碼器與語言模型。最終,Reyes-8B(0.447分)以更小的參數量在MMMU-benchmark得分超越llava1.5-13B(0.367分)。

  • 模型權重開源地址:https://modelscope.cn/models/yujunhuinlp/Reyes-8B
  • github:https://github.com/yujunhuics/Reyes

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區


Reyes模型大體架構

Reyes模型架構

  • 視覺編碼器:InternViT-300M-448px-V2_5(https://modelscope.cn/models/OpenGVLab/InternViT-300M-448px-V2_5)
  • LLM側:Qwen2.5-7B-Instruct(https://modelscope.cn/models/Qwen/Qwen2.5-7B-Instruct)

模型實現:ReyesModel

class ReyesModel(PreTrainedModel):
    config_class = ReyesConfig
    main_input_name = 'pixel_values'
    _supports_flash_attn_2 = True
    _no_split_modules = ['InternVisionModel', 'Qwen2DecoderLayer']

    def __init__(self, config: ReyesConfig, vision_model=None, language_model=None, use_flash_attn=True):
        super().__init__(config)

        assert version_cmp(transformers.__version__, '4.44.2', 'ge')
        image_size = config.force_image_size or config.vision_config.image_size
        patch_size = config.vision_config.patch_size
        self.patch_size = patch_size
        self.select_layer = config.select_layer
        self.llm_arch_name = config.llm_config.architectures[0]
        self.template = config.template
        self.num_image_token = int((image_size // patch_size) ** 2 * (config.downsample_ratio ** 2))
        self.downsample_ratio = config.downsample_ratio
        self.ps_version = config.ps_version
        use_flash_attn = use_flash_attn if has_flash_attn elseFalse
        config.vision_config.use_flash_attn = Trueif use_flash_attn elseFalse
        config.llm_config._attn_implementation = 'flash_attention_2'if use_flash_attn else'eager'

        logger.info(f'num_image_token: {self.num_image_token}')
        logger.info(f'ps_version: {self.ps_version}')
        if vision_model isnotNone:
            self.vision_model = vision_model
        else:
            self.vision_model = InternVisionModel(config.vision_config)
        if language_model isnotNone:
            self.language_model = language_model
        else:
            if config.llm_config.architectures[0] == 'Qwen2ForCausalLM':
                self.language_model = Qwen2ForCausalLM(config.llm_config)
                # self.language_model = AutoLigerKernelForCausalLM(config.llm_config)
            else:
                raise NotImplementedError(f'{config.llm_config.architectures[0]} is not implemented.')

        vit_hidden_size = config.vision_config.hidden_size
        llm_intermediate_size = config.llm_config.intermediate_size
        llm_hidden_size = config.llm_config.hidden_size

        self.mlp1 = nn.Sequential(
            nn.LayerNorm(vit_hidden_size * int(1 / self.downsample_ratio) ** 2),
            nn.Linear(vit_hidden_size * int(1 / self.downsample_ratio) ** 2, llm_intermediate_size, bias=False),
            nn.GELU(),
            nn.Linear(llm_intermediate_size, llm_hidden_size, bias=False)
        )

        self.img_context_token_id = None
        self.conv_template = get_conv_template(self.template)
        self.system_message = self.conv_template.system_message

        if config.use_backbone_lora:
            self.wrap_backbone_lora(r=config.use_backbone_lora, lora_alpha=2 * config.use_backbone_lora)

        if config.use_llm_lora:
            self.wrap_llm_lora(r=config.use_llm_lora, lora_alpha=2 * config.use_llm_lora)

    def wrap_backbone_lora(self, r=128, lora_alpha=256, lora_dropout=0.05):
        lora_config = LoraConfig(
            r=r,
            target_modules=['attn.qkv', 'attn.proj', 'mlp.fc1', 'mlp.fc2'],
            lora_alpha=lora_alpha,
            lora_dropout=lora_dropout,
        )
        self.vision_model = get_peft_model(self.vision_model, lora_config)
        self.vision_model.print_trainable_parameters()

    def wrap_llm_lora(self, r=128, lora_alpha=256, lora_dropout=0.05):
        # Determine the target modules based on the architecture of the language model
        if self.llm_arch_name in ['Qwen2ForCausalLM', 'LlamaForCausalLM']:
            target_modules = ['self_attn.q_proj', 'self_attn.k_proj', 'self_attn.v_proj', 'self_attn.o_proj',
                              'mlp.gate_proj', 'mlp.down_proj', 'mlp.up_proj']
        else:
            raiseNotImplemented
        lora_config = LoraConfig(
            r=r,
            target_modules=target_modules,
            lora_alpha=lora_alpha,
            lora_dropout=lora_dropout,
            task_type='CAUSAL_LM'
        )
        self.language_model = get_peft_model(self.language_model, lora_config)
        self.language_model.enable_input_require_grads()
        self.language_model.print_trainable_parameters()

    def forward(
            self,
            pixel_values: torch.FloatTensor,
            input_ids: torch.LongTensor = None,
            attention_mask: Optional[torch.Tensor] = None,
            position_ids: Optional[torch.LongTensor] = None,
            image_flags: Optional[torch.LongTensor] = None,
            past_key_values: Optional[List[torch.FloatTensor]] = None,
            labels: Optional[torch.LongTensor] = None,
            use_cache: Optional[bool] = None,
            output_attentions: Optional[bool] = None,
            output_hidden_states: Optional[bool] = None,
            return_dict: Optional[bool] = None,
    ) -> Union[Tuple, CausalLMOutputWithPast]:
        return_dict = return_dict if return_dict isnotNoneelse self.config.use_return_dict

        # image_flags = image_flags.squeeze(-1)
        input_embeds = self.language_model.get_input_embeddings()(input_ids)

        vit_embeds = self.extract_feature(pixel_values)
        # vit_embeds = vit_embeds[image_flags == 1]
        vit_batch_size = pixel_values.shape[0]

        B, N, C = input_embeds.shape
        input_embeds = input_embeds.reshape(B * N, C)

        # if torch.distributed.get_rank() == 0:
        #     print(f'dynamic ViT batch size: {vit_batch_size}, images per sample: {vit_batch_size / B}, dynamic token length: {N}')

        input_ids = input_ids.reshape(B * N)
        selected = (input_ids == self.img_context_token_id)
        try:
            input_embeds[selected] = input_embeds[selected] * 0.0 + vit_embeds.reshape(-1, C)
        except Exception as e:
            vit_embeds = vit_embeds.reshape(-1, C)
            print(f'warning: {e}, input_embeds[selected].shape={input_embeds[selected].shape}, '
                  f'vit_embeds.shape={vit_embeds.shape}')
            n_token = selected.sum()
            input_embeds[selected] = input_embeds[selected] * 0.0 + vit_embeds[:n_token]

        input_embeds = input_embeds.reshape(B, N, C)

        outputs = self.language_model(
            inputs_embeds=input_embeds,
            attention_mask=attention_mask,
            position_ids=position_ids,
            past_key_values=past_key_values,
            use_cache=use_cache,
            output_attentinotallow=output_attentions,
            output_hidden_states=output_hidden_states,
            return_dict=return_dict,
        )
        logits = outputs.logits

        loss = None
        if labels isnotNone:
            # Shift so that tokens < n predict n
            shift_logits = logits[..., :-1, :].contiguous()
            shift_labels = labels[..., 1:].contiguous()
            # Flatten the tokens
            loss_fct = CrossEntropyLoss()
            shift_logits = shift_logits.view(-1, self.language_model.config.vocab_size)
            shift_labels = shift_labels.view(-1)

            # Enable model parallelism
            shift_labels = shift_labels.to(shift_logits.device)
            loss = loss_fct(shift_logits, shift_labels)

        ifnot return_dict:
            output = (logits,) + outputs[1:]
            return (loss,) + output if loss isnotNoneelse output

        return CausalLMOutputWithPast(
            loss=loss,
            logits=logits,
            past_key_values=outputs.past_key_values,
            hidden_states=outputs.hidden_states,
            attentinotallow=outputs.attentions,
        )

數據引擎

  • 預訓練數據(558k):https://huggingface.co/datasets/liuhaotian/LLaVA-Pretrain
  • SFT數據(665k,其實筆者沒使用這么多,大概使用了430K左右):https://huggingface.co/datasets/liuhaotian/LLaVA-Instruct-150K/blob/main/llava_v1_5_mix665k.json
    圖片放置方式:

├── coco
│   └── train2017
├── gqa
│   └── images
├── ocr_vqa
│   └── images
├── textvqa
│   └── train_images
└── vg
    ├── VG_100K
    └── VG_100K_2
數據格式
  • 預訓練數據格式:

<Image><image></Image> Give a brief description of the image. A group of airplanes flying through the sky.<|im_end|>
  • SFT數據格式(chatml格式)

<|im_start|>system
Follow the user's instruction and answer questions.<|im_end|>
<|im_start|>user
<Image><image></lmage>
What activity are the people engaged in on the green field?<|im_end|>
<|im_start|>assistant
The people are engaged in playing a game of frisbee on the lush green field.<|im_end|>
<|im_start|>user
Is there a person wearing a fairy outfit in the image? If so, what are they doing?<|im_end|>
<|im_start|>assistant
Yes, there is a person wearing a fairy outfit in the image. They are walking in the field, likely
participating in the fun activities along with the other people.<|im_end|>
<|im_start|>user
What can you say about the spectator's location in relation to the houses?<|im_end|>
<|im_start|>assistant
The spectators are watching a match being played in a location close to the houses, possibly indicating that the field is within a residential area or park.<|im_end|>
動態高分辨率

在數據處理階段,采用動態高分辨率(DHR)方法來處理不同分辨率的圖像輸入。具體的如下圖,圖像被分割成最多6個瓦片(tile):

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

上述兩張圖都是動態DHR的處理過程,圍繞圖像的預處理,包括歸一化、縮放、裁剪、根據寬高比動態處理等操作,構建了一套完整的流程,代碼邏輯如下:

import torch
from PIL import Image
import torchvision.transforms as T
from torchvision.transforms.functional import InterpolationMode

IMAGENET_MEAN = (0.485, 0.456, 0.406)
IMAGENET_STD = (0.229, 0.224, 0.225)


def build_transform(input_size):
    MEAN, STD = IMAGENET_MEAN, IMAGENET_STD
    transform = T.Compose([
        T.Lambda(lambda img: img.convert('RGB') if img.mode != 'RGB'else img),
        T.Resize((input_size, input_size), interpolatinotallow=InterpolationMode.BICUBIC),
        T.ToTensor(),
        T.Normalize(mean=MEAN, std=STD)
    ])
    return transform


def find_closest_aspect_ratio(aspect_ratio, target_ratios, width, height, image_size):
    best_ratio_diff = float('inf')
    best_ratio = (1, 1)
    area = width * height
    for ratio in target_ratios:
        target_aspect_ratio = ratio[0] / ratio[1]
        ratio_diff = abs(aspect_ratio - target_aspect_ratio)
        if ratio_diff < best_ratio_diff:
            best_ratio_diff = ratio_diff
            best_ratio = ratio
        elif ratio_diff == best_ratio_diff:
            if area > 0.5 * image_size * image_size * ratio[0] * ratio[1]:
                best_ratio = ratio
    return best_ratio


def dynamic_preprocess(image, min_num=1, max_num=6, image_size=448, use_thumbnail=True):
    orig_width, orig_height = image.size
    aspect_ratio = orig_width / orig_height

    target_ratios = set(
        (i, j) for n in range(min_num, max_num + 1) for i in range(1, n + 1) for j in range(1, n + 1) if
        i * j <= max_num and i * j >= min_num)
    target_ratios = sorted(target_ratios, key=lambda x: x[0] * x[1])

    target_aspect_ratio = find_closest_aspect_ratio(
        aspect_ratio, target_ratios, orig_width, orig_height, image_size)

    target_width = image_size * target_aspect_ratio[0]
    target_height = image_size * target_aspect_ratio[1]
    blocks = target_aspect_ratio[0] * target_aspect_ratio[1]

    resized_img = image.resize((target_width, target_height))
    processed_images = []
    for i in range(blocks):
        box = (
            (i % (target_width // image_size)) * image_size,
            (i // (target_width // image_size)) * image_size,
            ((i % (target_width // image_size)) + 1) * image_size,
            ((i // (target_width // image_size)) + 1) * image_size
        )
        split_img = resized_img.crop(box)
        processed_images.append(split_img)
    assert len(processed_images) == blocks
    if use_thumbnail and len(processed_images) != 1:
        thumbnail_img = image.resize((image_size, image_size))
        processed_images.append(thumbnail_img)
    return processed_images


def load_image(image_file, input_size=448, max_num=6):
    image = Image.open(image_file).convert('RGB')
    transform = build_transform(input_size=input_size)
    images = dynamic_preprocess(image, image_size=input_size, use_thumbnail=True, max_num=max_num)
    pixel_values = [transform(image) for image in images]
    pixel_values = torch.stack(pixel_values)
    return pixel_values

loss效果

  • 預訓練loss

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

預訓練loss,epoch=1

  • SFT loss

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

SFT loss,epoch=1

訓練配置

為了與llava1.5-13B公平對比,筆者在訓練數據上和一些訓練參數上進行了對齊。

  • pretrain階段:凍結視覺側和LLM側,只訓練MLP對齊,max-len=2048,gradient_accumulation_steps=4,單卡batch-size=8,8xH100,所有batch-size=8x4x8=256。
  • SFT階段:繼續保持視覺側凍結,放開LLM,與MLP一起訓練,max-len=2048,gradient_accumulation_steps=2,單卡batch-size=8,8xH100,所有batch-size=8x2x8=128。

推理

import torch
from modelscope import AutoTokenizer, AutoModel
from PIL import Image
import torchvision.transforms as T
from torchvision.transforms.functional import InterpolationMode

IMAGENET_MEAN = (0.485, 0.456, 0.406)
IMAGENET_STD = (0.229, 0.224, 0.225)


def build_transform(input_size):
    MEAN, STD = IMAGENET_MEAN, IMAGENET_STD
    transform = T.Compose([
        T.Lambda(lambda img: img.convert('RGB') if img.mode != 'RGB'else img),
        T.Resize((input_size, input_size), interpolatinotallow=InterpolationMode.BICUBIC),
        T.ToTensor(),
        T.Normalize(mean=MEAN, std=STD)
    ])
    return transform


def find_closest_aspect_ratio(aspect_ratio, target_ratios, width, height, image_size):
    best_ratio_diff = float('inf')
    best_ratio = (1, 1)
    area = width * height
    for ratio in target_ratios:
        target_aspect_ratio = ratio[0] / ratio[1]
        ratio_diff = abs(aspect_ratio - target_aspect_ratio)
        if ratio_diff < best_ratio_diff:
            best_ratio_diff = ratio_diff
            best_ratio = ratio
        elif ratio_diff == best_ratio_diff:
            if area > 0.5 * image_size * image_size * ratio[0] * ratio[1]:
                best_ratio = ratio
    return best_ratio


def dynamic_preprocess(image, min_num=1, max_num=12, image_size=448, use_thumbnail=False):
    orig_width, orig_height = image.size
    aspect_ratio = orig_width / orig_height

    # calculate the existing image aspect ratio
    target_ratios = set(
        (i, j) for n in range(min_num, max_num + 1) for i in range(1, n + 1) for j in range(1, n + 1) if
        i * j <= max_num and i * j >= min_num)
    target_ratios = sorted(target_ratios, key=lambda x: x[0] * x[1])

    # find the closest aspect ratio to the target
    target_aspect_ratio = find_closest_aspect_ratio(
        aspect_ratio, target_ratios, orig_width, orig_height, image_size)

    # calculate the target width and height
    target_width = image_size * target_aspect_ratio[0]
    target_height = image_size * target_aspect_ratio[1]
    blocks = target_aspect_ratio[0] * target_aspect_ratio[1]

    # resize the image
    resized_img = image.resize((target_width, target_height))
    processed_images = []
    for i in range(blocks):
        box = (
            (i % (target_width // image_size)) * image_size,
            (i // (target_width // image_size)) * image_size,
            ((i % (target_width // image_size)) + 1) * image_size,
            ((i // (target_width // image_size)) + 1) * image_size
        )
        # split the image
        split_img = resized_img.crop(box)
        processed_images.append(split_img)
    assert len(processed_images) == blocks
    if use_thumbnail and len(processed_images) != 1:
        thumbnail_img = image.resize((image_size, image_size))
        processed_images.append(thumbnail_img)
    return processed_images


def load_image(image_file, input_size=448, max_num=12):
    image = Image.open(image_file).convert('RGB')
    transform = build_transform(input_size=input_size)
    images = dynamic_preprocess(image, image_size=input_size, use_thumbnail=True, max_num=max_num)
    pixel_values = [transform(image) for image in images]
    pixel_values = torch.stack(pixel_values)
    return pixel_values


def preprocess_image(file_path, dynamic=True, max_num=6, image_size=448):
    try:
        if dynamic:
            return load_image(file_path, max_num=max_num).to(torch.bfloat16).cuda()
        else:
            img = Image.open(file_path).convert('RGB')
            transform = build_transform(image_size)
            pixel_values = transform(img)
            return torch.stack([pixel_values]).to(torch.bfloat16).cuda()
    except Exception as e:
        raise RuntimeError(f"Error processing image: {e}")


path = "Reyes-8B"

model = AutoModel.from_pretrained(
    path,
    torch_dtype=torch.bfloat16,
    trust_remote_code=True,
).eval().cuda()

# print(model)

tokenizer = AutoTokenizer.from_pretrained(path, trust_remote_code=True, use_fast=False)
generation_config = dict(max_new_tokens=2048, do_sample=False)

# single-image single-round conversation
file_path = 'tmp.png'
pixel_values = preprocess_image(file_path, dynamic=True)
question = '<image>\nPlease describe the image shortly.'
response = model.chat(tokenizer, pixel_values, question, generation_config)
print(f'User: {question}\nAssistant: {response}')

# pure-text conversation
question = 'Hello, who are you?'
response, history = model.chat(tokenizer, None, question, generation_config, history=None, return_history=True)
print(f'User: {question}\nAssistant: {response}')

評測

1.MMMU評測(MMMU: A Massive Multi-discipline Multimodal Understanding and Reasoning Benchmark for Expert AGI)
簡介:MMMU 是一種新的基準,旨在評估多模態模型在需要大學水平的學科知識和深思熟慮的推理的大規模多學科任務中的表現。MMMU 包含11.5K 個精心收集的來自大學考試、測驗和教科書的多模態問題,涵蓋六個核心學科:藝術與設計、商業、科學、健康與醫學、人文與社會科學以及技術與工程。這些問題涵蓋30 個學科和183 個子領域,包含32 種高度異構的圖像類型,如圖表、圖解、地圖、表格、樂譜和化學結構。與現有基準不同,MMMU 專注于使用領域特定知識進行高級感知和推理,挑戰模型執行類似于專家面臨的任務。

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

評測結果顯示:Reyes-8b比llava1.5-13b取得了更先進的結果。詳細評分如下:

  • llava1.5-13b得分:0.367

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

  • Reyes-8b得分:0.447

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

2.一些測試case

  • case1

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

問題: Who painted <image 1>?
選項: {'A':'Claude Monet', 'B':'Henri Matisse', 'C':'Andy Warhol','D': "Georgia O'Keefe"]
預測的答案: C
正確的答案: C
  • case2

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

問題: Each situation below relates to an independent company's Owners' Equity. <image 1> Calculate the missing values of company 2.
選項: {'A': '$1,620', 'B': '$12,000', 'C': '$51,180', 'D': '$0'}
預測的答案: D
正確的答案: D
  • case3

Reyes:一個從0到1開始訓練的多模態大模型(技術報告)-AI.x社區

問題: A survey line ABC crossing a river at right angles cut its banks at B and C, as shown in Fig. 2.39. To determine the width BC of the river, the following operation was carried out.A 60 m long line BE was set out roughly parallel to the river. Line CE was extended to D and mid-point F of DB was established. Then EF was extended to G such that FG = EF. Line DG was extended to cut the survey line ABC at H. GH and HB were measured and found to be 40 m and 80 m, respectively.Find the width of the river.<image 1>
選項: {'A': '120 m', 'B': '122 m', 'C': '123 m', 'D': '121 m'}
預測的答案: A
正確的答案: A

總結

本文記錄了從0到1實現一個多模態大模型的過程,包括模型結構、數據引擎、評測全流程。當前模型訓練數據與llava1.5-13b對齊,并且在MMMU評測上以更小的模型參數量超越了llava1.5-13b,當前訓練數據因為只采用了圖文多模態數據,在SFT階段,并未加入text-only數據,因此,語言模型端會出現一些退化。將來若有時間,會考慮加入更多的多模態數據及筆者私有數據進行訓練(如:《??【多模態 & 文檔智能】一次多模態大模型表格識別解析探索小實踐記錄??》),打造更強的Reyes模型。


本文轉載自公眾號大模型自然語言處理  作者:余俊暉

原文鏈接:??https://mp.weixin.qq.com/s/CH5FoRxoN6WHXPOMwG9gDA??

?著作權歸作者所有,如需轉載,請注明出處,否則將追究法律責任
已于2025-1-14 14:30:01修改
收藏
回復
舉報
回復
相關推薦
人人干人人干人人干| www.久久com| 欧美日韩大片在线观看| 欧美在线观看视频一区二区三区| 日韩美女av在线| 日韩av播放器| 亚洲资源一区| 久久综合久久综合亚洲| 国产主播喷水一区二区| 日韩污视频在线观看| 久久久影院免费| 日韩av在线免费播放| 一级黄色录像在线观看| 神马午夜在线视频| 亚洲精品国产第一综合99久久 | 在线精品免费视| 99久久国产综合精品成人影院| 亚洲成人精品av| av在线免费看片| 视频二区不卡| 亚洲成a天堂v人片| 99re99热| 成人亚洲综合天堂| 91在线你懂得| 国产精品 日韩| 国产理论视频在线观看| 丝袜亚洲另类欧美| 性欧美亚洲xxxx乳在线观看| 欧美手机在线观看| av在线不卡顿| 亚洲一二在线观看| 久久国产精品无码一级毛片| 久久天堂久久| 欧美人伦禁忌dvd放荡欲情| 成人久久久久久久久| 国产福利在线免费观看| 亚洲免费av观看| 五月天男人天堂| 成年人在线观看| 久久久国产午夜精品| 久久久久se| 日韩在线一区二区三区四区| 国产精品一卡二| 91久久在线观看| 国产精品久久久久久久免费| 久久精品国产亚洲a| 国产精品久久久精品| 亚洲 欧美 成人| 羞羞视频在线观看欧美| 97超级碰碰人国产在线观看| 日韩精品成人一区| 亚洲美女91| 91国内产香蕉| 欧美另类一区二区| 久久国产精品久久久久久电车| 91精品国产高清| 日本五十熟hd丰满| 日韩一级免费| 青青草一区二区| 国产寡妇亲子伦一区二区三区四区| 亚洲永久网站| 国产成+人+综合+亚洲欧洲 | 久草视频手机在线| 天天射综合网视频| 久久99精品国产99久久6尤物| www.av视频| 亚洲激情不卡| 国产精品91久久久| 曰批又黄又爽免费视频| 狠狠狠色丁香婷婷综合激情| 51国偷自产一区二区三区| wwwav网站| 精品嫩草影院| 亚洲精品国产欧美| 中文字幕成人动漫| 久久精品av| 欧美成人中文字幕| 国产在线观看成人| 老鸭窝91久久精品色噜噜导演| 日韩69视频在线观看| 91丨九色丨海角社区| 精东粉嫩av免费一区二区三区| 99热国产免费| 欧美女v视频| 国语精品视频| 99国产精品一区二区| 日韩在线视频国产| 草视频在线观看| 99精品免费视频| 国产日韩欧美综合| 黄频网站在线观看| 久久久久久久久免费| 一区二区三区日韩视频| 久久久123| 欧美中文字幕亚洲一区二区va在线 | 国产精品分类| 国产成人在线精品| 99久久精品国产色欲| 粉嫩久久99精品久久久久久夜| 激情视频一区二区| 欧美另类高清videos的特点| 国产美女主播视频一区| 免费精品视频一区| caopo在线| 91成人在线观看喷潮| 四虎国产精品永久免费观看视频| 国产精品亚洲片在线播放| 欧美成人免费小视频| 中文字幕在线播| 国产91丝袜在线播放| 亚洲精品免费在线看| 日韩激情电影免费看| 欧美一区二区免费观在线| 爱爱免费小视频| 欧美日韩国产一区精品一区| 国产精品视频在线播放| 日日夜夜精品免费| 亚洲色图欧美偷拍| 波多野结衣天堂| 色妞ww精品视频7777| 最新中文字幕亚洲| 中文字幕视频网站| 成人永久看片免费视频天堂| 在线国产精品网| 久久91导航| 国产午夜精品理论片a级探花| 久久亚洲AV无码| 韩国av一区二区三区四区 | 亚洲电影影音先锋| 国产精品a久久久久久| 爽爽视频在线观看| 免费污视频在线观看| 久久色.com| 欧美 日韩 国产 高清| 精品视频一区二区三区| 色偷偷亚洲男人天堂| 日本熟妇一区二区三区| 337p粉嫩大胆噜噜噜噜噜91av| 国产日韩亚洲欧美在线| 精品176极品一区| 国产亚洲精品高潮| 天天干,天天干| 久久先锋影音av| 九色在线视频观看| 天海翼精品一区二区三区| 97香蕉超级碰碰久久免费的优势| 亚洲精品无码久久久| 亚洲精品免费在线| 手机在线播放av| 欧美91福利在线观看| 91久久久精品| 日本孕妇大胆孕交无码| 日韩欧美国产综合一区| 欧美交换国产一区内射| 国产v日产∨综合v精品视频| 99在线免费视频观看| 大奶在线精品| 国产91成人video| 免费在线视频你懂得| 在线观看亚洲一区| 97人妻人人揉人人躁人人| 日韩av电影一区| 亚洲最新免费视频| 国产精品久久久久久久久久辛辛| 久久综合免费视频| 丰满熟女一区二区三区| 午夜伦欧美伦电影理论片| 中文字幕丰满乱子伦无码专区| 天堂成人国产精品一区| 伊人精品久久久久7777| 成人在线啊v| 国内揄拍国内精品少妇国语| 三级视频网站在线| 日本福利一区二区| 国产麻豆a毛片| 国产剧情一区二区| 无码专区aaaaaa免费视频| 亚洲美女15p| 成人av在线亚洲| 欧美人动性xxxxz0oz| 日韩av有码在线| 成年人视频免费| 亚洲精选视频在线| 国产人妻人伦精品1国产丝袜| 老妇喷水一区二区三区| 欧美少妇一级片| 亚洲福利网站| 91免费看片在线| 自拍网站在线观看| 久久久99免费视频| 天堂av手机版| 欧美精品久久一区二区三区 | 午夜国产不卡在线观看视频| 少妇无套高潮一二三区| 国产精品综合网| 国产性生交xxxxx免费| 欧美日韩1区| 日韩电影天堂视频一区二区| 精品国产亚洲一区二区三区| 欧美一级电影在线| a级影片在线| 亚洲片在线资源| 蜜桃av中文字幕| 欧美日韩视频第一区| 欧美成人精品欧美一级乱黄| 国产精品卡一卡二| 黄色性生活一级片| 国产米奇在线777精品观看| 免费看a级黄色片| 亚洲国产国产亚洲一二三| 一区二区三区|亚洲午夜| 欧美日韩另类图片| 亚洲影视中文字幕| 亚洲国产尤物| 国产91精品久久久久久久| 国产福利在线播放麻豆| 亚洲午夜精品久久久久久性色| www.久久伊人| 欧美肥妇毛茸茸| 无码免费一区二区三区| 亚洲成a人在线观看| 强制高潮抽搐sm调教高h| 久久久综合激的五月天| www.黄色网| 国产伦精品一区二区三区视频青涩| 热久久精品国产| 国产精品毛片一区二区三区| 成人免费a级片| 欧美不卡视频| 国产高潮呻吟久久久| 欧美mv日韩| 小说区图片区图片区另类灬| 亚洲制服欧美另类| 国产精品一区二区a| 婷婷综合国产| 91嫩草在线| 日韩欧美高清一区二区三区| 91久久精品国产91久久| 日本久久一区| 国产在线高清精品| 欧美aaaaaa| 国产精品中文字幕久久久| 素人啪啪色综合| 国产精品免费在线免费| 日韩三区在线| 国产精品99久久久久久人| 蜜桃成人精品| 国产精品视频26uuu| jizz久久久久久| 国产欧美精品一区二区三区介绍| 日日夜夜一区| 亚洲精品欧美日韩专区| 精品国产亚洲一区二区三区在线| 亚洲综合成人婷婷小说| 999久久久精品一区二区| 91免费人成网站在线观看18| 日韩中文字幕| 国产精品成人一区二区三区| 久久精品色播| 欧美亚洲另类久久综合| 日韩成人免费| 日本老太婆做爰视频| 国产精品v欧美精品v日本精品动漫| 欧美中日韩在线| 亚洲欧美日韩国产一区| 久久婷婷国产91天堂综合精品| 另类人妖一区二区av| 99中文字幕在线| 成人性生交大片| 成人h动漫精品一区| 国产欧美日本一区视频| 久久精品亚洲a| 亚洲高清免费一级二级三级| 日韩精品在线免费视频| 欧美综合亚洲图片综合区| 国产精品无码免费播放| 精品噜噜噜噜久久久久久久久试看| 凸凹人妻人人澡人人添| 在线观看免费高清视频97| 国产剧情在线| 69**夜色精品国产69乱| 粉嫩91精品久久久久久久99蜜桃| 99热国产免费| 欧美日韩伦理| www.日本少妇| 日韩av中文在线观看| 亚洲精品一二三四| 久久这里只有精品6| 99成人在线观看| 午夜国产不卡在线观看视频| 亚洲在线精品视频| 亚洲福利精品在线| 国产黄色免费在线观看| 免费91在线视频| 欧美一级大片| 国产chinese精品一区二区| blacked蜜桃精品一区| www.夜夜爱| 麻豆成人免费电影| 喷水视频在线观看| 亚洲日穴在线视频| 亚洲不卡视频在线观看| 欧美一区二区久久| 岛国在线视频| 97视频网站入口| 成人激情久久| 婷婷久久伊人| 国产日韩视频| 少妇熟女视频一区二区三区 | 国产在线精品免费| 37p粉嫩大胆色噜噜噜| 亚洲欧美成aⅴ人在线观看| 亚洲第一网站在线观看| 精品久久一区二区三区| 麻豆传媒视频在线| 日韩暖暖在线视频| 久久九九热re6这里有精品| 欧美三级午夜理伦三级老人| 视频一区二区三区中文字幕| 日本一卡二卡在线| 一区二区三区小说| 国产又粗又大又爽| 一色桃子一区二区| 亚洲一区资源| 久久一区二区精品| 影音先锋久久| 无码人妻丰满熟妇区毛片蜜桃精品 | 第一福利在线视频| 91丝袜美腿美女视频网站| 日本不卡免费一区| 亚洲欧美另类动漫| 国产人妖乱国产精品人妖| 天天干天天干天天| 日韩av在线免费观看一区| 77thz桃花论族在线观看| 成人av中文| 欧美日韩一视频区二区| 亚洲欧美激情一区二区三区| 亚洲人成网站色在线观看| 一级特黄aaaaaa大片| 中文字幕欧美国内| 三级成人在线| 欧美亚洲另类在线一区二区三区 | 国产乱叫456| ㊣最新国产の精品bt伙计久久| 国产尤物在线观看| 欧美精品免费播放| 久久久久九九精品影院| 少妇一晚三次一区二区三区| 国产风韵犹存在线视精品| 久草视频免费播放| 亚洲成人网在线观看| av资源中文在线| 久久99国产精品99久久| 亚洲女同同性videoxma| 国产熟妇久久777777| 欧美午夜片在线观看| 欧洲不卡av| 91亚洲精华国产精华| 欧美女人交a| 国产精品成人99一区无码| 黑人巨大精品欧美一区免费视频 | 国产亚洲短视频| 中文永久免费观看| 精品国产欧美成人夜夜嗨| 激情综合婷婷| 老太脱裤子让老头玩xxxxx| 久久久久久久综合日本| 性高潮视频在线观看| 久久久精品2019中文字幕神马| aaa国产精品视频| 国产a级一级片| 美女91精品| 女人十八毛片嫩草av| 这里只有精品视频在线观看| 女囚岛在线观看| 日本一区高清不卡| 国产在线视频不卡二| 日本一区二区免费在线观看| 亚洲男人av在线| 亚洲成人精品综合在线| 久久久久久人妻一区二区三区| 久久久久国产精品人| 国产强被迫伦姧在线观看无码| 久久久在线免费观看| 国产精品一区二区99| 少妇丰满尤物大尺度写真| 好吊成人免视频| 国产激情视频在线| 久久久久久一区| 韩国午夜理伦三级不卡影院| 日韩欧美高清在线观看| 视频在线观看99| 久久资源综合| 亚洲视频一二三四| 欧美日韩一区免费| av网站网址在线观看| 欧美一级二级三级九九九| 国产麻豆精品在线观看| 国产女主播喷水视频在线观看 |