How do I determine whether an array contains a particular value in Java?
Asked Answered
C

32

2717

I have a String[] with values like so:

public static final String[] VALUES = new String[] {"AB","BC","CD","AE"};

Given String s, is there a good way of testing whether VALUES contains s?

Caseworm answered 15/7, 2009 at 0:3 Comment(7)
Long way around it, but you can use a for loop: "for (String s : VALUES) if (s.equals("MYVALUE")) return true;Fragmental
Yeah, I was almost embarrassed to ask the question, but at the same time was surprised that it hadn't been asked. It's one of those APIs that I just haven't been exposed to...Caseworm
@camickr--I have a nearly identical situation with this one: https://mcmap.net/q/36388/-iterating-through-a-collection-avoiding-concurrentmodificationexception-when-removing-objects-in-a-loop It just keeps getting votes yet was just a copy/paste from sun's documentation. I guess score is based on how much help you provided and not how much effort you put into it--and mostly how fast you post it! Maybe we've stumbled onto John Skeet's secret! Well good answer, +1 for you.Capture
If you're using Apache Commons, then org.apache.commons.lang.ArrayUtils.contains() does this for you.Artemas
@Zach: you are falling in the trap of the for-if antipattern, don't do that.Wallachia
@camickr because people, like me, google a question, click on the SO result, see your answer, test it, it works, upvote the answer and then leave.Seafowl
I really miss a simple indexOf and contains in java.util.Arrays - which would both contain straightforward loops. Yes, you can write those in 1 minute; but I still went over to StackOverflow expecting to find them somewhere in the JDK.Upright
T
3388
Arrays.asList(yourArray).contains(yourValue)

Warning: this doesn't work for arrays of primitives (see the comments).


Since you can now use Streams.

String[] values = {"AB","BC","CD","AE"};
boolean contains = Arrays.stream(values).anyMatch("s"::equals);

To check whether an array of int, double or long contains a value use IntStream, DoubleStream or LongStream respectively.

Example

