成人免费xxxxx在线视频软件_久久精品久久久_亚洲国产精品久久久_天天色天天色_亚洲人成一区_欧美一级欧美三级在线观看

Java 原子操作類之18羅漢增強類

開發 前端
AtomicInteger、AtomicBoolean等java.util.concurrent包下面的類,但是這個只能并發修改一個屬性,如果我需要對多個屬性同時進行并發修改,并且保證原子性呢?

Java開發手冊

17.【參考】volatile 解決多線程內存不可見問題對于一寫多讀,是可以解決變量同步問題,但是如果多

寫,同樣無法解決線程安全問題。

說明:如果是 count++操作,使用如下類實現:

AtomicInteger count = new AtomicInteger();

count.addAndGet(1);

如果是 JDK8,推薦使用 LongAdder 對象,比 AtomicLong 性能更好(減少樂觀鎖的重試次數)

基本類型原子類

  • AtomicInteger
  • AtomicBoolean
  • AtomicLong

常用API簡介

  • public final int get() //獲取當前的值
  • public final int getAndSet(int newValue)//獲取當前的值,并設置新的值
  • public final int getAndIncrement()//獲取當前的值,并自增
  • public final int getAndDecrement() //獲取當前的值,并自減
  • public final int getAndAdd(int delta) //獲取當前的值,并加上預期的值
  • boolean compareAndSet(int expect, int update) //如果輸入的數值等于預期值,則以原子方式將該值設置為輸入值(update)

舉個栗子

import java.util.concurrent.CountDownLatch;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicInteger;

class MyNumber {

    AtomicInteger atomicInteger = new AtomicInteger();
    public void addPlusPlus(){
        atomicInteger.incrementAndGet();
    }
}


public class AtomicIntegerDemo {

    public static final int SIZE = 50;

    public static void main(String[] args) throws InterruptedException {

        MyNumber myNumber = new MyNumber();

        CountDownLatch countDownLatch = new CountDownLatch(SIZE);
        for (int i = 1; i <= SIZE; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1 ;j <=1000; j++) {
                        myNumber.addPlusPlus();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch.countDown();
                }
            },String.valueOf(i)).start();
        }

        countDownLatch.await();

        System.out.println(Thread.currentThread().getName()+"\t"+"---result : "+myNumber.atomicInteger.get());


    }
}

上述案例使用的AtomicInteger進行的類似累加的操作,底層使用的volatile來實現的,已經保障了可見性,所以數據一定是正確的。

之所以是CountDownLatch 是為了保障main線程輸出結果的時候,所有的線程都已經完成了計算。

數組類型原子類

  • AtomicIntegerArray
  • AtomicLongArray
  • AtomicReferenceArray

demo

import java.util.concurrent.atomic.AtomicIntegerArray;


public class AtomicIntegerArrayDemo {

    public static void main(String[] args) {
        AtomicIntegerArray atomicIntegerArray = new AtomicIntegerArray(5);

        for (int i = 0; i <atomicIntegerArray.length(); i++) {
            System.out.println(atomicIntegerArray.get(i));
        }
        System.out.println();
        System.out.println();
        System.out.println();
        int tmpInt = 0;

        tmpInt = atomicIntegerArray.getAndSet(0,1122);
        System.out.println(tmpInt+"\t"+atomicIntegerArray.get(0));
        atomicIntegerArray.getAndIncrement(1);
        atomicIntegerArray.getAndIncrement(1);
        tmpInt = atomicIntegerArray.getAndIncrement(1);
        System.out.println(tmpInt+"\t"+atomicIntegerArray.get(1));

    }
}

引用類型原子類

  • AtomicReference
  • AtomicStampedReference
  • AtomicMarkableReference

AtomicReference

使用場景

解決并發修改多個屬性

AtomicInteger、AtomicBoolean等java.util.concurrent包下面的類,但是這個只能并發修改一個屬性,如果我需要對多個屬性同時進行并發修改,并且保證原子性呢?

AtomicReference和AtomicInteger非常類似,不同之處就在于AtomicInteger是對整數的封裝,而AtomicReference則對應普通的對象引用,是操控多個屬性的原子性的并發類。

舉個栗子

