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

一文讀懂函數式接口、Lambda表達式、Stream

開發 前端
Lambda 表達式是一種用于傳遞匿名函數的簡潔語法。它提供了一種更緊湊的方式來表示可以傳遞給方法的代碼塊。Lambda 表達式主要用于函數式接口,可以看作是對函數式接口的一個實現。

前言

? Java 8 中引入很多有意思的新特性,本篇文章我們來聊聊其中三個比較重要的特性:函數式接口、Lambda表達式、Stream流,我們分別從示例用法、底層原理、最佳實踐三個方面來了解這些特性。

版本

? JDK 8

函數式接口

定義

? 函數式接口是 Java 8 引入的一種接口,它只包含一個抽象方法。函數式接口的存在是為了支持 Lambda 表達式,使得我們可以使用更簡潔、更靈活的方式編寫匿名函數。

@FunctionalInterface
interface Calculator {
    int add(int a, int b);

    default int subtract(int a, int b) {
        return a - b;
    }

    static int multiply(int a, int b) {
        return a * b;
    }
}

? @FunctionalInterface 注解是可選的,推薦使用。該注解會讓編譯器強制檢查接口是否滿足函數式接口定義。

特點

? 只能有一個抽象方法,可以有參數和返回值。

? 可以包含多個默認方法(使用 default 關鍵字)和靜態方法(使用 static 關鍵字),不違反函數式接口的定義。

說明:
默認方法和靜態方法在 Java 8 中引入,目的是在引入新功能的同時不改變已有實現。
從而實現接口的的逐步演進,不需要同時修改所有實現類。

使用

@FunctionalInterface
interface Calculator {
    int add(int a, int b);

    default int subtract(int a, int b) {
        return a - b;
    }

    static int multiply(int a, int b) {
        return a * b;
    }
}

public class TestMain {
    public static void main(String[] args) {
        Calculator addCalculator = (a, b) -> a + b;
        System.out.println(addCalculator.add(1, 2));
        System.out.println(addCalculator.subtract(1, 2));
    }
}

Lambda表達式

? Lambda 表達式是一種用于傳遞匿名函數的簡潔語法。它提供了一種更緊湊的方式來表示可以傳遞給方法的代碼塊。Lambda 表達式主要用于函數式接口,可以看作是對函數式接口的一個實現。

Calculator addCalculator = (a, b) -> a + b;

主要場景

? 簡化匿名內部類的寫法,但無法簡化所有匿名內部類,只能簡化滿足函數式接口的匿名內部類。

用法

無參寫法

? 實現創建一個簡單的線程。

@FunctionalInterface
public interface Runnable {
    /**
     * When an object implementing interface <code>Runnable</code> is used
     * to create a thread, starting the thread causes the object's
     * <code>run</code> method to be called in that separately executing
     * thread.
     * <p>
     * The general contract of the method <code>run</code> is that it may
     * take any action whatsoever.
     *
     * @see     java.lang.Thread#run()
     */
    public abstract void run();
}


        // JDK7 匿名內部類寫法
        new Thread(new Runnable() {// 接口名
            @Override
            public void run() {// 方法名
                System.out.println("Thread run()");
            }
        }).start();
        
        // JDK8 Lambda表達式代碼塊寫法
        new Thread(
                () -> System.out.print("Thread run()")
        ).start();

有參寫法

? 實現根據列表中字符串元素長度進行排序。

@FunctionalInterface
public interface Comparator<T> {
    int compare(T o1, T o2);   
}


        // JDK7 匿名內部類寫法
        List<String> list = Arrays.asList("my", "name", "is", "lorin");
        list.sort(new Comparator<String>() {
            @Override
            public int compare(String s1, String s2) {
                if (s1 == null)
                    return -1;
                if (s2 == null)
                    return 1;
                return s1.length() - s2.length();
            }
        });

        // JDK8 Lambda表達式寫法
        List<String> list = Arrays.asList("my", "name", "is", "lorin");
        list.sort((s1, s2) -> {// 省略參數表的類型
            if (s1 == null)
                return -1;
            if (s2 == null)
                return 1;
            return s1.length() - s2.length();
        });