int[] a = {1,2,3,4};
boolean contains = IntStream.of(a).anyMatch(x -> x == 4);
Tuinal answered 15/7, 2009 at 0:4 Comment(32)
I am somewhat curious as to the performance of this versus the searching functions in the Arrays class versus iterating over an array and using an equals() function or == for primitives.Alliber
They would both be a linear search.Babette
@Thomas: I think that asList() might actually allocate a new object that delegates to the existing array, so you are paying the allocation cost. The list is backed by the array so the elements themselves shoudln't be reallocated.Stalder
You don't lose much, as asList() returns an ArrayList which has an array at its heart. The constructor will just change a reference so that's not much work to be done there. And contains()/indexOf() will iterate and use equals(). For primitives you should be better off coding it yourself, though. For Strings or other classes, the difference will not be noticeable.Veterinarian
The Array.asList method is very fast for arrays of primitives. ;)Starstudded
Odd, NetBeans claims that 'Arrays.asList(holidays)' for an 'int[] holidays' returns a 'list<int[]>', and not a 'list<int>'. It just contains one single element. Meaning the Contains doesn't work since it just has one element; the int array.Surf
that method is about 3 times slower than a basic for search loopIdiom
Nyerguds: indeed, this does not work for primitives. In java primitive types can't be generic. asList is declared as <T> List<T> asList(T...). When you pass an int[] into it, the compiler infers T=int[] because it can't infer T=int, because primitives can't be generic.Carley
@Veterinarian just a side note, it's an ArrayList, but not java.util.ArrayList as you expect, the real class returned is: java.util.Arrays.ArrayList<E> defined as: public class java.util.Arrays {private static class ArrayList<E> ... {}}.Numeration
Eek. Any reason why it is another ArrayList? o.OVeterinarian
@Јοеу Because it is not a "normal" ArrayList, Arrays.asList(T...) "returns a fixed-size list backed by the specified array." Arrays.ArrayList is just a "thin" List-wrapper around an existing array. Most importantly, you cannot add or remove elements, because it does not allocate it's own array, but directly uses the original. This makes it very cheap to use, as no copying has to be done, it just stores a reference to the original array. So don't be afraid to use Arrays.asList(T...), it is not expensive.Elbert
@Veterinarian you wrote "The constructor will just change a reference so that's not much work to be done there.". which constructor?Monkery
@Loc, totally agree, I questioned all the up votes 2 years ago when it had 75. There really should be a limit of maybe 10 on any answer. The answer should not be used in a popularity contest, only to indicate that it is an answer the OP should consider to solve the given question.Tuinal
What's the problem with the upvotes? It saves some people time, and the more curious read the comments and learn more and so make better decisions in the future. To me, that's a successful answer.Bryanbryana
@fool4jesus, this is my answer. Read my comment from above. There is no way that any answer is that good. How does a question with 700 up votes versus one with 10 up votes save people "more" time? You only need a few up votes to indicate to anybody reading the question that this answer should be considered.Tuinal
I did read your comment (as I suggested people should :-). I just don't agree. In my view, the number of upvotes can indicate the excellence of the answer, but perhaps even more the frequency of the question. I myself have been programming in java for many years, but I don't keep track of all the latest additions to the language and wanted a quick sanity check as to whether there were any better ways to do this commonly-needed function. Would you feel better if I took back my upvote?Bryanbryana
This method will not work with primitives! I found only found this out after I was trying to do a similar thing with an array of integers.Philanthropy
@Bryanbryana "the number of upvotes can indicate the excellence of the answer, but perhaps even more the frequency of the question." Agreed! I actually think the score somehow translates into Google search ranking even. Thus, good answers to common questions will be high in the rankings. Sounds good to me!Veratridine
I'm sorry, but it's a good answer only for the particular example where the array is small. But as a general purpose solution? Converting an array to a collection just so you can use that collection to peruse itself and tell you if something exists in it? Terrible.Mile
@tgm1024: as others explained in comments above yours, this is just a thin wrapper that doesn't do any copying. #1129223Cockaigne
@PeterCordes, it's not about copying. That "thin wrapper" is no thin wrapper----it's a method call for every single access. For really large arrays, you are always best to leave it be and let the compiler supply the access code. Really, it's not a great general purpose solution, if part of the definition of "general purpose" includes the likelihood of large datasets already in array form.Mile
@tgm1024: I thought JVMs were pretty good about optimizing away trivial method calls that just return A[i] or something. It should be easy compared to most compiler optimizations, and also really effective, since it comes up a lot.Cockaigne
@PeterCordes, well, I'll leave it here then, because whatever optimizations happen with collections, you'll likely exceed that with arrays, unless the compiler can manage (ptr++) style optimizations based upon collection hints. But be careful with micro-benchmarks. They are very very difficult to do properly with Java. In any case, it's not about copying data.Mile
What about a string instead of int?Tambourine
For primitives we cand o somthing like this: public Integer keyCodes[] = { KeyEvent.KEYCODE_0};Crucify
This produced java.lang.NoClassDefFoundError: IntStream using Java8 on AndroidMonastic
Take care when using an array of strings, they should be compared with String.equals method not == !Medallion
How about for array of bytes byte[] ?Pennell
The answer should give an example of apache's ArrayUtils.contains method since it is likely to be faster.Ratify
@Luke, no it shouldn't. The answer was designed to be simple and use classes of the JDK. It was not designed to force users to download 3rd party classes. It was also not a question about speed/efficiency. Add it as your own answer if you feel it is that important.Tuinal
I see a lot of ways to do it, but why Java don't provides a simple contains build-in method for array containing check? What a miss.Levanter
This way is also suggested: boolean contains = Arrays.asList(values).contains("s"); Fanechka
S
453

Concise update for Java SE 9

Reference arrays are bad. For this case we are after a set. Since Java SE 9 we have Set.of.

private static final Set<String> VALUES = Set.of(
    "AB","BC","CD","AE"
);

"Given String s, is there a good way of testing whether VALUES contains s?"

VALUES.contains(s)

O(1).

The right type, immutable, O(1) and concise. Beautiful.*

Original answer details

Just to clear the code up to start with. We have (corrected):

public static final String[] VALUES = new String[] {"AB","BC","CD","AE"};

This is a mutable static which FindBugs will tell you is very naughty. Do not modify statics and do not allow other code to do so also. At an absolute minimum, the field should be private:

private static final String[] VALUES = new String[] {"AB","BC","CD","AE"};

(Note, you can actually drop the new String[]; bit.)

Reference arrays are still bad and we want a set:

private static final Set<String> VALUES = new HashSet<String>(Arrays.asList(
     new String[] {"AB","BC","CD","AE"}
));

(Paranoid people, such as myself, may feel more at ease if this was wrapped in Collections.unmodifiableSet - it could then even be made public.)

(*To be a little more on brand, the collections API is predictably still missing immutable collection types and the syntax is still far too verbose, for my tastes.)