public class AtomicReferenceDemo {
    public static void main(String[] args) {
        User z3 = new User("z3",24);
        User li4 = new User("li4",26);

        AtomicReference<User> atomicReferenceUser = new AtomicReference<>();

        atomicReferenceUser.set(z3);

        System.out.println(atomicReferenceUser.compareAndSet(z3,li4)+"\t"+atomicReferenceUser.get().toString());
        System.out.println(atomicReferenceUser.compareAndSet(z3,li4)+"\t"+atomicReferenceUser.get().toString());

    }
}

使用AtomicReference實現CAS

/**
 * 題目:實現一個自旋鎖
 * 自旋鎖好處:循環比較獲取沒有類似wait的阻塞。
 *
 * 通過CAS操作完成自旋鎖,A線程先進來調用myLock方法自己持有鎖5秒鐘,B隨后進來后發現
 * 當前有線程持有鎖,不是null,所以只能通過自旋等待,直到A釋放鎖后B隨后搶到。
 */
public class SpinLockDemo {
    AtomicReference<Thread> atomicReference = new AtomicReference<>();

    public void MyLock() {
        System.out.println(Thread.currentThread().getName()+"\t"+"---come in");
        while(!atomicReference.compareAndSet(null,Thread.currentThread())) {

        }
        System.out.println(Thread.currentThread().getName()+"\t"+"---持有鎖成功");
    }

    public void MyUnLock() {
        atomicReference.compareAndSet(Thread.currentThread(),null);
        System.out.println(Thread.currentThread().getName()+"\t"+"---釋放鎖成功");
    }

    public static void main(String[] args) {
        SpinLockDemo spinLockDemo = new SpinLockDemo();

        new Thread(() -> {
            spinLockDemo.MyLock();
            try { TimeUnit.SECONDS.sleep(5); } catch (InterruptedException e) { e.printStackTrace(); }
            spinLockDemo.MyUnLock();
        },"t1").start();

        new Thread(() -> {
            spinLockDemo.MyLock();
            spinLockDemo.MyUnLock();
        },"t2").start();
    }
}

AtomicStampedReference

攜帶版本號的引用類型原子類,可以解決ABA問題

demo

public class ABADemo {
    static AtomicInteger atomicInteger = new AtomicInteger(100);
    static AtomicStampedReference<Integer> atomicStampedReference = new AtomicStampedReference<>(100,1);

    public static void main(String[] args) {
        new Thread(() -> {
            int stamp = atomicStampedReference.getStamp();
            System.out.println(Thread.currentThread().getName()+"\t"+"---默認版本號: "+stamp);
            //讓后面的t4獲得和t3一樣的版本號,都是1,好比較
            try { TimeUnit.SECONDS.sleep(1); } catch (InterruptedException e) { e.printStackTrace(); }

            atomicStampedReference.compareAndSet(100,101,stamp,stamp+1);
            System.out.println(Thread.currentThread().getName()+"\t"+"---1次版本號: "+atomicStampedReference.getStamp());
            atomicStampedReference.compareAndSet(101,100,atomicStampedReference.getStamp(),atomicStampedReference.getStamp()+1);
            System.out.println(Thread.currentThread().getName()+"\t"+"---2次版本號: "+atomicStampedReference.getStamp());
        },"t3").start();

        new Thread(() -> {
            int stamp = atomicStampedReference.getStamp();
            System.out.println(Thread.currentThread().getName()+"\t"+"---默認版本號: "+stamp);
            //上前面的t3完成ABA問題
            try { TimeUnit.SECONDS.sleep(3); } catch (InterruptedException e) { e.printStackTrace(); }
            boolean result = atomicStampedReference.compareAndSet(100, 20210308, stamp, stamp + 1);
            System.out.println(Thread.currentThread().getName()+"\t"+"---操作成功否:"+result+"\t"+atomicStampedReference.getStamp()+"\t"+atomicStampedReference.getReference());
        },"t4").start();
    }

    public static void abaProblem() {
        new Thread(() -> {
            atomicInteger.compareAndSet(100,101);
            atomicInteger.compareAndSet(101,100);
        },"t1").start();

        //暫停毫秒
        try { TimeUnit.MILLISECONDS.sleep(10); } catch (InterruptedException e) { e.printStackTrace(); }

        new Thread(() -> {
            boolean b = atomicInteger.compareAndSet(100, 20210308);
            System.out.println(Thread.currentThread().getName()+"\t"+"修改成功否:"+b+"\t"+atomicInteger.get());
        },"t2").start();
    }
}

