I have a dilemma I am trying to find out the best way to compare a string variable called (code) to an array of strings. if it equal it i want it to break the for loop. Which would should I select. I think the 2nd one will work but the 1st one seems like it would and its simpler. Any advice would be appreciated.
String[] badcodes = {"8QQ", "8BQ", "8JQ"};
if (code.equals(badcodes)) {
break;
}
String[] badcodess = {"8QQ", "8BQ", "8JQ"};
for (String s : badcodess) {
if (s.equals(code)) {
break; // break out of for loop
}
}
--------------based on answer ----------------------
String[] badcodes = {"8QQ", "8BQ", "8JQ"};
boolean check = Arrays.asList(badcodess).contains(code);
if (check = true) {
// do something
} else {
// do something
}
2 Answers 2
You can convert your array to a List then use List::contains
to check if the list contain the code or not :
boolean check = Arrays.asList(badcodess).contains(code);
-
I wrote some code above I want to use an if statement, would that work ? since check in boolean i am checking if it is true or not correct?Jonathan– Jonathan03/14/2018 16:48:03Commented Mar 14, 2018 at 16:48
-
@Jonathan you can just use
if (check){//do something}else{//do something else}
no need to usecheck = true
this is an assignment and not comparing, to check if acheck
equals to true or not you need to use double equalYoucef LAIDANI– Youcef LAIDANI03/14/2018 16:49:15Commented Mar 14, 2018 at 16:49 -
so your saying I dont have to write check = true ?Jonathan– Jonathan03/14/2018 16:51:00Commented Mar 14, 2018 at 16:51
-
exactly just use
if(check)
it equivalent toif(check == true)
Youcef LAIDANI– Youcef LAIDANI03/14/2018 16:51:32Commented Mar 14, 2018 at 16:51 -
1OKAY I see if it contain the code do this if not do this check = true is not needed because if it equals true your going to do something anyway... I see i got itJonathan– Jonathan03/14/2018 16:53:01Commented Mar 14, 2018 at 16:53
Your first option would not do what you expect to do. And even if someArray.equals(anotherArray)
would do an element-wise comparison (which it doesn't) - you would need to have the special array contain all objects of the existing array, in the exact same order. In that sense: first understand why this approach is flawed in many ways, to then drop it.
The second option is fine, but if you really want to "improve" the whole thing - use ArrayList
instead - which has a contains()
method.
code
?String
will never be equal to aString[]