Logo

Programming-Idioms

  • Fortran
  • Ruby

Idiom #364 Calculate the magnitude symbol for a value

Calculate the SI (International System of Units) prefix, x, of value a.

For example, 'k', 'M', 'G', 'T', etc.

https://en.wikipedia.org/wiki/Metric_prefix

x =  case a
  when 1e3... 1e6 ; "k"
  when 1e6... 1e9 ; "M"
  when 1e9... 1e12; "G"
  when 1e12...1e15; "T"
  else ""
end
import static java.lang.Math.log;
import static java.lang.Math.pow;
enum SI {
    k("kilo"),
    M("mega"),
    G("giga"),
    T("tera");
    String s;
    static double y = log(1_000);
    SI(String s) { this.s = s; }
    static SI get(double x) {
        int y = (int) (log(x) / SI.y);
        return values()[y - 1];
    }
}
SI si = SI.get(a);
a = a / pow(1_000, si.ordinal() + 1);
String x = si.name();

This is intended to work where a > 999.

New implementation...
< >
reilas