Lambda 表達式的基礎:函數式接口 + 類型推斷

? Lambda 表達式除了上文中提到的函數式接口,還有一個比較重要的特性來支持 Lambda 表達式簡潔的寫法,即類型推斷:指編譯器根據上下文信息推斷變量的類型,而不需要顯式地指定類型。類型推斷的引入是為了簡化代碼,并提高代碼的可讀性和可維護性。

CustomerInterface<Integer> action = (Integer t) -> {
        System.out.println(this);
        return t + 1;
    };
    
    
    // 使用類型推斷
    CustomerInterface<Integer> action1 = t -> {
        System.out.println(this);
        return t + 1;
    };

自定義函數接口使用 Lambda 表達式

? 首先定義一個函數接口,函數作用是對傳入的元素進行操作,最后返回操作后的元素。

// 自定義函數接口
@FunctionalInterface
public interface CustomerInterface<T> {
    T operate(T t);
}

? 自定義的 MyStream 類來使用自定義的函數接口。

class MyStream<T> {
    private final List<T> list;

    MyStream(List<T> list) {
        this.list = list;
    }

    public void customerForEach(CustomerInterface<T> action) {
        Objects.requireNonNull(action);
        list.replaceAll(action::operate);
    }
}

? 使用自定義的 MyStream 類實現對每一個元素的 +1 操作。

public class TestMain {
    public static void main(String[] args) {
        List<Integer> arr = Arrays.asList(1, 2, 3, 4);
        MyStream<Integer> myStream = new MyStream<>(arr);
        myStream.customerForEach(t -> t + 1);
        System.out.println(arr);
    }
}

// 輸出結果
[2, 3, 4, 5]

底層實現

? 上面我們回顧了 JDK7 和 JDK8 對匿名內部類的寫法,我們發現 JDK8 中的實現更加簡潔了,但實際上不僅僅語法上更加簡潔,即不是純粹的語法糖,底層實現也發生了一些變化,下面我們一起來看一下。

JDK7

  • ? 由于 JDK7 并不支持函數式接口、Lambda表達式,所以我們先對代碼做一些簡單的改造:
public interface CustomerInterface<T> {
    T operate(T t);
}

class MyStream<T> {
    private final List<T> list;

    MyStream(List<T> list) {
        this.list = list;
    }

    public void customerForEach(CustomerInterface<T> action) {
        Objects.requireNonNull(action);
        for (int i = 0; i < list.size(); i++) {
            list.set(i, action.operate(list.get(i)));
        }
    }
}

public class TestMain {
    public static void main(String[] args) {
        List<Integer> arr = Arrays.asList(1, 2, 3, 4);
        MyStream<Integer> myStream = new MyStream<>(arr);
        myStream.customerForEach(new CustomerInterface<Integer>() {
            @Override
            public Integer operate(Integer integer) {
                return integer + 1;
            }
        });
        System.out.println(arr);
    }
}
  • ? 使用 javap 分析字節碼:
javap -c -p  .\TestMain.class
Compiled from "TestMain.java"
public class test.TestMain {
  public test.TestMain();
    Code:
       0: aload_0
       1: invokespecial #1                  // Method java/lang/Object."<init>":()V
       4: return

  public static void main(java.lang.String[]);
    Code:
       0: iconst_4
       1: anewarray     #2                  // class java/lang/Integer
       4: dup
       5: iconst_0
       6: iconst_1
       7: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      10: aastore
      11: dup
      12: iconst_1
      13: iconst_2
      14: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      17: aastore
      18: dup
      19: iconst_2
      20: iconst_3
      21: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      24: aastore
      25: dup
      26: iconst_3
      27: iconst_4
      28: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      31: aastore
      32: invokestatic  #4                  // Method java/util/Arrays.asList:([Ljava/lang/Object;)Ljava/util/List;
      35: astore_1
      36: new           #5                  // class test/MyStream
      39: dup
      40: aload_1
      41: invokespecial #6                  // Method test/MyStream."<init>":(Ljava/util/List;)V
      44: astore_2
      45: aload_2
      46: new           #7                  // class test/TestMain$1  創建匿名內部類
      49: dup
      50: invokespecial #8                  // Method test/TestMain$1."<init>":()V
      53: invokevirtual #9                  // Method test/MyStream.customerForEach:(Ltest/CustomerInterface;)V
      56: getstatic     #10                 // Field java/lang/System.out:Ljava/io/PrintStream;
      59: aload_1
      60: invokevirtual #11                 // Method java/io/PrintStream.println:(Ljava/lang/Object;)V
      63: return
}