AtomicMarkableReference

原子更新帶有標記位的引用類型對象,它的定義就是將狀態戳簡化為true|false,

可以理解為上面AtomicStampedReference的簡化版,就是不關心修改過幾次,僅僅關心是否修改過。因此變量mark是boolean類型,僅記錄值是否有過修改。不建議使用。

demo

public class ABADemo {

    static AtomicMarkableReference markableReference = new AtomicMarkableReference(100,false);

    public static void main(String[] args) {

        System.out.println("============AtomicMarkableReference不關心引用變量更改過幾次,只關心是否更改過======================");

        new Thread(() -> {
            boolean marked = markableReference.isMarked();
            System.out.println(Thread.currentThread().getName()+"\t 1次版本號"+marked);
            try { TimeUnit.MILLISECONDS.sleep(100); } catch (InterruptedException e) { e.printStackTrace(); }
            markableReference.compareAndSet(100,101,marked,!marked);
            System.out.println(Thread.currentThread().getName()+"\t 2次版本號"+markableReference.isMarked());
            markableReference.compareAndSet(101,100,markableReference.isMarked(),!markableReference.isMarked());
            System.out.println(Thread.currentThread().getName()+"\t 3次版本號"+markableReference.isMarked());
        },"t5").start();

        new Thread(() -> {
            boolean marked = markableReference.isMarked();
            System.out.println(Thread.currentThread().getName()+"\t 1次版本號"+marked);
            //暫停幾秒鐘線程
            try { TimeUnit.MILLISECONDS.sleep(3000); } catch (InterruptedException e) { e.printStackTrace(); }
            markableReference.compareAndSet(100,2020, marked, !marked);
            System.out.println(Thread.currentThread().getName()+"\t"+markableReference.getReference()+"\t"+markableReference.isMarked());
        },"t6").start();
    }
}

對象的屬性修改原子類

  • AtomicIntegerFieldUpdater:原子更新對象中int類型字段的值
  • AtomicLongFieldUpdater:原子更新對象中Long類型字段的值
  • AtomicReferenceFieldUpdater:原子更新引用類型字段的值

為什么有這些東西?

使用目的:以一種線程安全的方式操作非線程安全對象內的某些字段。

使用要求

  1. 更新的對象屬性必須使用 public volatile 修飾符。
  2. 因為對象的屬性修改類型原子類都是抽象類,所以每次使用都必須使用靜態方法newUpdater()創建一個更新器,并且需要設置想要更新的類和屬性。

demo

AtomicIntegerFieldUpdaterDemo

import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicIntegerFieldUpdater;

class BankAccount {
    String bankName = "ccb";

    //以一種線程安全的方式操作非線程安全對象內的某些字段

    //1 更新的對象屬性必須使用 public volatile 修飾符。
    public volatile int money = 0;

    //2 因為對象的屬性修改類型原子類都是抽象類,所以每次使用都必須
    // 使用靜態方法newUpdater()創建一個更新器,并且需要設置想要更新的類和屬性。
    private static final AtomicIntegerFieldUpdater<BankAccount> FieldUpdater = AtomicIntegerFieldUpdater.newUpdater(BankAccount.class,"money");

    public void transfer(BankAccount bankAccount) {
        FieldUpdater.incrementAndGet(bankAccount);
    }
}


public class AtomicIntegerFieldUpdaterDemo {

    public static void main(String[] args) throws InterruptedException {
        BankAccount bankAccount = new BankAccount();

        for (int i = 1; i <=1000; i++) {
            new Thread(() -> {
                bankAccount.transfer(bankAccount);
            },String.valueOf(i)).start();
        }

        //暫停幾秒鐘線程
        try { TimeUnit.SECONDS.sleep(1); } catch (InterruptedException e) { e.printStackTrace(); }

        System.out.println(Thread.currentThread().getName()+"\t"+"---bankAccount: "+bankAccount.money);
    }
}

AtomicReferenceFieldUpdater

