溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

java8 stream flatMap流的扁平化操作

發(fā)布時間:2020-07-14 17:27:13 來源:網(wǎng)絡(luò) 閱讀:914 作者:nineteens 欄目:編程語言

  flatMap的用法和含義住要通過一個案例來講解,

  案例:對給定單詞列表 ["Hello","World"],你想返回列表["H","e","l","o","W","r","d"]

  第一種方式

  String[] words = new String[]{"Hello","World"};

  List a = Arrays.stream(words)

  .map(word -> word.split(""))

  .distinct()

  .collect(toList());

  a.forEach(System.out::print);

  代碼輸出為:[Ljava.lang.String;@12edcd21[Ljava.lang.String;@34c45dca

  (返回一個包含兩個String[]的list)

  這個實現(xiàn)方式是由問題的,傳遞給map方法的lambda為每個單詞生成了一個String[](String列表)。因此,map返回的流實際上是Stream 類型的。你真正想要的是用Stream來表示一個字符串。

  下方圖是上方代碼stream的運行流程

  第二種方式:flatMap(對流扁平化處理)

  String[] words = new String[]{"Hello","World"};

  List a = Arrays.stream(words)

  .map(word -> word.split(""))

  .flatMap(Arrays::stream)

  .distinct()

  .collect(toList());

  a.forEach(System.out::print);

  結(jié)果輸出:HeloWrd

  使用flatMap方法的效果是,各個數(shù)組并不是分別映射一個流,而是映射成流的內(nèi)容,所有使用map(Array::stream)時生成的單個流被合并起來,即扁平化為一個流。

  下圖是運用flatMap的stream運行流程,

  //扁平化流

  //找出數(shù)組中唯一的字符

  String[] strArray = {"hello", "world"};

  //具體實現(xiàn)

  List res = Arrays.stream(strArray)

  .map(w -> w.split(""))

  .flatMap(Arrays::stream)

  .distinct()

  .collect(Collectors.toList());

  System.out.println(res);

  //TODO 案例

  System.out.println("--------------------------------");

  //Demo1:給定數(shù)組,返回數(shù)組平方和(直接使用映射)

  //[1,2,3,4]=>[1,4,9,16]

  Integer[] nums1 = {1, 2, 3, 4};

  List nums1List = Arrays.asList(nums1);

  List res1 = nums1List.stream().map(i -> i * i).collect(Collectors.toList());

  System.out.println(res1);

  System.out.println("--------------------------------");

  //Demo2:給定兩數(shù)組,返回數(shù)組對

  //[1,2,3],[3,4]=>[1,3],[1,4],[2,3],[2,4],[3,3],[3,4]

  Integer[] nums2 = {1, 2, 3};

  Integer[] nums3 = {3, 4};無錫正規(guī)婦科 http://www.xasgyy.net/

  List nums2List = Arrays.asList(nums2);

  List nums3List = Arrays.asList(nums3);

  //使用2個map嵌套過濾

  List res2 = nums2List.stream().flatMap(i -> nums3List.stream().map(j -> new int[]{i, j})).collect(Collectors.toList());

  System.out.println(res2.size());

  System.out.println("--------------------------------");

  //Demo3:針對Demo2和Demo1組合返回總和能被3整除的數(shù)對

  //(2,4)和(3,3)是滿足條件的

  List res3 = nums2List.stream().flatMap(i -> nums3List.stream().filter(j -> (i + j) % 3 == 0).map(j -> new int[]{i, j})).collect(Collectors.toList());

  System.out.println(res3.size());

  }

  }


向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI