Sam*_*est 5 java string format notation
我正在尝试找到一种以工程表示法将度量和单位自动格式化为String的方法。这是科学计数法的特例,因为指数始终是3的倍数,但使用千,兆,毫,微前缀表示。
除了应该处理整个SI单位和前缀范围之外,这与本帖子类似。
例如,我正在寻找一个将格式化以下数量的库:12345.6789 Hz将被格式化为12 kHz或12.346 kHz或12.3456789 kHz 1234567.89 J将被格式化为1 MJ或1.23 MJ或1.2345 MJ,依此类推。
JSR-275 / JScience可以很好地处理单位度量,但是我还没有找到可以根据度量的大小自动算出最合适的缩放前缀的东西。
干杯,山姆。
import java.util.*;
class Measurement {
public static final Map<Integer,String> prefixes;
static {
Map<Integer,String> tempPrefixes = new HashMap<Integer,String>();
tempPrefixes.put(0,"");
tempPrefixes.put(3,"k");
tempPrefixes.put(6,"M");
tempPrefixes.put(9,"G");
tempPrefixes.put(12,"T");
tempPrefixes.put(-3,"m");
tempPrefixes.put(-6,"u");
prefixes = Collections.unmodifiableMap(tempPrefixes);
}
String type;
double value;
public Measurement(double value, String type) {
this.value = value;
this.type = type;
}
public String toString() {
double tval = value;
int order = 0;
while(tval > 1000.0) {
tval /= 1000.0;
order += 3;
}
while(tval < 1.0) {
tval *= 1000.0;
order -= 3;
}
return tval + prefixes.get(order) + type;
}
public static void main(String[] args) {
Measurement dist = new Measurement(1337,"m"); // should be 1.337Km
Measurement freq = new Measurement(12345678,"hz"); // should be 12.3Mhz
Measurement tiny = new Measurement(0.00034,"m"); // should be 0.34mm
System.out.println(dist);
System.out.println(freq);
System.out.println(tiny);
}
}
Run Code Online (Sandbox Code Playgroud)