It's been a while since I've done any Java so my syntax is not the greatest at the moment.
I want to check a char variable is one of 21 specific chars, what is the shortest way I can do this?
For example:
if(symbol == ('A'|'B'|'C')){}
Doesn't seem to be working. Do I need to write it like:
if(symbol == 'A' || symbol == 'B' etc.)
If your input is a character and the characters you are checking against are mostly consecutive you could try this:
However if your input is a string a more compact approach (but slower) is to use a regular expression with a character class:
If you have a character you'll first need to convert it to a string before you can use a regular expression:
The first statement you have is probably not what you want...
'A'|'B'|'C'
is actually doing bitwise operation :)Your second statement is correct, but you will have 21 ORs.
If the 21 characters are "consecutive" the above solutions is fine.
If not you can pre-compute a hash set of valid characters and do something like
pseudocode as I haven't got a java sdk on me:
Option 2 will work. You could also use a
Set<Character>
orYes, you need to write it like your second line. Java doesn't have the python style syntactic sugar of your first line.
Alternatively you could put your valid values into an array and check for the existence of
symbol
in the array.Using Guava:
Or if many of those characters are a range, such as "A" to "U" but some aren't:
You can also declare this as a
static final
field so the matcher doesn't have to be created each time.