91超碰碰碰碰久久久久久综合_超碰av人澡人澡人澡人澡人掠_国产黄大片在线观看画质优化_txt小说免费全本

溫馨提示×

溫馨提示×

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

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

Java8 Stream API有什么作用

發布時間:2021-11-24 16:18:28 來源:億速云 閱讀:128 作者:iii 欄目:大數據

這篇文章主要介紹“Java8 Stream API有什么作用”,在日常操作中,相信很多人在Java8 Stream API有什么作用問題上存在疑惑,小編查閱了各式資料,整理出簡單好用的操作方法,希望對大家解答”Java8 Stream API有什么作用”的疑惑有所幫助!接下來,請跟著小編一起來學習吧!

Stream API 作用

為集合而生,簡化集合操作、支持集合并發操作。

從迭代器到Stream

String contents = new String(Files.readAllBytes(Paths.get(alice.txt)), StandardCharsets.UTF_8);
List<String> words = Arrays.asList(contents.split("[\\P{L}]+"));

迭代器

int count = 0;
for (String w : words) {
	if (w.length() > 12) count++;
}

Stream

long count = words.stream().filter(w -> w.length() > 12).count();
// 并發統計很容易,如下只需要將stream()換成parallelStream()即可:
long count = words.parallelStream().filter(w -> w.length() > 12).count();

Stream與集合的區別

  • Stream自己不會存儲元素,元素被存放于底層集合中或者根據需要被產生出來;

  • Stream操作符不會改變源Stream對象,它會返回一個持有結果新Stream對象;

  • Stream操作符可能是延遲執行的,這意味著它們會等到需要結果的時候才執行。例如只需要前5個長單詞,那么filter方法將在第5次匹配后停止過濾。

Stream使用流程

  1. 創建一個Stream(從集合、數組、迭代器、生成器等數據結構);

  2. 通過一個或者多個Stream操作符,將初始Stream轉換為另一個Stream;

  3. 使用一個Stream終止操作符來產生一個結果,該操作會強制它之前的操作立即執行,且在此之后,該Stream就不會再被使用了。

創建Stream

  • 集合:Collection的stream()方法,會產生一個Stream對象;

  • 數組:Stream.of(T... values) 接受一個可變長度參數列表,參數可以是一個數組或者多個同類型獨立元素,產生一個Stream對象;

  • Arrays.stream(array, from, to)將數組的一部分轉化為Stream;

  • 空Stream:Stream<String> silence = Stream.empty();

  • 無限Stream:
    Stream<String> echos = Stream.generate(() -> "Echo");
    Stream<Double> randoms = Stream.generate(Math::random);
    Stream<BigInteger> integers = Stream.iterate(BigInteger.ZERO, n -> n.add(BigInteger.ONE));

  • JDK示例:
    Stream<String> words = Pattern.compile("[\\P{L}]+").splitAsStream(contents);
    Stream<String> lines = Files.lines(path);

操作Stream

常見Stream操作函數

  • filter:過濾元素,并產生一個新的Stream對象;

  • map:轉換;

  • flatMap:一對多轉換,即每個元素映射的結構都是另一個Stream,最終將所有Stream合并為一個Stream;

示例

// filter:只獲取長單詞
List<String> wordList = ... ;
Stream<String> words = wordList.stream();
Stream<String> longWords = words.filter(w -> w.length() > 12);
// map:將所有單詞轉換為小寫
Stream<String> lowercaseWords = words.map(w -> w.toLowerCase()); 
// 或者使用方法引用
Stream<String> lowercaseWords = words.map(String::toLowerCase()); 
// 獲取每個單詞的首字母  
Stream<Character> firstChars = words.map(w -> w.charAt(0));
// flatMap:獲取每個單詞中的字母
Stream<Character> letters = words.flatMap(w -> Arrays.stream(s.toCharArray()));

Stream提取與組合

  • Stream.limit(n),返回一個包含源Stream前n個元素的新Stream,如果源Stream長度m小于n則返回前m個元素;

  • Stream.skip(n),丟棄掉源Stream的前n個元素,返回包含剩余元素的新Stream;

  • 組合兩個Stream為一個新的Stream,假設stream1和stream2為兩個Character的Stream:Stream<Character> combined = Stream.concat(stream1, stream2);

  • Stream.peek(action),會產生另一個與源Stream具有相同元素的Stream,但是在獲取每個元素時,都會調用action參數指定的函數,這樣是為了便于調試。