? 從上面 46 行我們可以看出,JDK7 創建了真實的的匿名內部類。

JDK8

? JDK8 我們以上述 自定義函數接口使用 Lambda 表達式 為例:

? 使用 javap 分析字節碼可以發現,Lambda 表達式 被封裝為一個內部的私有方法并通過 InvokeDynamic 調用,而不是像 JDK7 那樣創建一個真實的匿名內部類。

javap -c -p  .\TestMain.class
Compiled from "TestMain.java"
public class test.TestMain {
  public test.TestMain();
    Code:
       0: aload_0
       1: invokespecial #1                  // Method java/lang/Object."<init>":()V
       4: return

  public static void main(java.lang.String[]);
    Code:
       0: iconst_4
       1: anewarray     #2                  // class java/lang/Integer
       4: dup
       5: iconst_0
       6: iconst_1
       7: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      10: aastore
      11: dup
      12: iconst_1
      13: iconst_2
      14: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      17: aastore
      18: dup
      19: iconst_2
      20: iconst_3
      21: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      24: aastore
      25: dup
      40: aload_1
      41: invokespecial #6                  // Method test/MyStream."<init>":(Ljava/util/List;)V
      44: astore_2
      45: aload_2
      46: invokedynamic #7,  0              // InvokeDynamic #0:operate:()Ltest/CustomerInterface;  InvokeDynamic 調用
      51: invokevirtual #8                  // Method test/MyStream.customerForEach:(Ltest/CustomerInterface;)V
      54: getstatic     #9                  // Field java/lang/System.out:Ljava/io/PrintStream;
      57: aload_1
      58: invokevirtual #10                 // Method java/io/PrintStream.println:(Ljava/lang/Object;)V
      61: return

  private static java.lang.Integer lambda$main$0(java.lang.Integer); // lambda 表達式被封裝為內部方法
    Code:
       0: aload_0
       1: invokevirtual #11                 // Method java/lang/Integer.intValue:()I
       4: iconst_1
       5: iadd
       6: invokestatic  #3                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
       9: areturn
}

this 的含義

? 從上面我們可以知道 JDK7 和 JDK8 對匿名內部類不僅寫法上不一致,底層原理也不相同。因此,如果我們在兩種寫法種使用 this 關鍵字,兩者是一樣的?先說答案:不一樣,JDK7 的 this 指向創建的匿名內部內,而 JDK8 中Lambda表達式并不會創建真實存在的類,指向的是當前類。

? 下面我們結合實際案例來看一下:

JDK7

CustomerInterface<Integer> action = new CustomerInterface<Integer>() {
            @Override
            public Integer operate(Integer integer) {
                System.out.println(this);
                return integer + 1;
            }
        };

        CustomerInterface<Integer> action1 = new CustomerInterface<Integer>() {
            @Override
            public Integer operate(Integer integer) {
                System.out.println(this);
                return integer + 1;
            }
        };

        System.out.println(action.operate(2));
        System.out.println(action1.operate(2));
        
        // 輸出
        test.TestMain$1@8939ec3
        3
        test.TestMain$2@456bf9ce
        3

? 可以看到兩個 this 輸出地址不同,分別指向自身的匿名內部類對象。

JDK8

public class TestMain {

    CustomerInterface<Integer> action = t -> {
        System.out.println(this);
        return t + 1;
    };

    CustomerInterface<Integer> action1 = t -> {
        System.out.println(this);
        return t + 1;
    };

    public static void main(String[] args) {
        TestMain testMain = new TestMain();
        System.out.println(testMain.action.operate(2));
        System.out.println(testMain.action1.operate(2));
    }
}

// 輸出
test.TestMain@1d81eb93
3
test.TestMain@1d81eb93
3

