参考: 
http://codemunchies.com/2009/10/beautiful-code-with-google-collections-guava-and-static-imports-part-1/(2,3,4) 
http://blog.publicobject.com

更多用法参考http://ajoo.iteye.com/category/119082

附 guava中文api地址http://ifeve.com/google-guava/

以前这么用:

  1. Map<String, Map<Long, List<String>>> map = new HashMap<String, Map<Long,List<String>>>();

现在这么用(JDK7将实现该功能):

  1. Map<String, Map<Long, List<String>>> map = Maps.newHashMap();

针对不可变集合: 
以前这么用:

  1. List<String> list = new ArrayList<String>();
  2. list.add("a");
  3. list.add("b");
  4. list.add("c");
  5. list.add("d");

现在Guava这么用:

  1. ImmutableList<String> of = ImmutableList.of("a", "b", "c", "d");
  2. ImmutableMap<String,String> map = ImmutableMap.of("key1", "value1", "key2", "value2");

文本文件读取现在Guava这么用

  1. File file = new File(getClass().getResource("/test.txt").getFile());
  2. List<String> lines = null;
  3. try {
  4. lines = Files.readLines(file, Charsets.UTF_8);
  5. } catch (IOException e) {
  6. e.printStackTrace();
  7. }

基本类型比较, 现在Guava这么用:

  1. int compare = Ints.compare(a, b);

Guava中CharMatcher的用法:

  1. assertEquals("89983", CharMatcher.DIGIT.retainFrom("some text 89983 and more"))
  2. assertEquals("some text  and more", CharMatcher.DIGIT.removeFrom("some text 89983 and more"))

Guava中Joiner的用法:

  1. int[] numbers = { 1, 2, 3, 4, 5 };
  2. String numbersAsString = Joiner.on(";").join(Ints.asList(numbers));

另一种写法:

  1. String numbersAsStringDirectly = Ints.join(";", numbers);

Guava中Splitter的用法:

  1. Iterable split = Splitter.on(",").split(numbsAsString);

对于这样的字符串进行切分:

  1. String testString = "foo , what,,,more,";
  2. Iterable<String> split = Splitter.on(",").omitEmptyStrings().trimResults().split(testString);

Ints中一些用法:

  1. int[] array = { 1, 2, 3, 4, 5 };
  2. int a = 4;
  3. boolean contains = Ints.contains(array, a);
  4. int indexOf = Ints.indexOf(array, a);
  5. int max = Ints.max(array);
  6. int min = Ints.min(array);
  7. int[] concat = Ints.concat(array, array2);