package com.atguigu.juc.atomics;

import lombok.Data;

import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicReferenceFieldUpdater;

@Data
class MyVar {
    public volatile String isInit = "111";
    private static final AtomicReferenceFieldUpdater<MyVar,String> FieldUpdater = AtomicReferenceFieldUpdater.newUpdater(MyVar.class,String.class,"isInit");

    public void init(MyVar myVar) {
        if(FieldUpdater.compareAndSet(myVar,"111", "222")) {
            System.out.println(Thread.currentThread().getName()+"\t"+"---start init");
            try { TimeUnit.SECONDS.sleep(3); } catch (InterruptedException e) { e.printStackTrace(); }
            System.out.println(Thread.currentThread().getName()+"\t"+"---end init -- " + myVar.getIsInit());
        }else{
            System.out.println(Thread.currentThread().getName()+"\t"+"---搶奪失敗,已經有線程在修改中 --" + myVar.getIsInit());
        }
    }

}


/**
 * 
 *  多線程并發調用一個類的初始化方法,如果未被初始化過,將執行初始化工作,要求只能初始化一次
 */
public class AtomicReferenceFieldUpdaterDemo {
    public static void main(String[] args) {
        MyVar myVar = new MyVar();
        for (int i = 1; i <=5; i++) {
            new Thread(() -> {
                myVar.init(myVar);
            },String.valueOf(i)).start();
        }
    }
}

關聯面試題

  1. 面試官問你:你在哪里用了volatile :AtomicReferenceFieldUpdater :
  2. 既然已經有了AtomicInteger,為什么又多此一舉弄出個AtomicIntegerFieldUpdater來呢?其實主要有兩方面原因:
  1. 要使用AtomicInteger需要修改代碼,將原來int類型改造成AtomicInteger,使用該對象的地方都要進行調整(多進行一次get()操作獲取值),但是有時候代碼不是我們想改就能改動的。
  2. 也是比較重要的一個特性,AtomicIntegerFieldUpdater可以節省內存消耗。
  3. 引用:https://juejin.cn/post/6907610980428021773#comment

原子操作增強類

分類

  • DoubleAccumulator
  • DoubleAdder
  • LongAccumulator
  • LongAdder

前言

  1. 熱點商品點贊計算器,點贊數加加統計,不要求實時精確
  2. 一個很大的List,里面都是int類型,如何實現加加,說說思路

入門講解

  • LongAdder只能用來計算加法,且從零開始計算
  • LongAccumulator 提供了自定義的函數操作

demo

import java.util.concurrent.atomic.LongAccumulator;
import java.util.concurrent.atomic.LongAdder;
import java.util.function.LongBinaryOperator;

public class LongAdderAPIDemo {
    public static void main(String[] args) {
        LongAdder longAdder = new LongAdder();//只能做加法

        longAdder.increment();
        longAdder.increment();
        longAdder.increment();

        System.out.println(longAdder.longValue());

        LongAccumulator longAccumulator = new LongAccumulator((left, right) -> left - right, 100);

        longAccumulator.accumulate(1);//1
        longAccumulator.accumulate(2);//3
        longAccumulator.accumulate(3);//6

        System.out.println(longAccumulator.longValue());


    }
}

demo--LongAdder高性能對比Code

import java.util.concurrent.CountDownLatch;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.concurrent.atomic.AtomicLong;
import java.util.concurrent.atomic.LongAccumulator;
import java.util.concurrent.atomic.LongAdder;

class ClickNumber {
    int number = 0;
    public synchronized void add_Synchronized() {
        number++;
    }

    AtomicInteger atomicInteger = new AtomicInteger();
    public void add_AtomicInteger() {
        atomicInteger.incrementAndGet();
    }

    AtomicLong atomicLong = new AtomicLong();
    public void add_AtomicLong() {
        atomicLong.incrementAndGet();
    }

    LongAdder longAdder = new LongAdder();
    public void add_LongAdder() {
        longAdder.increment();
        //longAdder.sum();
    }

    LongAccumulator longAccumulator = new LongAccumulator(Long::sum,0);
    public void add_LongAccumulator() {
        longAccumulator.accumulate(1);
    }

}


/**
 *
 *  50個線程,每個線程100W次,總點贊數出來
 */