Starstudded answered 15/7, 2009 at 1:13 Comment(13)
Except it's O(N) to create the collection in the first place :)Greenstein
If it's static, it's probably going to be used quite a few times. So, the time consumed to initialise the set has good chances of being quite small compared to the cost of a lot of linear searches.Conjunctiva
Creating then the collection is going to be dominated by code loading time (which is technically O(n) but practically constant).Starstudded
@TomHawtin-tackline Why do you say "in particular here we want a set"? What is the advantage of a Set (HashSet) in this case? Why is a "reference array" bad (by "reference array" do you mean an ArrayList backed by an array as generated by a call to Arrays.asList)?Applicable
@BasilBourque The problem trying to be solved is determining whether a value is within a set of values. A Set is a very good fit. / By "reference array" I mean a Java language array of reference types. Arrays of primitives, whilst not great, are a bit short of efficient alternatives without some necessary clunky library. A later version of Java could support immutable selfless/value types, which would change things.Starstudded
isn't this lookup actually O(log(n))Spaceport
@Spaceport A TreeSet would be O(log n). HashSets are scaled such that the mean number of elements in a bucket is roughly constant. At least for arrays up to 2^30. There may be affects from, say, hardware caches which the big-O analysis ignores. Also assumes the hash function is working effectively.Starstudded
you have to iterate the array to create the collection. O(n). You can then argue that amortized or simiar this evens out, but you must have an O(n) step somewhere.Buettner
This answer is completely right. The point most of the commenters miss is that if you were placing the objects into a collection in the first place it wouldn't be much more time than creating the array was. Just avoid using arrays unless you are absolutely sure nothing else will do (For performance purposes), using an array because you think it will be faster without testing to see if the collection is actually too slow in the first place is a perfect example of premature optimization.Capture
For me this solution with Set is way more elegant than the accepted answer. Thanks.Sciuroid
This doesn't answer the question about the array. You just say "don't use arrays" which is not a solution. Additionally, you just say "X is bad" but don't explain why which is always bad for an answer.Ionic
At least in the OpenJDK implementation, the four-parameter Set.of method doesn't return a HashSet data structure; for so few elements, that would not be efficient. See the code here: hg.openjdk.java.net/jdk9/jdk9/jdk/file/86f19074aad2/src/…Frodina
@Frodina Good. Big-O is for sufficiently large (i.e. quite large) n. I believe C# has had some kind of hybrid implementation from day 1, or perhaps 2.0.Starstudded
P
243

You can use ArrayUtils.contains from Apache Commons Lang

public static boolean contains(Object[] array, Object objectToFind)

Note that this method returns false if the passed array is null.

There are also methods available for primitive arrays of all kinds.

Example:

String[] fieldsToInclude = { "id", "name", "location" };

if ( ArrayUtils.contains( fieldsToInclude, "id" ) ) {
    // Do some stuff.
}
Plop answered 31/5, 2011 at 13:17 Comment(7)
@max4ever I agree, but this is still better then "rolling your own" and easier to read then the raw java way.Gadid
package: org.apache.commons.lang.ArrayUtilsDisharmonious
@max4ever Sometimes you already have this library included (for other reasons) and it is a perfectly valid answer. I was looking for this and I already depend on Apache Commons Lang. Thanks for this answer.Creatine
Or you could just copy the method (and depedencies if there are any).Refractor
@max4ever Most android apps are minimalized by Proguard, putting only the classes and functions you need into your app. That makes it equal to roll your own, or copy the source of the apache thing. And whoever doesn't use that minimalization doesn't need to complain about 700kb or 78kb :)Performing
Sometimes we shoot down mosquitoes with lasers. Nothing wrong with that ;)Headdress
Thanks. One of the nice things about this solution, as compared with the others, is that it should be perfectly readable to anyone, e.g. if value is in some range of values do A, if it's in some other range of values do B, etc. Important if you know your code will likely be maintained by someone else and making their lives easy is more important than final jar size, or speed.Neona
P
167

Just simply implement it by hand:

public static <T> boolean contains(final T[] array, final T v) {
    for (final T e : array)
        if (e == v || v != null && v.equals(e))
            return true;

    return false;
}

Improvement:

The v != null condition is constant inside the method. It always evaluates to the same Boolean value during the method call. So if the input array is big, it is more efficient to evaluate this condition only once, and we can use a simplified/faster condition inside the for loop based on the result. The improved contains() method:

