Reputation: 25991
HI Everyone. I'm sorry for this embarrassingly newbie question but I cannot seem to figure out the command to do it. I'm okay with python and had a script in jython that I'm convering to pure java(and learning along the way).
I have a string: Java is really cool
I know how to strip the string to get the final result: really cool
but i'm not sure the command to do it in java. I found commands in java to do it specifically by text but I want to use a space as a deliminator and get the words.
Can someone tell me what java command to use? I would want to be able either remove the first two words and/or specifically select the words I want.
Thanks,
Upvotes: 4
Views: 26301
Reputation: 1809
String foo = "java is really cool";
String bar[] = foo.split(" ");
this will separate all of the words into an array.
Upvotes: 2
Reputation: 56769
I think you are looking for String.split
.
String s = "Java is really cool";
String words[] = s.split(" ");
String firstTwo = words[0] + " " + words[1]; // first two words
String lastTwo = words[words.length - 2] + " "
+ words[words.length - 1]; // last two words
Upvotes: 8