Stream有狀態轉換

Stream的filter和map、flatMap等操作都是無狀態的轉換,因為在轉換每一個元素時無需考慮之前轉換過的元素;
Stream的distinct操作,會根據源Stream中的元素,返回一個元素順序相同,但是沒有重復元素的新Stream,是有狀態的轉換,因為它在轉換每個元素時都需要檢查該元素是否之前已讀取過。

Stream聚合操作

Stream的聚合操作會將Stream聚合成為一個值,以便程序中使用,例如Stream.count()、Stream.max()、Stream.min()、Stream.findFirst()、Stream.findAny()等。
聚合方法都是終止操作,執行后流就關閉了,不能再應用其它操作了。

聚合操作示例:

Optional<String> longest = words.max(String::compareToIgnoreCase);
if (longest.isPresent()) {
	Sysout.out.println(longest.get());
}
Optional<String> startWithQ = words.filter(s -> s.startsWith("Q")).findFirst();
// 并行提高執行效率
Optional<String> startWithQ = words.parallel().filter(s -> s.startsWith("Q")).findAny();
// 并行提高執行效率
Optional<String> startWithQ = words.parallel().anyMatch(s -> s.startsWith("Q"));

終止Stream

一個Stream對象在執行終止操作后,就不能再執行其他操作了。

Optional類型

Optional<T>對象是對T類型對象的封裝,或者表示不是任何對象。
Optional類本身實現非常簡單,常用操作有:

  1. of(T value)

  2. ofNullable(T value)

  3. isPresent()

  4. ifPresent(consumer)

  5. orElse(T other)

  6. orElseGet(Supplier other)

  7. map(Function mapper)

  8. flatMap(Function mapper)用于組合可選函數,例如,如果f()返回Optional<T>,T有一個返回Optional<U>的方法g(),就可以組合調用:Optional<U> op = f().flatMap(T::g)
    用法和其余的看源碼最直觀。

Stream聚合操作

聚合,即將Stream中的元素聚合成為一個值,例如:求和、求積、計數、字符串追加、最大值、最小值、并積、交積等,只要操作數x,y,z之間有一個操作op,滿足(x op y) op z = x op (y op z),那么op操作就是可聚合的;

聚合示例

// 求和
Stream<Integer> values = ...;
Optional<Integer> sum = values.reduce((x, y) -> x + y);
// 如果有一個標識e,使得e op x = x,那么標識e就可以作為計算的起點,對于加法來說0就是這個標識,所以另外一種形式:
Optional<Integer> sum = values.reduce(0, (x, y) -> x + y);
// 或者
Optional<Integer> sum = values.reduce(0, Integer::sum);
// 求字符串Stream中所有字符串總長度
Stream<String> words = ...;
Optional<Integer> sum = words.reduce(0, (total, word) -> total + word.length(), (total1, total2) - > total1 + total2);
// 第二個參數accumulator,是為了聚合計算;
// 第三個參數combiner,是為了并行聚合計算后,對并行結果進行再聚合;

Stream收集結果

流處理完成以后,我們對于處理結果有兩種用途:

  • 執行聚合操作,將整個Stream聚合成為一個值,例如:sum、count、max、min等;

  • 收集Stream處理結果,獲取Stream中的每個元素,或打印、或轉儲、或執行其他計算;

第二種“收集Stream處理結果”,由兩種操作:

  • collect,兩種方式:

  1. <R, A> R collect(Collector<? super T, A, R> collector); // 使用一個現成的預定義的Collector進行收集,Collectors工具類還為各種常用的收集類型提供了各個工廠方法。

示例1:
Stream<String> stream = ...;
List<String> list = stream.collect(Collectors.toList());
Set<String> set = stream.collect(Collectors.toSet());
TreeSet<String> treeSet = stream.collect(Collectors.toCollection(TreeSet::new));//控制得到的set類型
String result = stream.collect(Collectors.join());//將Stream中所有字符串拼接
String result = stream.collect(Collectors.join(“, ”));//將Stream中所有字符串拼接且以", " 分隔
// 將Stream結果聚合成為一個包含總和、最大值、最小值、平均值的結果,可以使用Collectors.summaring{Int | Long | Double}方法中的一種,這些方法會接受一個將Stream對象的元素映射為一個數字的函數,并產生一個{Int | Long | Double}SummaryStatistics類型的結果,其中包含了獲取總和、最大值、最小值、平均值:
IntSummaryStatistics summary = words.collect(Collectors.summarizingInt(String::length));
double arerageWordLength = summary.getAverage();
double maxWordLength = summary.getMax();

  1. <R> R collect(Supplier<R> supplier, BiConsumer<R, ? super T> accumulator, BiConsumer<R, R> combiner); // 自定義supplier、accumulator、combiner