? 可以看到,兩個 this 都指向同一個 testMain 對象,因為我們從前文我們可以知道 JDK8 中 Lambda 表達式 被封裝為一個內部的私有方法并通過 InvokeDynamic 調用,而不是創建一個真實的匿名內部類。

Stream

? Stream 是一種用于處理集合數據的高級抽象,它允許我們以聲明式的方式對集合進行操作。

? 函數式接口提供了Lambda表達式的類型,Lambda表達式提供了一種簡潔的語法來定義匿名內部類,而 Stream 提供了一種聲明式的方式來處理集合數據,并與Lambda表達式無縫結合,共同支持函數式編程在Java中的應用。

特點

? Stream 不存儲數據,按照特定的規則進行計算,最后返回計算結果。

? Stream 不改變源數據源,而返回一個新的數據源。

? Stream 是惰性計算,只有調用終端操作時,中間操作才會執行。

操作

圖片圖片

Stream 流創建

? Stream 流支持并行流和串行流兩種方式,串行流每個元素按照順序依次處理,并行流會將流中元素拆分為多個子任務進行處理,最后再合并結果,從而提高處理效率。

List<String> list = Arrays.asList("11", "2222", "333333");
    // 串行流
    list.stream().map(String::toString).collect(Collectors.toList());
    // 并行流
    list.parallelStream().map(String::toString).collect(Collectors.toList());
    list.stream().parallel().map(String::toString).collect(Collectors.toList());

中間操作和終端操

中間操作

? 只會記錄操作不會立即執行,中間操作可以細分為:無狀態 Stateless 和 有狀態 Stateful 兩種。

無狀態 Stateless

? 指元素不受其它元素影響,可以繼續往下執行,比如  filter() map() mapToInt() 等。

filter

? 用于篩選符合條件的元素,下一步只會拿到符合條件的元素。

List<String>strings = Arrays.asList("abc", "", "bc", "efg", "abcd","", "jkl");
// 獲取空字符串的數量
long count = strings.stream().filter(string -> string.isEmpty()).count();
map

? 用于將一個流中的元素通過指定的映射函數轉換為另一個流。返回類型必須是傳入類型或傳入類型的子類型。

List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);

        // 使用 map 方法將列表中的每個元素乘以2
        List<Integer> doubledNumbers = numbers.stream()
                .map(n -> n * 2)
                .collect(Collectors.toList());
mapToInt() mapToLong() 等

? mapToInt() 方法用于將流中的元素映射為 int 類型的流。IntStream 是針對 int 類型數據進行優化的特殊流,提供了更高效的操作和更方便的處理方式。當處理基本類型 int 數據時,推薦使用 IntStream,可以提高代碼的性能和可讀性。

? mapToLong() 方法用于將流中的元素映射為 long 類型的流。

// 整數列表
        Long[] numbers = {1, 2, 3, 4, 5};

        // 使用 mapToLong() 方法將每個整數乘以自身,并收集到一個 LongStream 流中
        LongStream squares = Arrays.stream(numbers).mapToLong(t -> t * t);
        squares.sum();
flatMap() flatMapToInt() 等

? flatMap()用于將流中的每個元素映射為一個流,然后將所有映射得到的流合并成一個新的流。

? flatMapToInt() 和 flatMap() 的區別在于返回的流為 IntStream。

// 字符串列表
        List<String> words = Arrays.asList("Java is fun", "Stream API is powerful", "FlatMap is useful");

        // 使用 flatMap() 提取每個字符串中的單詞,并放入一個新的流中
        Stream<String> wordStream = words.stream()
                .flatMap(str -> Arrays.stream(str.split("\\s+")));

        // 打印流中的每個單詞
        wordStream.forEach(System.out::println);
        
// 輸出
Java
is
fun
Stream
API
is
powerful
FlatMap
is
useful
peek

? 用于在流的每個元素上執行指定的操作,同時保留流中的元素。peek() 方法不會改變流中的元素,而是提供一種查看每個元素的機會,通常用于調試、日志記錄或記錄流中的中間狀態。