public static <T> boolean contains2(final T[] array, final T v) {
    if (v == null) {
        for (final T e : array)
            if (e == null)
                return true;
    } 
    else {
        for (final T e : array)
            if (e == v || v.equals(e))
                return true;
    }

    return false;
}
Pussy answered 28/9, 2012 at 7:45 Comment(13)
What would the performance difference be between this solution and the accepted answer?Inextinguishable
@Inextinguishable This solution is obviously faster because the accepted answer wraps the array into a list, and calls the contains() method on that list while my solution basically does what contains() only would do.Pussy
e == v || v != null && v.equals( e ) --- The first part of the OR statement compares e and v. The second part does the same (after checking v isn't null). Why would you have such an implementation instead of just (e==v). Could you explain this to me?Planksheer
@AlastorMoody e==v does a reference equality check which is very fast. If the same object (same by reference) is in the array, it will be found faster. If it is not the same instance, it still might be the same as claimed by the equals() method, this is what is checked if references are not the same.Pussy
Why isn't this function part of Java? No wonder people say Java is bloated... look at all the answers above this that use a bunch of libraries when all you need is a for loop. Kids these days!Dolhenty
@Dolhenty It is part of Java, see Collection.contains(Object)Babette
@Pussy If you look at the source of Arrays and ArrayList it turns out that this isn't necessarily faster than the version using Arrays.asList(...).contains(...). Overhead of creating an ArrayList is extremely small, and ArrayList.contains() uses a smarter loop (actually it uses two different loops) than the one shown above (JDK 7).Miceli
@Miceli You're right. For small arrays, this is definitely faster. For large arrays, this would be slightly slower, but would become slightly faster again if would use 2 loops based on the searched value being null or not. I've thought of these 2 loops before but left it out for simplicity.Pussy
See also: potato programming.Ammadis
-1: If you need performance, then the correct thing to do would be to encapsulate the array and cache the checks you need at assignment rather than iterating over it every time you need to do the check (and frankly, probably not to run inside a JVM). If you don't, this is wordier and less maintainable for no value.Succotash
@Succotash I kinda disagree. If you need performance regarding the contains operation, don't use arrays at all (but rather HashSet). The question was about arrays, so I showed how it can be done with arrays. And the first solution is just a simple loop, it is not complicated at all. And also if an array is already given and you have little or no choice to choose the data structure, the improved version does have value.Pussy
The problem though is that conceptually you don't want to teach people to take one potentially large data structure (an array) and then convert it to another large structure (a collection) JUST so that you can have that 2nd structure peruse itself. The most important reason being that 1. it's woefully unnecessary, and 2. the actual implementation of that collection search mechanism must be regarded as opaque because it can change in future revisions of Java. It's a crummy idea on principle alone.Mile
en.wikipedia.org/wiki/Loop-invariant_code_motion the "improvement" is useless, any reasonable compiler (including C1 and C2 in HotSpot) will move the null check outside the loop because the parameter is final and cannot change.Nostril
C
97

Four Different Ways to Check If an Array Contains a Value

  1. Using List:

    public static boolean useList(String[] arr, String targetValue) {
        return Arrays.asList(arr).contains(targetValue);
    }
    
  2. Using Set:

    public static boolean useSet(String[] arr, String targetValue) {
        Set<String> set = new HashSet<String>(Arrays.asList(arr));
        return set.contains(targetValue);
    }
    
  3. Using a simple loop:

    public static boolean useLoop(String[] arr, String targetValue) {
        for (String s: arr) {
            if (s.equals(targetValue))
                return true;
        }
        return false;
    }
    
  4. Using Arrays.binarySearch():

    The code below is wrong, it is listed here for completeness. binarySearch() can ONLY be used on sorted arrays. You will find the result is weird below. This is the best option when array is sorted.

    public static boolean binarySearch(String[] arr, String targetValue) {  
        return Arrays.binarySearch(arr, targetValue) >= 0;
    }
    

Quick Example:

String testValue="test";
String newValueNotInList="newValue";
String[] valueArray = { "this", "is", "java" , "test" };
Arrays.asList(valueArray).contains(testValue); // returns true
Arrays.asList(valueArray).contains(newValueNotInList); // returns false
Columnar answered 7/5, 2014 at 19:14 Comment(4)
your binary search example should return a > 0;Disario
Why? I think it should return a > -1, since 0 would indicate that it is contained at the head of the array.Carolincarolina
The first variant with (a >= 0) was correct, just check the docs, they say "Note that this guarantees that the return value will be >= 0 if and only if the key is found".Punchdrunk
Why works to String and not to int? static boolean exists(int[] ints, int k) { return Arrays.asList(ints).contains(k); }Bleareyed
S
76

If the array is not sorted, you will have to iterate over everything and make a call to equals on each.

If the array is sorted, you can do a binary search, there's one in the Arrays class.

Generally speaking, if you are going to do a lot of membership checks, you may want to store everything in a Set, not in an array.

Stalder answered 15/7, 2009 at 0:5 Comment(2)
Also, like I said in my answer, if you use the Arrays class, you can sort the array then perform the binary search on the newly sorted array.Alliber
@Thomas: I agree. Or you can just add everything into a TreeSet; same complexity. I would use the Arrays if it doesn't change (maybe save a little bit of memory locality since the references are located contiguously though the strings aren't). I would use the set if this would change over time.Stalder
T
54

