精品欧美一区二区三区在线观看 _久久久久国色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修改
收藏
回復
舉報
回復
相關推薦
中文字幕va一区二区三区| 视频二区欧美毛片免费观看| 欧美激情一区三区| 91老司机在线| 日本少妇激情舌吻| 国产福利短视频| a天堂视频在线观看| h片在线观看视频免费| 国产亚洲综合av| 亚洲伊人久久综合| 综合网在线观看| 婷婷久久国产对白刺激五月99| 欧美成人vps| 欧美黄色一级片视频| 韩国av网站在线| 97久久久精品综合88久久| 国产精品视频在线观看| 国产亚洲成人av| 日韩精品永久网址| 亚洲国模精品一区| 黄色三级视频在线播放| 中文字幕av一区二区三区佐山爱| 成人国产二区| 2021久久国产精品不只是精品| 国产精品女人网站| 国产午夜视频在线播放| 天天操综合网| 亚洲欧美国产精品va在线观看| 天天干天天色天天干| 韩漫成人漫画| 亚洲成人免费视频| 麻豆映画在线观看| 亚洲成人三级| 国产午夜亚洲精品不卡| 国产三区精品| jizz中国少妇| 精品亚洲欧美一区| 国产精品99久久久久久久久久久久| 日本免费一二三区| 欧美片第1页综合| 中文字幕在线观看日韩| 亚洲av综合一区二区| 波多野结衣在线一区二区| 欧美精品久久久久久久多人混战| www.日日操| 永久免费毛片在线播放| 香蕉加勒比综合久久| 男的插女的下面视频| 影音先锋在线播放| 亚洲九九爱视频| 91制片厂免费观看| 国产精品扒开做爽爽爽的视频| 欧美高清在线一区| 日本一区视频在线播放| 日本中文字幕一区二区有码在线 | www.好吊操| 超碰免费在线播放| 亚洲精品乱码久久久久久黑人 | 亚洲另类黄色| 久久男人的天堂| 日韩欧美高清在线观看| 亚洲人成高清| 欧美洲成人男女午夜视频| 久久艹免费视频| 午夜在线a亚洲v天堂网2018| 青娱乐精品视频在线| 九九综合九九综合| 久久免费视频6| 亚洲激情自拍| 久久激情久久| 欧美精品一区在线观看| 久久久久亚洲av无码专区首jn| 免费在线观看国产精品| 日韩a一区二区| 在线观看欧美视频| 91杏吧porn蝌蚪| 欧美日韩mv| 性色av一区二区咪爱| 日韩不卡在线播放| 日本vs亚洲vs韩国一区三区| 国产欧美日韩综合精品| 精品国产av一区二区三区| 福利电影一区二区| 久久精品ww人人做人人爽| 久久电影中文字幕| 亚洲图片欧美激情| 热99这里只有精品| www.一区| 欧美精品一区二区三区高清aⅴ | 久久久蜜桃精品| 亚洲精品欧洲精品| 色屁屁www国产馆在线观看| 亚洲国产毛片aaaaa无费看| 国产精品沙发午睡系列| 素人啪啪色综合| 日韩欧美色电影| 色噜噜日韩精品欧美一区二区| 久久国产成人午夜av影院宅| 久久久久久国产精品| 国产日韩久久久| 国产成a人亚洲精| 水蜜桃亚洲一二三四在线| 二区在线播放| 91久久线看在观草草青青| 奇米777在线| 狠狠色狠狠色综合婷婷tag| 欧美另类xxx| 中文字幕一区二区在线视频| 成人av片在线观看| 麻豆中文字幕在线观看| 亚洲精品日产| 精品99久久久久久| 久久精品一区二区三区四区五区| 亚洲在线免费| 国产精品美女久久久久av福利| 97在线观看免费观看高清 | 亚洲男同性视频| 久久久久久久久久福利| 成人在线tv视频| 久久激情视频久久| 加勒比在线一区| 粉嫩绯色av一区二区在线观看| 鲁丝片一区二区三区| 欧美性video| 欧美日韩三级一区| 久久久久麻豆v国产精华液好用吗 在线观看国产免费视频 | www欧美激情| 精品少妇3p| 久久精品免费播放| 在线不卡免费视频| 91农村精品一区二区在线| 性做爰过程免费播放| 天堂av中文在线观看| 日韩午夜av电影| 奇米网一区二区| 国产精品视频| 国产精品一区二区欧美黑人喷潮水| 成人av电影观看| 日韩欧美国产视频| 亚洲av无码一区东京热久久| 天天做天天爱天天综合网| 欧美一区二区.| 污视频在线免费观看| 亚洲激情自拍偷拍| 特黄视频免费观看| 成人毛片在线| 国产成人高清激情视频在线观看| 欧洲免费在线视频| 午夜亚洲福利老司机| 成人做爰69片免费| 欧美精品91| 亚洲一区二区在线| 免费a级毛片在线播放| 欧美久久一二区| 成人在线手机视频| 石原莉奈在线亚洲三区| 九色一区二区| 狂野欧美激情性xxxx欧美| 欧美不卡一二三| 加勒比av在线播放| 国产白丝精品91爽爽久久| 激情视频小说图片| 日韩成人在线观看视频| 日韩视频精品在线| 国产乱淫av片免费| 亚洲乱码国产乱码精品精的特点| 一二三级黄色片| 91精品啪在线观看国产18| 国产一区二中文字幕在线看| 国产露出视频在线观看| 在线播放日韩导航| 精品国产精品国产精品| 国产一区二区三区在线观看精品 | 在线电影一区二区| 亚洲xxx视频| 黄色成人在线网| 亚洲国产欧美一区二区三区同亚洲| 天天综合网入口| 2024国产精品| 91香蕉视频导航| 色综合久久网| 91久久久久久久| a级片免费在线观看| 亚洲韩国日本中文字幕| 91av在线免费视频| 国产午夜精品理论片a级大结局| 一本色道无码道dvd在线观看| 欧美高清在线| 成人一区二区三区四区| 天堂√中文最新版在线| 国产亚洲人成网站在线观看| 一级特黄特色的免费大片视频| 国产精品毛片久久久久久久| 亚洲欧美日韩偷拍| 丝袜美腿亚洲色图| 中国一区二区三区| 高潮久久久久久久久久久久久久| 久久久噜噜噜久久久| yiren22综合网成人| 日韩一区二区三区观看| 精品欧美一区二区三区免费观看| 国产女人aaa级久久久级 | 亚洲毛片在线看| 国产精品久久久久久免费播放| 一区二区成人在线| 国产精品815.cc红桃| 久久福利视频一区二区| 久久国产精品网| 日韩欧美高清| 欧美日韩一区二区三区免费| 91精品网站在线观看| 97色在线视频| 日本高清视频在线观看| 亚洲第一网站免费视频| 成人免费视频国产免费| 精品福利视频导航| 91无套直看片红桃在线观看| www.成人网.com| 尤物国产在线观看| 亚洲区第一页| 精品丰满人妻无套内射| 日韩黄色大片| 韩国成人一区| 国产一区二区三区免费在线| 日本亚洲欧美成人| 最新超碰在线| 美女视频久久黄| 国产人成在线视频| 亚洲黄色www网站| 国产免费高清视频| 色哟哟一区二区| 亚洲永久精品在线观看| 亚洲精选免费视频| www中文在线| 久久久亚洲高清| 中文字幕一区二区三区乱码不卡| 国产精一区二区三区| 中文字幕av专区| 久久久久国产精品午夜一区| 亚洲国产精品无码观看久久| 99热国内精品| 日韩高清国产精品| 最近国产精品视频| 精品在线视频一区二区| 成人另类视频| 91嫩草免费看| 国产成人精品亚洲线观看| 91丨九色丨国产在线| 国内自拍亚洲| 国产精品视频免费在线| 亚洲1234区| 国产精品久久久久久久久久久久久| 新版的欧美在线视频| 91精品91久久久久久| 国精产品一区一区三区mba下载| 久久国产色av| 欧美videosex性欧美黑吊| 九色精品美女在线| 亚洲综合伊人久久大杳蕉| 欧美精品在线看| 中文字幕有码在线观看| 午夜精品久久久久久久99热浪潮 | 免费激情视频在线观看| 国产精品日韩| 国产熟女高潮视频| 亚洲精品乱码久久久久久蜜桃麻豆| 久久久久久久午夜| 久久精品123| 国产精品乱码久久久久| 日韩vs国产vs欧美| 亚洲一级片免费| 国产乱子伦视频一区二区三区| 蜜桃福利午夜精品一区| 国产乱码精品一区二区三区五月婷| 天堂av手机在线| 国产麻豆成人传媒免费观看| 国产伦精品一区三区精东| 99久久综合国产精品| 亚洲自拍偷拍一区二区| 欧美韩国日本一区| 深夜福利影院在线观看| 亚洲高清在线视频| 青青青国产在线| 欧美三级中文字幕| 怡红院男人的天堂| 日韩精品一区二区三区在线观看| 欧美一级淫片aaaaaa| 亚洲精品影视在线观看| 91精品专区| 韩国精品久久久999| 欧美日韩在线精品一区二区三区激情综合 | 久久福利免费视频| 亚洲一区二区三区在线播放| 99re这里只有精品在线| 91精品国产乱| 性xxxx18| 色偷偷亚洲男人天堂| av中文字幕在线观看| 日本乱人伦a精品| 日本亚洲欧洲无免费码在线| 国产91亚洲精品一区二区三区| 在线亚洲a色| 国产一级片91| 看电视剧不卡顿的网站| 日批免费观看视频| 国产日韩欧美综合一区| 亚洲国产成人精品综合99| 一本久道中文字幕精品亚洲嫩| 国产女人爽到高潮a毛片| 国产伦理久久久久久妇女| 一本久久综合亚洲鲁鲁五月天| 免费看国产曰批40分钟| 久久不射网站| 在线观看免费视频污| 成人教育av在线| 91精品国产色综合| 国产亚洲一区二区手机在线观看 | 搞黄视频免费在线观看| 欧美另类交人妖| 国产 日韩 欧美一区| 99re在线| 希岛爱理av免费一区二区| 美女av免费观看| 免费成人av在线| www.久久国产| 一个色综合av| 国产麻豆91视频| 亚洲人在线视频| 青草青在线视频| 国产精品高潮呻吟久久av野狼| 99久久香蕉| 亚洲精品国产精品国自产| 美女网站久久| 999精品免费视频| 亚洲激情自拍偷拍| 亚洲性生活大片| 最好看的2019的中文字幕视频| 超碰91在线观看| 99久久99| 欧美国产精品| 中文字幕av一区二区三区人妻少妇| 国产日韩欧美激情| 久久午夜免费视频| 精品女同一区二区| 米奇777四色精品人人爽| 国产精品男女猛烈高潮激情| 国产成人高清| 国产av无码专区亚洲精品| av中文一区二区三区| 欧美激情国产精品免费| 欧美探花视频资源| 电影在线高清| 国产精品第七十二页| 国产一区网站| 日韩av片在线看| 2014亚洲片线观看视频免费| 黑人一级大毛片| 亚洲а∨天堂久久精品9966 | 国产女同互慰高潮91漫画| 天天干,天天干| 亚洲片av在线| 日本综合视频| 亚洲精品国产一区| 国产一区二区0| 欧美成人aaa片一区国产精品| 日韩一级精品视频在线观看| 成人在线观看亚洲| 91精品网站| 国产一区日韩欧美| 无码人妻丰满熟妇区毛片蜜桃精品 | 爱情岛论坛亚洲品质自拍视频网站| 国产在线精品二区| 99日韩精品| 丰满少妇一区二区| 欧美人妖巨大在线| 黄av在线播放| 亚洲影院污污.| 一区二区三区国产盗摄| www在线观看免费视频| 欧美日韩黄视频| 在线免费av导航| 99在线视频免费观看| 久久国产日韩| 国产成人免费在线观看视频| 欧美一区日韩一区| 91黄页在线观看| 秋霞久久久久久一区二区| 亚洲精品一二| 亚洲精品午夜视频| 91精品国产入口| 成人免费网站在线观看视频| 激情一区二区三区| 日av在线不卡| 欧美三级小视频| 亚洲一级片在线看| 国产专区精品| 18岁网站在线观看| 国产精品剧情在线亚洲| 开心激情综合网| 日本久久久a级免费|