Checks if the collection contains only the given allowed items. - Android java.util

Android examples for java.util:Collection Contains

Description

Checks if the collection contains only the given allowed items.

Demo Code

/*/*from w ww  .  j av  a 2  s.co  m*/
 * Syncany, www.syncany.org
 * Copyright (C) 2011-2015 Philipp C. Heckel <philipp.heckel@gmail.com> 
 *
 * This program is free software: you can redistribute it and/or modify
 * it under the terms of the GNU General Public License as published by
 * the Free Software Foundation, either version 3 of the License, or
 * (at your option) any later version.
 *
 * This program is distributed in the hope that it will be useful,
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 * GNU General Public License for more details.
 *
 * You should have received a copy of the GNU General Public License
 * along with this program.  If not, see <http://www.gnu.org/licenses/>.
 */
//package com.book2s;
import java.util.Arrays;
import java.util.Collection;

public class Main {
    /**
     * Checks if the collection contains only the given allowed items. <tt>list</tt> 
     * may contain zero to max(allowedItems) items from allowedItems.
     * 
     * <p><b>Examples:</b><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }))        --> true</tt><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }), 1, 2)  --> false, 3 missing</tt><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }), 1, 99) --> false, 3 missing</tt>
     */
    @SafeVarargs
    public static <T> boolean containsOnly(Collection<T> list,
            T... allowedItems) {
        return containsOnly(list, Arrays.asList(allowedItems));
    }

    /**
     * Checks if the collection contains only the given allowed items. <tt>list</tt> 
     * may contain zero to max(allowedItems) items from allowedItems.
     * 
     * <p><b>Examples:</b><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }), Arrays.asList(new Integer[] { }))       --> true</tt><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }), Arrays.asList(new Integer[] { 1, 2 }))  --> false, 3 missing</tt><br>
     * <tt>containsOnly(Arrays.asList(new Integer[] { 1, 2, 3 }), Arrays.asList(new Integer[] { 1, 99 })) --> false, 3 missing</tt>
     */
    public static <T> boolean containsOnly(Collection<T> list,
            Collection<T> allowedItems) {
        for (T item : list) {
            if (!allowedItems.contains(item)) {
                return false;
            }
        }

        return true;
    }
}

Related Tutorials