For what it's worth I ran a test comparing the 3 suggestions for speed. I generated random integers, converted them to a String and added them to an array. I then searched for the highest possible number/string, which would be a worst case scenario for the asList().contains().

When using a 10K array size the results were:

Sort & Search   : 15
Binary Search   : 0
asList.contains : 0

When using a 100K array the results were:

Sort & Search   : 156
Binary Search   : 0
asList.contains : 32

So if the array is created in sorted order the binary search is the fastest, otherwise the asList().contains would be the way to go. If you have many searches, then it may be worthwhile to sort the array so you can use the binary search. It all depends on your application.

I would think those are the results most people would expect. Here is the test code:

import java.util.*;

public class Test {
    public static void main(String args[]) {
        long start = 0;
        int size = 100000;
        String[] strings = new String[size];
        Random random = new Random();

        for (int i = 0; i < size; i++)
            strings[i] = "" + random.nextInt(size);

        start = System.currentTimeMillis();
        Arrays.sort(strings);
        System.out.println(Arrays.binarySearch(strings, "" + (size - 1)));
        System.out.println("Sort & Search : "
                + (System.currentTimeMillis() - start));

        start = System.currentTimeMillis();
        System.out.println(Arrays.binarySearch(strings, "" + (size - 1)));
        System.out.println("Search        : "
                + (System.currentTimeMillis() - start));

        start = System.currentTimeMillis();
        System.out.println(Arrays.asList(strings).contains("" + (size - 1)));
        System.out.println("Contains      : "
                + (System.currentTimeMillis() - start));
    }
}
Tuinal answered 15/7, 2009 at 1:28 Comment(5)
I don't understand this code. You sort the array 'strings' and use the same (sorted) array in both calls to binarySearch. How can that show anything except HotSpot runtime optimization? The same with the asList.contains call. You create a list from the sorted array and then does contains on it with the highest value. Of course it's going to take time. What is the meaning of this test? Not to mention being an improperly written microbenchmarkWealthy
Also, since binary search can only be applied to a sorted set, sort and search is the only possible way to use binary search.Wealthy
Sorting may have already been done for a number of other reasons, e.g., it could be sorted on init and never changed. There's use in testing search time on its own. Where this falls down however is in being a less than stellar example of microbenchmarking. Microbenchmarks are notoriously difficult to get right in Java and should for example include executing the test code enough to get hotspot optimisation before running the actual test, let alone running the actual test code more than ONCE with a timer. Example pitfallsMyrtamyrtaceous
This test is flawed as it runs all 3 tests in the same JVM instance. The later tests could benefit from the earlier ones warming up the cache, JIT, etcBabette
This test is actually totally unrelated. Sort & Search is linearithmic (n*log(n)) complexity, binary search is logarithmic and ArrayUtils.contains is obviously linear. It's no use to compare this solutions as they are in totally different complexity classes.Caterer
O
42

Instead of using the quick array initialisation syntax too, you could just initialise it as a List straight away in a similar manner using the Arrays.asList method, e.g.:

public static final List<String> STRINGS = Arrays.asList("firstString", "secondString" ...., "lastString");

Then you can do (like above):

STRINGS.contains("the string you want to find");
Oakley answered 20/1, 2011 at 13:58 Comment(0)
S
40

With Java 8 you can create a stream and check if any entries in the stream matches "s":

String[] values = {"AB","BC","CD","AE"};
boolean sInArray = Arrays.stream(values).anyMatch("s"::equals);

Or as a generic method:

public static <T> boolean arrayContains(T[] array, T value) {
    return Arrays.stream(array).anyMatch(value::equals);
}
Superannuated answered 13/3, 2014 at 14:53 Comment(2)
It's worth to also note the primitive specializations.Thyroiditis
To also add, anyMatch JavaDoc states that it "...May not evaluate the predicate on all elements if not necessary for determining the result.", so it may not need to continue processing after finding a match.Submaxillary
A
29

You can use the Arrays class to perform a binary search for the value. If your array is not sorted, you will have to use the sort functions in the same class to sort the array, then search through it.