public class LongAdderCalcDemo {

    public static final int SIZE_THREAD = 50;
    public static final int _1W = 10000;

    public static void main(String[] args) throws InterruptedException {
        ClickNumber clickNumber = new ClickNumber();
        long startTime;
        long endTime;

        CountDownLatch countDownLatch1 = new CountDownLatch(SIZE_THREAD);
        CountDownLatch countDownLatch2 = new CountDownLatch(SIZE_THREAD);
        CountDownLatch countDownLatch3 = new CountDownLatch(SIZE_THREAD);
        CountDownLatch countDownLatch4 = new CountDownLatch(SIZE_THREAD);
        CountDownLatch countDownLatch5 = new CountDownLatch(SIZE_THREAD);
        //========================

        startTime = System.currentTimeMillis();
        for (int i = 1; i <=SIZE_THREAD; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1; j <=100 * _1W; j++) {
                        clickNumber.add_Synchronized();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch1.countDown();
                }
            },String.valueOf(i)).start();
        }
        countDownLatch1.await();
        endTime = System.currentTimeMillis();
        System.out.println("----costTime: "+(endTime - startTime) +" 毫秒"+"\t add_Synchronized"+"\t"+clickNumber.number);


        startTime = System.currentTimeMillis();
        for (int i = 1; i <=SIZE_THREAD; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1; j <=100 * _1W; j++) {
                        clickNumber.add_AtomicInteger();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch2.countDown();
                }
            },String.valueOf(i)).start();
        }
        countDownLatch2.await();
        endTime = System.currentTimeMillis();
        System.out.println("----costTime: "+(endTime - startTime) +" 毫秒"+"\t add_AtomicInteger"+"\t"+clickNumber.atomicInteger.get());

        startTime = System.currentTimeMillis();
        for (int i = 1; i <=SIZE_THREAD; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1; j <=100 * _1W; j++) {
                        clickNumber.add_AtomicLong();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch3.countDown();
                }
            },String.valueOf(i)).start();
        }
        countDownLatch3.await();
        endTime = System.currentTimeMillis();
        System.out.println("----costTime: "+(endTime - startTime) +" 毫秒"+"\t add_AtomicLong"+"\t"+clickNumber.atomicLong.get());

        startTime = System.currentTimeMillis();
        for (int i = 1; i <=SIZE_THREAD; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1; j <=100 * _1W; j++) {
                        clickNumber.add_LongAdder();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch4.countDown();
                }
            },String.valueOf(i)).start();
        }
        countDownLatch4.await();
        endTime = System.currentTimeMillis();
        System.out.println("----costTime: "+(endTime - startTime) +" 毫秒"+"\t add_LongAdder"+"\t"+clickNumber.longAdder.longValue());

        startTime = System.currentTimeMillis();
        for (int i = 1; i <=SIZE_THREAD; i++) {
            new Thread(() -> {
                try {
                    for (int j = 1; j <=100 * _1W; j++) {
                        clickNumber.add_LongAccumulator();
                    }
                }catch (Exception e){
                    e.printStackTrace();
                }finally {
                    countDownLatch5.countDown();
                }
            },String.valueOf(i)).start();
        }
        countDownLatch5.await();
        endTime = System.currentTimeMillis();
        System.out.println("----costTime: "+(endTime - startTime) +" 毫秒"+"\t add_LongAccumulator"+"\t"+clickNumber.longAccumulator.longValue());
    }
}

結果

源碼、原理分析

官方api

這個類是通常優選AtomicLong當多個線程更新時使用,用于諸如收集統計信息,不用于細粒度同步控制的共同總和。 在低更新爭議下,這兩類具有相似的特征。 但是,在高度爭議的情況下,這一類的預期吞吐量明顯高于犧牲更高的空間消耗。

LongAdder是Striped64的子類,Striped64有幾個比較重要的成員函數

  • base變量:非競爭狀態條件下,直接累加到該變量上
  • Cell[ ]數組:競爭條件下(高并發下),累加各個線程自己的槽Cell[i]中
/** Number of CPUS, to place bound on table sizeCPU數量,即cells數組的最大長度 */
static final int NCPU = Runtime.getRuntime().availableProcessors();