supplier – a function that creates a new result container. For a parallel execution, this function may be called multiple times and must return a fresh value each time.
accumulator – an associative, non-interfering, stateless function for incorporating an additional element into a result.
combiner – an associative, non-interfering, stateless function for combining two values, which must be compatible with the accumulator function.
示例:
Stream<String> stream = ...;
HashSet<String> result = stream.collect(HashSet::new, HashSet::add, HashSet::addAll);

  • 遍歷獲取元素,兩種方式:

  • void forEach(Consumer<? super T> action); 非順序遍歷Stream元素,對于并行stream則并行遍歷,順序無法保證,但能提升遍歷效率

  • void forEachOrdered(Consumer<? super T> action);順序遍歷元素,保證順序性,但是犧牲了性能

將結果收集到Map中:

// 普通toMap Collector,如果鍵沖突則會跑出IllegalStateException
Stream<Person> persons = ...;
Map<String, String> idToName = persons.collect(Collectors.toMap(Person::getId, Person::getName));
Map<String, Person> idToPerson = persons.collect(Collectors.toMap(Person::getId, Function.identity()));
// 定義鍵沖突解決策略,保留舊值
Stream<Locale> locales = Stream.of(Locale.getAvailableLocales());
Map<String, String> languages = locales.collect(Collectors.toMap(lan - > lan.getDisplayCountry(),
	lan -> lan.getDisplayLanguage(),
	(existingValue, newValue) - > existingValue));
Map<String, Person> idToPerson = persons.collect(Collectors.toMap(Person::getId, Function.identity()));
// 定義鍵沖突解決策略,以Set方式保留所有值
Stream<Locale> locales = Stream.of(Locale.getAvailableLocales());
Map<String, String> languages = locales.collect(Collectors.toMap(lan - > lan.getDisplayCountry(),
	lan -> Collections.singleton(lan.getDisplayLanguage(),
	(existingValue, newValue) - > {
		Set<String> mergedSet = new HashSet<>(existingValue);
		mergedSet.addAll(newValue);
		return mergedSet;
	};
));
// 通過指定第四個參數,將結果收集到TreeMap中去
Stream<Locale> locales = Stream.of(Locale.getAvailableLocales());
Map<String, String> languages = locales.collect(Collectors.toMap(lan - > lan.getDisplayCountry(),
	lan -> lan.getDisplayLanguage(),
	(existingValue, newValue) - > existingValue),
	TreeMap::new));

分組和分片

預定義的分組分片

  • Collectors.groupingBy
    Stream收集到Map過程中,通過分組,來簡化相同鍵的合并問題,示例如下:
    Map<String, List<Locale>> countryToLocales = locales.collect(Collectors.groupingBy(Locale::getCountry));
    函數Locale::getCountry是進行分組的分類函數。

  • Collectors.partitioningBy
    當分組函數是一個Prdicate函數時,即要將Stream中的元素分為是/非兩組時,使用partitioningBy會更高效些,示例如下:
    Map<Boolean, List<Locale>> englishAndOtherLocales = locales.collect(Collectors.partitioningBy(lan -> lan.getLanguage().equals("en")));
    將元素分為兩組:一組使用英語,一組使用其他語言。獲取英語分組列表:
    List<Locale> englishLocales = englishAndOtherLocales.get(true);

  • Collectors.groupingByConcurrent
    會獲取一個并發Map,當用于并行流時可以并發地插入值。這與toConcurrentMap方法完全類似。

