Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Removing all fraction symbols like “¼” and “½” from a string

I need to modify strings similar to "¼ cups of sugar" to "cups of sugar", meaning replacing all fraction symbols with "".

I have referred to this post and managed to remove ¼ using this line:

itemName = itemName.replaceAll("\u00BC", ""); 

but how do I replace every possible fraction symbol out there?

like image 250
Michelle Avatar asked Apr 12 '17 02:04

Michelle


2 Answers

Fraction symbols like ¼ and ½ belong to Unicode Category Number, Other [No]. If you are ok with eliminating all 676 characters in that group, you can use the following regular expression:

itemName = itemName.replaceAll("\\p{No}+", ""); 

If not, you can always list them explicitly:

// As characters (requires UTF-8 source file encoding) itemName = itemName.replaceAll("[¼½¾⅐⅑⅒⅓⅔⅕⅖⅗⅘⅙⅚⅛⅜⅝⅞↉]+", "");  // As ranges using unicode escapes itemName = itemName.replaceAll("[\u00BC-\u00BE\u2150-\u215E\u2189]+", ""); 
like image 55
Andreas Avatar answered Sep 20 '22 13:09

Andreas


You can use below regex to replace all fraction with empty string.

str = str.replaceAll("(([\\xbc-\\xbe])?)", "") 
like image 37
Sumit Gulati Avatar answered Sep 19 '22 13:09

Sumit Gulati