I use a String where I need to get rid of any occurence of: < any string here >
I tried line = line.replaceAll("<[.]+>", "");
but it gives the same String... How can I delete the < any string between > substrings?
I use a String where I need to get rid of any occurence of: < any string here >
I tried line = line.replaceAll("<[.]+>", "");
but it gives the same String... How can I delete the < any string between > substrings?
As per my original comment...
Your regex <[.]+> says to match <, followed by the dot character . (literally) one or more times, followed by >
Removing [] will get you a semi-appropriate answer. The problem with this is that it's greedy, so it'll actually replace everything from the first occurrence of < to the last occurrence of > in the entire string (see the link to see it in action).
What you want is to either make the quantifier lazy or use a character class to ensure it's not going past the ending character.
This method .*? matches any character any number of times, but as few as possible
<.*?>
This method [^>]* matches any character except > any number of times
<[^>]*>
Note: This method performs much better than the first.