// 整數列表
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);

        // 使用 peek() 打印每個元素,并將元素乘以2,然后收集到一個新的列表中
        List<Integer> doubledNumbers = numbers.stream()
                .peek(num -> System.out.println("Original: " + num))
                .map(num -> num * 2)
                .peek(doubledNum -> System.out.println("Doubled: " + doubledNum))
                .collect(Collectors.toList());

        // 打印新列表中的元素
        System.out.println("Doubled Numbers: " + doubledNumbers);
有狀態 Stateful

? 指元素受到其它元素影響,比如 distinct() 去重,需要處理完所有元素才能往下執行。

distinct

? 用于去除流中重復的元素,返回一個去重后的新流。distinct() 方法根據元素的 equals() 方法來判斷是否重復,因此流中的元素必須實現了 equals() 方法以確保正確的去重。

// 字符串列表
        List<String> words = Arrays.asList("hello", "world", "hello", "java", "world");

        // 使用 distinct() 方法獲取不重復的單詞,并收集到一個新的列表中
        List<String> uniqueWords = words.stream()
                                        .distinct()
                                        .collect(Collectors.toList());

        // 打印不重復的單詞列表
        System.out.println("Unique Words: " + uniqueWords);
limit

? 用于限制流中元素的數量,返回一個包含了指定數量元素的新流。limit() 方法通常用于在處理大型數據集時,限制處理的數據量,以提高性能或減少資源消耗。需要注意的,返回的元素不一定是前三個。

// 整數列表
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);

        // 使用 limit() 方法獲取前3個元素,并收集到一個新的列表中
        List<Integer> limitedNumbers = numbers.stream()
                                              .limit(3)
                                              .collect(Collectors.toList());

        // 打印前3個元素
        System.out.println("Limited Numbers: " + limitedNumbers);
終端操作

? 調用終端操作計算會立即開始執行,終端操作可以細分為:非短路操作 和 短路操作。

非短路操作

? 非短路操作:需要處理完所有元素才可以拿到結果,比如 forEach() forEachOrdered()。

collect

? 將流中的元素收集到一個集合或者其他數據結構中。下面是一些常見的用法:

// 將流中的元素收集到一個列表中:
        List<String> list = stream.collect(Collectors.toList());

        // 將流中的元素收集到一個集合中:
        Set<String> set = stream.collect(Collectors.toSet());

        // 將流中的元素收集到一個指定類型的集合中:
        ArrayList<String> arrayList = stream.collect(Collectors.toCollection(ArrayList::new));

        // 將流中的元素收集到一個字符串中,使用指定的分隔符連接:
        String result = stream.collect(Collectors.joining(", "));

        // 將流中的元素收集到一個 Map 中,根據指定的鍵值對:
        Map<Integer, String> map = stream.collect(Collectors.toMap(String::length, Function.identity()));

        // 對流中的元素進行分組:
        Map<Integer, List<String>> groupedMap = stream.collect(Collectors.groupingBy(String::length));

        // 對流中的元素進行分區:
        Map<Boolean, List<String>> partitionedMap = stream.collect(Collectors.partitioningBy(s -> s.length() > 3));

        // 對流中的元素進行統計:
        IntSummaryStatistics statistics = stream.collect(Collectors.summarizingInt(String::length));
reduce
  • ? 用于將流中的元素組合成一個值。
  • ? 靈活性:reduce() 方法提供了靈活的參數選項,可以根據需求選擇不同的重載形式,包括指定初始值、選擇累加器函數和組合器函數等,使得它可以適用于各種場景。
  • ? 統一操作:reduce() 方法提供了一種統一的方式來對流中的元素進行組合操作,不論是求和、求積、字符串拼接還是其他任何類型的組合操作,都可以使用 reduce() 方法來實現,這樣可以減少代碼重復,提高代碼的可讀性和可維護性。
  • ? 并行流支持:在并行流中,reduce() 方法可以更高效地利用多核處理器,通過并行化操作來提高性能。使用合適的組合器函數,可以在并行流中正確地合并部分結果,從而實現更高效的并行計算。而 sum() 函數是串行的。