分組分片downstream處理

  • downstream
    方法groupingBy會產生一個值為列表的map的對象,如果希望對這個列表進行轉換,例如轉為Set,則可基于downstream實現,例如:
    Map<String, Set<Locale>> countryToLocaleSet = locales.collect(Collectors.groupingBy(Locale::getCountry, Collectors.toSet()));

  • 其他downstream

  • counting()
    Map<String, Long> countryToLocaleCount = locales.collect(Collectors.groupingBy(Locale::getCountry, Collectors.counting())); // 計算每個國家有多少種語言

  • summing{Int | Long | Double}(ToIntFunction mapper)
    Map<String, Integer> stateToCityPopucation = cities.collect(Collectors.groupingBy(City::getState, Collectors.summingInt(City::getPopulation()))); // 計算每個下屬所有城市人數總和

  • maxBy(Comparator comparator) 和minBy(Comparator comparator)
    Map<String, City> stateToLargestCity = cities.collect(Collectors.groupingBy(City::getState, Collectors.maxBy(Comparator.comparing(City::getPopulation)))); // 計算每個州中人口最多的城市

  • mapping(Function mapper, Collector downstream)
    Map<String, Optional<String>> stateToLargestCityName = cities.collect(Collectors.groupingBy(City::getState, Collectors.mapping(City::getName, Collectors.maxBy(Comparator.comparing(String::length)))))// 找出每個州中,名字最長的城市名稱
    Map<String, Set<String>> countryToLanguages = locales.collect(Collectors.groupingBy(Locale::getDisplayCountry, mapping(Locale::getDisplayLanguage, Collectors.toSet())))

  • 如果grouping或者mapping函數的返回結果是int、long、double,可以將元素收集到summaryStatistics對象中:
    Map<String, IntSummaryStatistics> statistics = locales.collect(Colloctors.groupingBy(Locale::getState, summarizingInt(City::getPopulation)));

  • reducing方法可對downstream元素進行一次普通聚合

  • Collector reducing(BinaryOperator op)

  • Collector reducing(identity, BinaryOperator op)

  • Collector reducing(identity, Function mapper, BinaryOperator op)
    示例:
    Map<String, String> stateToCityNames = cities.collect(groupingBy(City:getState, reducing("", City::getName, (s, t) -> s.length == 0 ? t : s + "," + t)))
    等價于:
    Map<String, String> stateToCityNames = cities.collect(groupingBy(City:getState, mapping( City::getName, joining(","))));

原始類型流

背景

將整型收集到一個Stream<Integer>的流中,需要將每個整數封裝成一個包裝對象,這是一個低效的做法,double/float/long/short/byte/boolean也一樣,所以,Stream API專門設計了IntStream、LongStream、DoubleStream用于存放基本數據類型;

  • IntStream:用于存放int、short、char、byte和boolean類型的值;

  • LongStream:用于存放long型的值;

  • DoubleStream:用于存放double、float類型的值;

示例

  • 創建IntStream,使用IntStream.of和Arrays.stream
    IntStream stream = IntStream.of(1,1,2,3,5);
    int[] array = new int[]{1,1,2,3,5};
    stream = Arrays.stream(array, 0, array.length);

  • IngStream和LongStream的range和rangeClosed方法:
    IntStream zeroTo99 = IntStream.range(0, 100); //不包括上線100
    IntStream zeroTo100 = IntStream.rangeClosed(0, 100);//包括上線100

  • 對于對象流,可使用mapToInt、mapToLong、mapToDouble轉換為對應的原始類型的流。例如:
    Stream<String> words = ...;
    IntStream lengths = words.mapToInt(String::length);

  • 原始類型流的常用方法:
    sum、max、min、average、summaryStatistics等。

  • Random類的ints、longs、doubles分別產生對應的原始類型隨機數字流。

并行流

  • 默認情況下,除了Collection.parallelStream()外,流操作創建的都是串行流

  • 開啟并行流(在終止方法執行前)

Collection.parallelStream()、Stream.parallel()

  • 當無需考慮Stream元素順序時,Stream.unordered() 會使并行操作更好地執行,例如distinct(),因為對于一個有序的流,distinct()操作總會保留所有相同元素的第一個,同樣的操作還有limit();

到此,關于“Java8 Stream API有什么作用”的學習就結束了,希望能夠解決大家的疑惑。理論與實踐的搭配能更好的幫助大家學習,快去試試吧!若想繼續學習更多相關知識,請繼續關注億速云網站,小編會繼續努力為大家帶來更多實用的文章!

向AI問一下細節

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

AI

禄丰县| 大田县| 建水县| 五峰| 揭阳市| 五河县| 广南县| 商河县| 米脂县| 烟台市| 芦山县| 海晏县| 沭阳县| 东莞市| 长武县| 靖州| 长子县| 长治市| 延吉市| 福贡县| 循化| 峨边| 肃北| 潞城市| 肃宁县| 左云县| 青河县| 资兴市| 济南市| 青阳县| 长阳| 衡阳县| 资讯| 松江区| 乌苏市| 贵南县| 乐安县| 安塞县| 浑源县| 新民市| 马山县|