/**
 * Table of cells. When non-null, size is a power of 2.
cells數組,為2的冪,2,4,8,16.....,方便以后位運算
 */
transient volatile Cell[] cells;

/**基礎value值,當并發較低時,只累加該值主要用于沒有競爭的情況,通過CAS更新。
 * Base value, used mainly when there is no contention, but also as
 * a fallback during table initialization races. Updated via CAS.
 */
transient volatile long base;

/**創建或者擴容Cells數組時使用的自旋鎖變量調整單元格大?。〝U容),創建單元格時使用的鎖。
 * Spinlock (locked via CAS) used when resizing and/or creating Cells. 
 */
transient volatile int cellsBusy;

cell 是java.util.concurrent.atomic 下 Striped64 的一個內部類

LongAdder為什么這么快-分散熱點

LongAdder在無競爭的情況,跟AtomicLong一樣,對同一個base進行操作。

當出現競爭關系時則采用化整為零的做法,用空間換時間,用一個數組cells將一個value拆分進這個數組cells。多個線程需要同時對value進行操作時候,

對線程id進行hash,再根據hash值映射到這個數組cells的某個下標,再對該下標所對應的值進行自增操作。當所有線程操作完畢,將數組cells的所有值和無競爭值base都加起來作為最終結果。

sum( )會將所有cell數組中的value和base累加作為返回值,核心的思想就是將之前AtomicLong一個value的更新壓力分散到多個value中去,從而降級更新熱點。

責任編輯:武曉燕 來源: 今日頭條
相關推薦

2020-07-08 07:56:08

Java工具類包裝類

2021-03-26 07:51:51

Emacs應用buffer

2014-01-09 09:45:41

原子飛原子

2021-04-05 08:11:04

Java基礎Calendar類DateFormat類

2009-07-22 09:31:59

Scala類類層級Java類

2009-07-22 16:27:24

iBATIS配置類iBATIS操作類

2016-12-13 14:03:54

JAVA操作工具

2011-06-16 11:13:13

QtQWidget

2020-06-27 09:01:53

Java包裝類編程語言

2021-06-29 10:07:24

Javalong原子操作

2011-06-16 11:28:48

Qt QApplicati

2020-11-27 06:44:22

原子加鎖x86

2021-03-22 09:56:01

Java基礎System類Static

2023-03-30 08:01:15

2021-03-07 08:46:54

Java時間操作Joda-Time

2012-02-22 14:14:43

Java

2021-04-29 07:43:51

JavaUnsafe 基礎native方法

2021-05-28 08:23:03

JavaScriptSet編程

2016-12-13 10:59:59

日期操作工具
點贊
收藏

51CTO技術棧公眾號

主站蜘蛛池模板: 午夜视频大全 | 欧美日韩视频 | 中文字幕 欧美 日韩 | 国产成人免费视频网站高清观看视频 | 午夜成人免费电影 | 亚洲一区二区三 | 亚洲精品一区二区网址 | 欧美激情综合网 | 久久99精品久久久久久青青日本 | 亚洲精品久久久久中文字幕欢迎你 | 91精品久久久久久久久中文字幕 | 一区二区三区四区在线免费观看 | 欧美一级视频免费看 | 国产亚洲精品久久久优势 | 国产一区精品在线 | 中国一级特黄真人毛片免费观看 | 国产丝袜一区二区三区免费视频 | 亚洲精品一区二区三区中文字幕 | a级片在线观看 | 亚洲精品美女在线观看 | 色橹橹欧美在线观看视频高清 | 国产精品久久久久久中文字 | 欧美一区二区三区四区视频 | 97精品一区二区 | 91福利电影在线观看 | 国产精品久久99 | 欧美成人精品一区二区男人看 | 91毛片在线观看 | 国产精品国产成人国产三级 | 久久午夜精品福利一区二区 | 日韩中文字幕 | 国产精品亚洲欧美日韩一区在线 | 亚洲男人的天堂网站 | 黄色片免费 | 亚洲第一av网站 | 日韩免费看片 | 国产精品视频网站 | 免费同性女女aaa免费网站 | 亚洲一区二区三区四区五区中文 | 国产三级在线观看播放 | 日韩欧美1区2区 |