// 將流中的元素累加求和:
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
        Optional<Integer> sum = numbers.stream().reduce((a, b) -> a + b);
        System.out.println("Sum: " + sum.orElse(0));  // 輸出 15

        // 使用初始值進行累加求和:
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
        int sum = numbers.stream().reduce(0, (a, b) -> a + b);
        System.out.println("Sum: " + sum);  // 輸出 15

        // 使用初始值和組合器函數在并行流中進行累加求和:
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
        int sum = numbers.parallelStream().reduce(0, (a, b) -> a + b, Integer::sum);
        System.out.println("Sum: " + sum);  // 輸出 15
短路操作

? 短路操作:得到符合條件的元素就可以立即返回,而不用處理所有元素,比如 anyMatch() allMatch()。

findFirst

? 用于獲取流中的第一個元素(如果存在的話),返回一個 Optional 對象。注意:返回值不一定為第一個元素。

List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
        Optional<Integer> firstNumber = numbers.stream().findFirst();
        if (firstNumber.isPresent()) {
            System.out.println("First number: " + firstNumber.get());  // 輸出 First number: 1
        } else {
            System.out.println("No elements found in the stream.");
        }

總結

? 函數式接口、Lambda表達式和Stream是Java 8引入的重要特性,它們使得Java代碼更加簡潔、靈活、易讀。函數式接口定義了一種新的編程模式,Lambda表達式提供了一種更加簡潔的語法來實現函數式接口,Stream則提供了一套豐富的操作方法來處理集合數據。通過這些特性的組合應用,可以極大地提高Java代碼的開發效率和質量。

? 本文篇幅有限,Stream 部分僅介紹了基本定義和常見的用法,沒有對 Stream 底層原理(并行、串行等)做深入解析,這部分將在下一篇文章中介紹。

責任編輯:武曉燕 來源: Lorin 洛林
相關推薦

2022-12-05 09:31:51

接口lambda表達式

2024-12-02 10:56:29

2022-12-01 07:38:49

lambda表達式函數式

2023-06-01 12:48:52

Java正則表達式

2009-08-10 10:06:10

.NET Lambda

2009-08-31 17:11:37

Lambda表達式

2020-10-16 10:07:03

Lambda表達式Java8

2020-09-18 06:42:14

正則表達式程序

2016-10-25 14:35:05

分布式系統 存儲

2021-05-07 14:03:36

大數據存儲接口CSI

2024-07-18 08:00:00

2020-10-16 06:40:25

C++匿名函數

2021-08-31 07:19:41

Lambda表達式C#

2024-08-07 10:54:59

正則表達式Java RegexJava

2009-09-11 09:48:27

Linq Lambda

2009-09-09 13:01:33

LINQ Lambda

2009-09-15 15:18:00

Linq Lambda

2023-12-22 19:59:15

2021-08-04 16:06:45

DataOps智領云

2017-03-07 15:13:28

Scala偏函數函數
點贊
收藏

51CTO技術棧公眾號

主站蜘蛛池模板: 一区二区三区四区电影视频在线观看 | 日韩不卡视频在线 | 日韩欧美亚洲综合 | 日日夜夜精品视频 | 视频精品一区二区三区 | 91中文视频 | 手机在线观看 | 欧美日本韩国一区二区 | 一级a毛片 | 综合精品在线 | 美女一级a毛片免费观看97 | 国产精品成人久久久久 | 午夜精品久久久 | 成人av免费看 | 久久久精品国产 | 黄色网页在线 | 中文字幕成人 | 天天av综合 | 欧美性大战xxxxx久久久 | 黄色a三级| 国产一区二区三区高清 | 国产一区二区在线播放 | 国产一区二区免费电影 | 日韩中文字幕在线观看 | 成人免费网站 | 免费午夜视频 | 中文视频在线 | 99久久久99久久国产片鸭王 | 国产精品一区二区不卡 | 亚洲国产精品99久久久久久久久 | 蜜月va乱码一区二区三区 | 蜜桃久久 | 黄色在线免费观看 | 人人干在线视频 | 伊人网站 | 91在线精品视频 | 久草青青草 | 日韩一区二区三区视频 | 亚洲成人激情在线观看 | 欧美精品一区二区三区蜜臀 | 国产精品久久久久久影视 |