集合 
set的交集, 并集, 差集的用法(http://publicobject.com/2008/08/coding-in-small-with-google-collections.html)

  1. HashSet setA = newHashSet(1, 2, 3, 4, 5);
  2. HashSet setB = newHashSet(4, 5, 6, 7, 8);
  3. SetView union = Sets.union(setA, setB);
  4. System.out.println("union:");
  5. for (Integer integer : union)
  6. System.out.println(integer);
  7. SetView difference = Sets.difference(setA, setB);
  8. System.out.println("difference:");
  9. for (Integer integer : difference)
  10. System.out.println(integer);
  11. SetView intersection = Sets.intersection(setA, setB);
  12. System.out.println("intersection:");
  13. for (Integer integer : intersection)
  14. System.out.println(integer);

针对Map的用法:

  1. MapDifference differenceMap = Maps.difference(mapA, mapB);
  2. differenceMap.areEqual();
  3. Map entriesDiffering = differenceMap.entriesDiffering();
  4. Map entriesOnlyOnLeft = differenceMap.entriesOnlyOnLeft();
  5. Map entriesOnlyOnRight = differenceMap.entriesOnlyOnRight();
  6. Map entriesInCommon = differenceMap.entriesInCommon();

验证与条件检查 
原来的写法:

  1. if (count <= 0) {
  2. throw new IllegalArgumentException("must be positive: " + count);
  3. }

Guava的写法(Jakarta Commons中有类似的方法):

  1. Preconditions.checkArgument(count > 0, "must be positive: %s", count);

一个更酷的用法:

  1. public PostExample(final String title, final Date date, final String author) {
  2. this.title = checkNotNull(title);
  3. this.date = checkNotNull(date);
  4. this.author = checkNotNull(author);
  5. }

如果一个key对应多个value的Map, 你会怎么处理? 如果还在使用Map<K, List<V>>的话, 你就out了 
使用MultiMap吧:

  1. Multimap<Person, BlogPost> multimap = ArrayListMultimap.create();

Multimap的另一个使用场景: 
比如有一个文章数据的map:

  1. List<Map<String, String>> listOfMaps = mapOf("type", "blog", "id", "292", "author", "john");

如果要按照type分组生成一个List

  1. Multimap<String, Map<String, String>> partitionedMap = Multimaps.index(
  2. listOfMaps,
  3. new Function<Map<String, String>, String>() {
  4. public String apply(final Map<String, String> from) {
  5. return from.get("type");
  6. }
  7. });

针对集合中只有一个元素的情况: 
Iterables.getOnlyElement(); 
这个主要是用来替换Set.iterator.next()或 List.get(0), 而且在测试中使用非常方便, 如果出现0个或者2+则直接抛出异常

比较的最大最小值: 
Comparators.max 
Comparators.min

equals和hashcode的用法:

  1. public boolean equals(Object o) {
  2. if (o instanceof Order) {
  3. Order that = (Order)o;
  4. return Objects.equal(address, that.address)
  5. && Objects.equal(targetArrivalDate, that.targetArrivalDate)
  6. && Objects.equal(lineItems, that.lineItems);
  7. } else {
  8. return false;
  9. }
  10. }
  11. public int hashCode() {
  12. return Objects.hashCode(address, targetArrivalDate, lineItems);
  13. }

ImmutableList.copyOf的用法: 
以前这么用:

  1. public Directions(Address from, Address to, List<Step> steps) {
  2. this.from = from;
  3. this.to = to;
  4. this.steps = Collections.unmodifiableList(new ArrayList<Step>(steps));
  5. }

现在这么用:

  1. public Directions(Address from, Address to, List<Step> steps) {
  2. this.from = from;
  3. this.to = to;
  4. this.steps = ImmutableList.of(steps);
  5. }

Iterables.concat()的用法: 
以前这么用:

  1. public boolean orderContains(Product product) {
  2. List<LineItem> allLineItems = new ArrayList<LineItem>();
  3. allLineItems.addAll(getPurchasedItems());
  4. allLineItems.addAll(getFreeItems());
  5. for (LineItem lineItem : allLineItems) {
  6. if (lineItem.getProduct() == product) {
  7. return true;
  8. }
  9. }
  10. return false;
  11. }

现在这么用:

  1. public boolean orderContains(Product product) {
  2. for (LineItem lineItem : Iterables.concat(getPurchasedItems(), getFreeItems())) {
  3. if (lineItem.getProduct() == product) {
  4. return true;
  5. }
  6. }
  7. return false;
  8. }

Constraints.constrainedList: 给List操作注入约束逻辑, 比如添加不合法元素直接报错. 
以前这么写:

  1. private final List<LineItem> purchases = new ArrayList<LineItem>();
  2. /**
  3. * Don't modify this! Instead, call {@link #addPurchase(LineItem)} to add
  4. * new purchases to this order.
  5. */
  6. public List<LineItem> getPurchases() {
  7. return Collections.unmodifiableList(purchases);
  8. }
  9. public void addPurchase(LineItem purchase) {
  10. Preconditions.checkState(catalog.isOffered(getAddress(), purchase.getProduct()));
  11. Preconditions.checkState(purchase.getCharge().getUnits() > 0);
  12. purchases.add(purchase);
  13. }
  14. 这么写:
  15. private final List<LineItem> purchases = Constraints.constrainedList(
  16. new ArrayList<LineItem>(),
  17. new Constraint<LineItem>() {
  18. public void checkElement(LineItem element) {
  19. Preconditions.checkState(catalog.isOffered(getAddress(), element.getProduct()));
  20. Preconditions.checkState(element.getCharge().getUnits() > 0);
  21. }
  22. });
  23. /**
  24. * Returns the modifiable list of purchases in this order.
  25. */
  26. public List<LineItem> getPurchases() {
  27. return purchases;
  28. }

不允许插入空值的Set(Constraints的用法):

  1. Set<String> set = Sets.newHashSet();
  2. Set<String> constrainedSet = Constraints.constrainedSet(set, Constraints.notNull());
  3. constrainedSet.add("A");
  4. constrainedSet.add(null); // NullPointerException here

Multimap的用法(允许多值的map): 
以前这么写:

  1. Map<Salesperson, List<Sale>> map = new Hashmap<SalesPerson, List<Sale>>();
  2. public void makeSale(Salesperson salesPerson, Sale sale) {
  3. List<Sale> sales = map.get(salesPerson);
  4. if (sales == null) {
  5. sales = new ArrayList<Sale>();
  6. map.put(salesPerson, sales);
  7. }
  8. sales.add(sale);
  9. }

现在这么写:

  1. Multimap<Salesperson, Sale> multimap
  2. = new ArrayListMultimap<Salesperson,Sale>();
  3. public void makeSale(Salesperson salesPerson, Sale sale) {
  4. multimap.put(salesperson, sale);
  5. }

以前这么写:

  1. public Sale getBiggestSale() {
  2. Sale biggestSale = null;
  3. for (List<Sale> sales : map.values()) {
  4. Sale biggestSaleForSalesman
  5. = Collections.max(sales, SALE_COST_COMPARATOR);
  6. if (biggestSale == null
  7. || biggestSaleForSalesman.getCharge() > biggestSale().getCharge()) {
  8. biggestSale = biggestSaleForSalesman;
  9. }
  10. }
  11. return biggestSale;
  12. }

现在这么写(需要将map转换成multimap):

  1. public Sale getBiggestSale() {
  2. return Collections.max(multimap.values(), SALE_COST_COMPARATOR);
  3. }

Joiner的用法: 
以前这样写:

  1. public class ShoppingList {
  2. private List<Item> items = ...;
  3. ...
  4. public String toString() {
  5. StringBuilder stringBuilder = new StringBuilder();
  6. for (Iterator<Item> s = items.iterator(); s.hasNext(); ) {
  7. stringBuilder.append(s.next());
  8. if (s.hasNext()) {
  9. stringBuilder.append(" and ");
  10. }
  11. }
  12. return stringBuilder.toString();
  13. }
  14. }

现在这样写:

  1. public class ShoppingList {
  2. private List<Item> items = ...;
  3. ...
  4. public String toString() {
  5. return Join.join(" and ", items);
  6. }
  7. }

Comparators.fromFunction的用法: 
以前这样写:

  1. public Comparator<Product> createRetailPriceComparator(
  2. final CurrencyConverter currencyConverter) {
  3. return new Comparator<Product>() {
  4. public int compare(Product a, Product b) {
  5. return getRetailPriceInUsd(a).compareTo(getRetailPriceInUsd(b));
  6. }
  7. public Money getRetailPriceInUsd(Product product) {
  8. Money retailPrice = product.getRetailPrice();
  9. return retailPrice.getCurrency() == CurrencyCode.USD
  10. ? retailPrice
  11. : currencyConverter.convert(retailPrice, CurrencyCode.USD);
  12. }
  13. };
  14. }

现在这样写(感觉也没省多少):

  1. public Comparator<Product> createRetailPriceComparator(
  2. final CurrencyConverter currencyConverter) {
  3. return Comparators.fromFunction(new Function<Product,Money>() {
  4. /** returns the retail price in USD */
  5. public Money apply(Product product) {
  6. Money retailPrice = product.getRetailPrice();
  7. return retailPrice.getCurrency() == CurrencyCode.USD
  8. ? retailPrice
  9. : currencyConverter.convert(retailPrice, CurrencyCode.USD);
  10. }
  11. });
  12. }

BiMap(双向map)的用法: 
以前的用法:

  1. private static final Map<Integer, String> NUMBER_TO_NAME;
  2. private static final Map<String, Integer> NAME_TO_NUMBER;
  3. static {
  4. NUMBER_TO_NAME = Maps.newHashMap();
  5. NUMBER_TO_NAME.put(1, "Hydrogen");
  6. NUMBER_TO_NAME.put(2, "Helium");
  7. NUMBER_TO_NAME.put(3, "Lithium");
  8. /* reverse the map programatically so the actual mapping is not repeated */
  9. NAME_TO_NUMBER = Maps.newHashMap();
  10. for (Integer number : NUMBER_TO_NAME.keySet()) {
  11. NAME_TO_NUMBER.put(NUMBER_TO_NAME.get(number), number);
  12. }
  13. }
  14. public static int getElementNumber(String elementName) {
  15. return NUMBER_TO_NAME.get(elementName);
  16. }
  17. public static string getElementName(int elementNumber) {
  18. return NAME_TO_NUMBER.get(elementNumber);
  19. }

现在的用法:

  1. private static final BiMap<Integer,String> NUMBER_TO_NAME_BIMAP;
  2. static {
  3. NUMBER_TO_NAME_BIMAP = Maps.newHashBiMap();
  4. NUMBER_TO_NAME_BIMAP.put(1, "Hydrogen");
  5. NUMBER_TO_NAME_BIMAP.put(2, "Helium");
  6. NUMBER_TO_NAME_BIMAP.put(3, "Lithium");
  7. }
  8. public static int getElementNumber(String elementName) {
  9. return NUMBER_TO_NAME_BIMAP.inverse().get(elementName);
  10. }
  11. public static string getElementName(int elementNumber) {
  12. return NUMBER_TO_NAME_BIMAP.get(elementNumber);
  13. }

换一种写法:

  1. private static final BiMap<Integer,String> NUMBER_TO_NAME_BIMAP
  2. = new ImmutableBiMapBuilder<Integer,String>()
  3. .put(1, "Hydrogen")
  4. .put(2, "Helium")
  5. .put(3, "Lithium")
  6. .getBiMap();

关于Strings的一些用法(http://blog.ralscha.ch/?p=888):

  1. assertEquals("test", Strings.emptyToNull("test"));
  2. assertEquals(" ", Strings.emptyToNull(" "));
  3. assertNull(Strings.emptyToNull(""));
  4. assertNull(Strings.emptyToNull(null));
  5. assertFalse(Strings.isNullOrEmpty("test"));
  6. assertFalse(Strings.isNullOrEmpty(" "));
  7. assertTrue(Strings.isNullOrEmpty(""));
  8. assertTrue(Strings.isNullOrEmpty(null));
  9. assertEquals("test", Strings.nullToEmpty("test"));
  10. assertEquals(" ", Strings.nullToEmpty(" "));
  11. assertEquals("", Strings.nullToEmpty(""));
  12. assertEquals("", Strings.nullToEmpty(null));
  13. assertEquals("Ralph_____", Strings.padEnd("Ralph", 10, '_'));
  14. assertEquals("Bob_______", Strings.padEnd("Bob", 10, '_'));
  15. assertEquals("_____Ralph", Strings.padStart("Ralph", 10, '_'));
  16. assertEquals("_______Bob", Strings.padStart("Bob", 10, '_'));
  17. assertEquals("xyxyxyxyxy", Strings.repeat("xy", 5));

Throwables的用法(将检查异常转换成未检查异常):

  1. package com.ociweb.jnb.apr2010;
  2. import com.google.common.base.Throwables;
  3. import java.io.InputStream;
  4. import java.net.URL;
  5. public class ExerciseThrowables {
  6. public static void main(String[] args) {
  7. try {
  8. URL url = new URL("http://ociweb.com");
  9. final InputStream in = url.openStream();
  10. // read from the input stream
  11. in.close();
  12. } catch (Throwable t) {
  13. throw Throwables.propagate(t);
  14. }
  15. }
  16. }

Multimap用法整理(http://jnb.ociweb.com/jnb/jnbApr2008.html): 
用来统计多值出现的频率:

  1. Multimap<Integer, String> siblings = Multimaps.newHashMultimap();
  2. siblings.put(0, "Kenneth");
  3. siblings.put(1, "Joe");
  4. siblings.put(2, "John");
  5. siblings.put(3, "Jerry");
  6. siblings.put(3, "Jay");
  7. siblings.put(5, "Janet");
  8. for (int i = 0; i < 6; i++) {
  9. int freq = siblings.get(i).size();
  10. System.out.printf("%d siblings frequency %d\n", i, freq);
  11. }

输出结果:

引用
        0 siblings frequency 1 
        1 siblings frequency 1 
        2 siblings frequency 1 
        3 siblings frequency 2 
        4 siblings frequency 0 
        5 siblings frequency 1

Functions(闭包功能)

  1. Function<String, Integer> strlen = new Function<String, Integer>() {
  2. public Integer apply(String from) {
  3. Preconditions.checkNotNull(from);
  4. return from.length();
  5. }
  6. };
  7. List<String> from = Lists.newArrayList("abc", "defg", "hijkl");
  8. List<Integer> to = Lists.transform(from, strlen);
  9. for (int i = 0; i < from.size(); i++) {
  10. System.out.printf("%s has length %d\n", from.get(i), to.get(i));
  11. }

不过这种转换是在访问元素的时候才进行, 下面的例子可以说明:

    1. Function<String, Boolean> isPalindrome = new Function<String, Boolean>() {
    2. public Boolean apply(String from) {
    3. Preconditions.checkNotNull(from);
    4. return new StringBuilder(from).reverse().toString().equals(from);
    5. }
    6. };
    7. List<String> from = Lists.newArrayList("rotor", "radar", "hannah", "level", "botox");
    8. List<Boolean> to = Lists.transform(from, isPalindrome);
    9. for (int i = 0; i < from.size(); i++) {
    10. System.out.printf("%s is%sa palindrome\n", from.get(i), to.get(i) ? " " : " NOT ");
    11. }
    12. // changes in the "from" list are reflected in the "to" list
    13. System.out.printf("\nnow replace hannah with megan...\n\n");
    14. from.set(2, "megan");
    15. for (int i = 0; i < from.size(); i++) {
    16. System.out.printf("%s is%sa palindrome\n", from.get(i), to.get(i) ? " " : " NOT ");
    17. }

转自  http://macrochen.iteye.com/blog/737058

Google Guava 库用法整理<转>的更多相关文章

  1. Guava 教程2-深入探索 Google Guava 库

    原文出处: oschina 在这个系列的第一部分里,我简单的介绍了非常优秀的Google collections和Guava类库,并简要的解释了作为Java程序员,如果使用Guava库来减少项目中大量 ...

  2. 使用 Google Guava 美化你的 Java 代码

    文章转载自:http://my.oschina.net/leejun2005/blog/172328 目录:[ - ] 1-使用 GOOGLE COLLECTIONS,GUAVA,STATIC IMP ...

  3. 字符串操作 — Google Guava

    前言 Java 里字符串表示字符的不可变序列,创建后就不能更改.在我们日常的工作中,字符串的使用非常频繁,熟练的对其操作可以极大的提升我们的工作效率,今天要介绍的主角是 Google 开源的一个核心 ...

  4. Google Guava的5个鲜为人知的特性

    译文出处: 花名有孚   原文出处:takipi.com Google Guava有哪些比较冷门但却又实用的特性呢? 它是最流行的开源库之一,你应该听过它的大名,它诞生的地方正是人们举办真正的魁地奇比 ...

  5. 【转载】使用 Google Guava 美化你的 Java 代码

    转载地址: https://blog.csdn.net/wisgood/article/details/13297535 原文地址:https://my.oschina.net/leejun2005/ ...

  6. Google Guava的splitter用法

    google的guava库是个很不错的工具库,这次来学习其spliiter的用法,它是一个专门用来 分隔字符串的工具类,其中有四种用法,分别来小结 1 基本用法: String str = " ...

  7. 【java】【guava】Google Guava的splitter用法

    Google Guava的splitter,分割字符串的用法 package com.sxd.swapping.guava; import com.google.common.base.CharMat ...

  8. 开源框架】Android之史上最全最简单最有用的第三方开源库收集整理,有助于快速开发

    [原][开源框架]Android之史上最全最简单最有用的第三方开源库收集整理,有助于快速开发,欢迎各位... 时间 2015-01-05 10:08:18 我是程序猿,我为自己代言 原文  http: ...

  9. google Guava包的ListenableFuture解析

     一. ListenableFuture是用来增强Future的功能的. 我们知道Future表示一个异步计算任务,当任务完成时可以得到计算结果.如果我们希望一旦计算完成就拿到结果展示给用户或者做另外 ...

随机推荐

  1. 用setitimer实现多个定时器

    从这篇文章中可以看出,setitimer只能实现一个定时器,如果多次调用setitimer,旧值都会被覆盖掉. 如何用setitimer实现多个定时器呢?下面是我的一个实现,具体的方法是: 用链表从小 ...

  2. NYOJ-------三角形

    Problem A 三角形 时间限制:1000 ms  |  内存限制:65535 KB   描述 在数学中,如果知道了三个点的坐标,我们就可以判断这三个点能否组成一个三角形:如果可以组成三角形,那么 ...

  3. JS阻止冒泡方法(转)

    S事件流其中一种是冒泡事件,当一个元素被触发一个事件时,该目标元素的事件会优先被执行,然后向外传播到每个祖先元素,恰如水里的一个泡泡似的,从产生就一直往上浮,到在水平面时,它才消失.在这个过程中,如果 ...

  4. Android四款系统架构工具

    开发者若想开发出一款高质量的应用,一款功能强大的开发工具想必是不可或缺的.开发工具简化了应用的开发流程,也能使开发者在应用开发本身投入更多的精力.本文就为大家带来4款实用的Android应用架构工具. ...

  5. Java并发编程,多线程[转]

    Java并发编程 转自:http://www.cnblogs.com/dolphin0520/category/602384.html 第一个例子(没有阻塞主线程,会先输出over): package ...

  6. Oracle游标解析

    本节对Oracle中的游标进行详细讲解. 本节所举实例来源Oracle中scott用户下的emp表dept表: 一.游标: 1.概念: 游标的本质是一个结果集resultset,主要用来临时存储从数据 ...

  7. Python学习笔记020——数据库知识概述

    数据库概述 1 提供数据库的软件都有哪些 MySQL.SQL_Server.Oracle.DB2.Mariadb.MongoDB ... (1)是否开源 开源软件:MySQL.Mariadb.Mong ...

  8. Python学习笔记014——迭代工具函数 内置函数enumerate()

    1 描述 enumerate() 函数用于将一个可遍历的数据对象(如列表.元组或字符串)组合为一个索引序列,同时列出数据和数据下标,一般用在 for 循环当中. 2 语法 enumerate(sequ ...

  9. CodeForces 445B. DZY Loves Chemistry(并查集)

    转载请注明出处:http://blog.csdn.net/u012860063?viewmode=contents 题目链接:http://codeforces.com/problemset/prob ...

  10. C++11新特性(1) 右值引用

    在C++中,左值(lvalue)是能够获取其地址的一个量.因为常常出如今赋值语句的左边.因此称之为左值.比如一个有名称的变量. 比如: int a=10; //a就是一个左值. 传统的C++引用,都是 ...