Alliber answered 15/7, 2009 at 0:5 Comment(5)
You can use the sort functions in the same class to accomplish that...I should add that to my answer.Alliber
Will probably cost more than the asList().contains() approach, then, I think. Unless you need to do that check very often (but if it's just a static list of values that can be sorted to begin with, to be fair).Veterinarian
True. There are a lot of variables as to which would be the most effective. It's good to have options though.Alliber
Some code that does this here: https://mcmap.net/q/40878/-compare-int-with-once-integer-duplicateScow
Sorting a whole array for a purpose of a search is expensive. We can use the same CPU time for the liner search itself. I prefer binary search on a collection which is already constructed in sorted order beforehand.Peh
S
21

ObStupidAnswer (but I think there's a lesson in here somewhere):

enum Values {
    AB, BC, CD, AE
}

try {
    Values.valueOf(s);
    return true;
} catch (IllegalArgumentException exc) {
    return false;
}
Starstudded answered 15/7, 2009 at 1:18 Comment(1)
Exception throwing is apparently heavy but this would be a novel way of testing a value if it works. The downside is that the enum has to be defined beforehand.Farmyard
I
14

Actually, if you use HashSet<String> as Tom Hawtin proposed you don't need to worry about sorting, and your speed is the same as with binary search on a presorted array, probably even faster.

It all depends on how your code is set up, obviously, but from where I stand, the order would be:

On an unsorted array:

  1. HashSet
  2. asList
  3. sort & binary

On a sorted array:

  1. HashSet
  2. Binary
  3. asList

So either way, HashSet for the win.

Indubitability answered 11/6, 2010 at 2:37 Comment(1)
HashSet membership should be O(1) and binary search on a sorted collection is O(log n).Ammadis
N
14

Developers often do:

Set<String> set = new HashSet<String>(Arrays.asList(arr));
return set.contains(targetValue);

The above code works, but there is no need to convert a list to set first. Converting a list to a set requires extra time. It can as simple as:

Arrays.asList(arr).contains(targetValue);

or

for (String s : arr) {
    if (s.equals(targetValue))
        return true;
}

return false;

The first one is more readable than the second one.

Neve answered 25/6, 2014 at 7:24 Comment(0)
S
11

If you have the google collections library, Tom's answer can be simplified a lot by using ImmutableSet (http://google-collections.googlecode.com/svn/trunk/javadoc/com/google/common/collect/ImmutableSet.html)

This really removes a lot of clutter from the initialization proposed

private static final Set<String> VALUES =  ImmutableSet.of("AB","BC","CD","AE");
Soldier answered 19/9, 2012 at 14:13 Comment(0)
L
10

One possible solution:

import java.util.Arrays;
import java.util.List;

public class ArrayContainsElement {
  public static final List<String> VALUES = Arrays.asList("AB", "BC", "CD", "AE");

  public static void main(String args[]) {

      if (VALUES.contains("AB")) {
          System.out.println("Contains");
      } else {
          System.out.println("Not contains");
      }
  }
}
Lice answered 14/12, 2014 at 21:49 Comment(0)
R
10

In Java 8 use Streams.

List<String> myList =
        Arrays.asList("a1", "a2", "b1", "c2", "c1");

myList.stream()
        .filter(s -> s.startsWith("c"))
        .map(String::toUpperCase)
        .sorted()
        .forEach(System.out::println);
Rozina answered 28/4, 2015 at 6:40 Comment(0)
E
6

Using a simple loop is the most efficient way of doing this.

boolean useLoop(String[] arr, String targetValue) {
    for(String s: arr){
        if(s.equals(targetValue))
            return true;
    }
    return false;
}

Courtesy to Programcreek

Envelopment answered 7/4, 2014 at 19:53 Comment(3)
This will throw a null pointer exception if the array contains a null reference before the target value.Chauvinism
the if statement should be : if (targetValue.equals(s)) because String equals has a instanceof checker.Potency
use Objects.equals(obj1,obj2) instead to be null safe.Angelus
B
6

Use the following (the contains() method is ArrayUtils.in() in this code):

ObjectUtils.java

public class ObjectUtils {
    /**
     * A null safe method to detect if two objects are equal.
     * @param object1
     * @param object2
     * @return true if either both objects are null, or equal, else returns false.
     */
    public static boolean equals(Object object1, Object object2) {
        return object1 == null ? object2 == null : object1.equals(object2);
    }
}

ArrayUtils.java

public class ArrayUtils {
    /**
     * Find the index of of an object is in given array,
     * starting from given inclusive index.
     * @param ts    Array to be searched in.
     * @param t     Object to be searched.
     * @param start The index from where the search must start.
     * @return Index of the given object in the array if it is there, else -1.
     */
    public static <T> int indexOf(final T[] ts, final T t, int start) {
        for (int i = start; i < ts.length; ++i)
            if (ObjectUtils.equals(ts[i], t))
                return i;
        return -1;
    }

    /**
     * Find the index of of an object is in given array, starting from 0;
     * @param ts Array to be searched in.
     * @param t  Object to be searched.
     * @return indexOf(ts, t, 0)
     */
    public static <T> int indexOf(final T[] ts, final T t) {
        return indexOf(ts, t, 0);
    }

    /**
     * Detect if the given object is in the given array.
     * @param ts Array to be searched in.
     * @param t  Object to be searched.
     * @return If indexOf(ts, t) is greater than -1.
     */
    public static <T> boolean in(final T[] ts, final T t) {
        return indexOf(ts, t) > -1;
    }
}

As you can see in the code above, that there are other utility methods ObjectUtils.equals() and ArrayUtils.indexOf(), that were used at other places as well.

Bedraggle answered 23/7, 2014 at 13:25 Comment(0)
N
6

the shortest solution
the array VALUES may contain duplicates
since Java 9

List.of(VALUES).contains(s);
Nightwear answered 6/3, 2021 at 6:45 Comment(2)
Arrays.asList(VALUES).contains(s) will typically be more performant than List.of(VALUES).contains(s), since it's a view over the array and doesn't need to copy all the array values into a one-use list.Spirant
@M.Justin As you correctly stated: asList() wraps the original array VALUES with the List interface. List.of() returns an immutable list that is a copy of the original input array VALUES. For this reason, the original list can be changed w/o any side effects to the returned list.Nightwear
P
5
  1. For arrays of limited length use the following (as given by camickr). This is slow for repeated checks, especially for longer arrays (linear search).

     Arrays.asList(...).contains(...)
    
  2. For fast performance if you repeatedly check against a larger set of elements

    • An array is the wrong structure. Use a TreeSet and add each element to it. It sorts elements and has a fast exist() method (binary search).

    • If the elements implement Comparable & you want the TreeSet sorted accordingly:

      ElementClass.compareTo() method must be compatable with ElementClass.equals(): see Triads not showing up to fight? (Java Set missing an item)

      TreeSet myElements = new TreeSet();
      
      // Do this for each element (implementing *Comparable*)
      myElements.add(nextElement);
      
      // *Alternatively*, if an array is forceably provided from other code:
      myElements.addAll(Arrays.asList(myArray));
      
    • Otherwise, use your own Comparator:

      class MyComparator implements Comparator<ElementClass> {
           int compareTo(ElementClass element1; ElementClass element2) {
                // Your comparison of elements
                // Should be consistent with object equality
           }
      
           boolean equals(Object otherComparator) {
                // Your equality of comparators
           }
      }
      
      
      // construct TreeSet with the comparator
      TreeSet myElements = new TreeSet(new MyComparator());
      
      // Do this for each element (implementing *Comparable*)
      myElements.add(nextElement);
      
    • The payoff: check existence of some element:

      // Fast binary search through sorted elements (performance ~ log(size)):
      boolean containsElement = myElements.exists(someElement);
      
Phocomelia answered 20/5, 2013 at 7:34 Comment(1)
Why bother with TreeSet? HashSet is faster (O(1)) and does not require ordering.Marilumarilyn
R
5

If you don't want it to be case sensitive

Arrays.stream(VALUES).anyMatch(s::equalsIgnoreCase);
Rags answered 21/9, 2018 at 17:16 Comment(0)
B
5

Use below -

    String[] values = {"AB","BC","CD","AE"};
    String s = "A";
    boolean contains = Arrays.stream(values).anyMatch(v -> v.contains(s));
Burkholder answered 12/1, 2023 at 10:40 Comment(1)
I get "cannot resolve method 'contains(java.lang.String)'Russon
H
4

Try this:

ArrayList<Integer> arrlist = new ArrayList<Integer>(8);

// use add() method to add elements in the list
arrlist.add(20);
arrlist.add(25);
arrlist.add(10);
arrlist.add(15);

boolean retval = arrlist.contains(10);
if (retval == true) {
    System.out.println("10 is contained in the list");
}
else {
    System.out.println("10 is not contained in the list");
}
Hokum answered 7/12, 2013 at 4:19 Comment(0)
R
4

Check this

String[] VALUES = new String[]{"AB", "BC", "CD", "AE"};
String s;

for (int i = 0; i < VALUES.length; i++) {
    if (VALUES[i].equals(s)) {
        // do your stuff
    } else {
        //do your stuff
    }
}
Rexford answered 5/6, 2014 at 10:19 Comment(1)
This doesn't work - it will enter the else for every item that doesn't match (so if you're looking for "AB" in that array, it will go there 3 times, since 3 of the values aren't "AB").Denial
P
3

Arrays.asList() -> then calling the contains() method will always work, but a search algorithm is much better since you don't need to create a lightweight list wrapper around the array, which is what Arrays.asList() does.

public boolean findString(String[] strings, String desired){
   for (String str : strings){
       if (desired.equals(str)) {
           return true;
       }
   }
   return false; //if we get here… there is no desired String, return false.
}
Potency answered 30/4, 2015 at 2:57 Comment(0)
S
2

Use Array.BinarySearch(array,obj) for finding the given object in array or not.

Example:

if (Array.BinarySearch(str, i) > -1)` → true --exists

false --not exists

Seeto answered 30/5, 2013 at 6:59 Comment(3)
Array.BinarySearch and Array.FindIndex are .NET methods and don't exist in Java.Grantinaid
@Grantinaid there's Arrays.binarySearch in java. But you're right, no Arrays.findIndexMeninges
It should be noted: The array must be sorted prior to making this call. If it is not sorted, the results are undefined.Tannate
A
2

Try using Java 8 predicate test method

Here is a full example of it.

import java.util.Arrays;
import java.util.List;
import java.util.function.Predicate;

public class Test {
    public static final List<String> VALUES =
            Arrays.asList("AA", "AB", "BC", "CD", "AE");

    public static void main(String args[]) {
        Predicate<String> containsLetterA = VALUES -> VALUES.contains("AB");
        for (String i : VALUES) {
            System.out.println(containsLetterA.test(i));
        }
    }
}

http://mytechnologythought.blogspot.com/2019/10/java-8-predicate-test-method-example.html

https://github.com/VipulGulhane1/java8/blob/master/Test.java

Atmometer answered 2/10, 2019 at 15:24 Comment(0)
I
1

Create a boolean initially set to false. Run a loop to check every value in the array and compare to the value you are checking against. If you ever get a match, set boolean to true and stop the looping. Then assert that the boolean is true.

Interclavicle answered 17/5, 2018 at 19:37 Comment(0)
P
1

As I'm dealing with low level Java using primitive types byte and byte[], the best so far I got is from bytes-java https://github.com/patrickfav/bytes-java seems a fine piece of work

Pennell answered 26/2, 2020 at 8:19 Comment(0)
D
0

You can use Java Streams to determine whether an array contains a particular value. Here's an example:

import java.util.Arrays;

public class ArrayContainsValueExample {
    public static void main(String[] args) {
        String[] fruits = {"apple", "banana", "orange", "kiwi", "grape"};

        boolean containsOrange = Arrays.stream(fruits)
                .anyMatch("orange"::equals);

        if (containsOrange) {
            System.out.println("The array contains 'orange'");
        } else {
            System.out.println("The array does not contain 'orange'");
        }
    }
}

In the above example, we have an array of String type named fruits. We use the Arrays.stream() method to create a stream of the array elements. We then call the anyMatch() method to check if any of the elements in the stream match the value "orange". If any element matches the value, the anyMatch() method returns true, indicating that the array contains the value. If no element matches the value, the anyMatch() method returns false, indicating that the array does not contain the value.

Note that the anyMatch() method short-circuits, meaning that it stops processing the stream as soon as a match is found. This makes it efficient for large arrays, as it does not need to process all the elements.

Dickey answered 16/4, 2023 at 18:3 Comment(0)
L
0

Arrays.stream(VALUES).anyMatch(value -> StringUtils.equalsIgnoreCase("s", value));

Lemmy answered 29/10, 2023 at 16:14 Comment(0)
H
-2

You can check it by two methods

A) By converting the array into string and then check the required string by .contains method

String a = Arrays.toString(VALUES);
System.out.println(a.contains("AB"));
System.out.println(a.contains("BC"));
System.out.println(a.contains("CD"));
System.out.println(a.contains("AE"));

B) This is a more efficent method

Scanner s = new Scanner(System.in);

String u = s.next();
boolean d = true;
for (int i = 0; i < VAL.length; i++) {
    if (VAL[i].equals(u) == d)
        System.out.println(VAL[i] + " " + u + VAL[i].equals(u));
}
Hillis answered 4/8, 2019 at 13:29 Comment(1)
The string conversion is absurdly inefficient and the solution is incorrect, e.g. contains(",") will return true.Retool

© 2022 - 2024 — McMap. All rights reserved.