999至999 1000至1k
1500000至1.5m
依此类推,我不想失去任何精确度
此外,需要将它们转换回原始值
1.5米至1500000 等
它最高的是11位数
由于
答案 0 :(得分:1)
这个怎么样:
import static java.lang.Double.parseDouble;
import static java.util.regex.Pattern.compile;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
...
private static final Pattern REGEX = compile("(\\d+(?:\\.\\d+)?)([KMG]?)");
private static final String[] KMG = new String[] {"", "K", "M", "G"};
static String formatDbl(double d) {
int i = 0;
while (d >= 1000) { i++; d /= 1000; }
return d + KMG[i];
}
static double parseDbl(String s) {
final Matcher m = REGEX.matcher(s);
if (!m.matches()) throw new RuntimeException("Invalid number format " + s);
int i = 0;
long scale = 1;
while (!m.group(2).equals(KMG[i])) { i++; scale *= 1000; }
return parseDouble(m.group(1)) * scale;
}
答案 1 :(得分:0)
如果它们不是最终的,你可以扩展java.lang.Integer等来覆盖toString()方法。是否值得创建java.lang.Number子类?可能不是。您可以创建自己的类:MyInteger,MyFloat等使用合成(它们将具有保存数值的属性)并覆盖toString()方法以返回所需的格式。
换句话说,您可以在MyXXX类中创建工厂方法,创建包含字符串数值的对象(例如“1m”)。
好处是,这种工作非常适合单元测试。
你可以通过直接使用NumberFormat子类来获得你想要的东西,但是根据你将如何使用它,上面的设计可能会更好。
答案 2 :(得分:0)
static String[] prefixes = {"k","M","G"};
// Formats a double to a String with SI units
public static String format(double d) {
String result = String.valueOf(d);
// Get the prefix to use
int prefixIndex = (int) (Math.log10(d) / Math.log10(10)) / 3;
// We only have a limited number of prefixes
if (prefixIndex > prefixes.length)
prefixIndex = prefixes.length;
// Divide the input to the appropriate prefix and add the prefix character on the end
if (prefixIndex > 0)
result = String.valueOf(d / Math.pow(10,prefixIndex*3)) + prefixes[prefixIndex-1];
// Return result
return result;
}
// Parses a String formatted with SI units to a double
public static double parse(String s) {
// Retrieve the double part of the String (will throw an exception if not a double)
double result = Double.parseDouble(s.substring(0,s.length()-1));
// Retrieve the prefix index used
int prefixIndex = Arrays.asList(prefixes).indexOf(s.substring(s.length()-1)) + 1;
// Multiply the input to the appropriate prefix used
if (prefixIndex > 0)
result = result * Math.pow(10,prefixIndex*3);
return result;
}