Formatta un numero come 2,5 K se mille o più, altrimenti 900


154

Devo mostrare un valore di valuta nel formato di 1K pari a mille, o 1,1K, 1,2K, 1,9K ecc., Se non è un migliaio pari, altrimenti se inferiore a mille, visualizzare normale 500, 100, 250 ecc. , usando JavaScript per formattare il numero?


2
Hai anche bisogno Me G?
Salman,

Avrò bisogno di M sì ... Puoi aiutarmi?
Carl Weis,

Risposte:


209

Sembra che questo dovrebbe funzionare per te:

function kFormatter(num) {
    return Math.abs(num) > 999 ? Math.sign(num)*((Math.abs(num)/1000).toFixed(1)) + 'k' : Math.sign(num)*Math.abs(num)
}
    
console.log(kFormatter(1200)); // 1.2k
console.log(kFormatter(-1200)); // -1.2k
console.log(kFormatter(900)); // 900
console.log(kFormatter(-900)); // -900


2
Correzione minore suggerita ... Dovrebbe essere k minuscola per migliaia. Upper è per Kilos. Ho provato a modificare, ma richiede almeno 6 caratteri modificati prima che ci vorrà.
Adam Youngers,

Come posso inserire una variabile php qui dentro e usarla? cioè se la mia variabile numerica è $mynumber_outputdove la inserisco per usarla? Ad esempio, dire $mynumber_output= 12846, vorrei che 12846 fosse convertito in12.8k

Si noti che un kilobyte è 1024 byte in alcuni casi: en.wikipedia.org/wiki/Kilobyte
Olle Härstedt

Hai idea di come possiamo far visualizzare 1000 come 1.0k invece di 1k?
Brent,

1
Non risponde completamente alla domanda dell'utente. "Avrò bisogno di M sì ... Puoi aiutare?" - Carl Weis
tfmontague,

217

Una versione più generalizzata:

function nFormatter(num, digits) {
  var si = [
    { value: 1, symbol: "" },
    { value: 1E3, symbol: "k" },
    { value: 1E6, symbol: "M" },
    { value: 1E9, symbol: "G" },
    { value: 1E12, symbol: "T" },
    { value: 1E15, symbol: "P" },
    { value: 1E18, symbol: "E" }
  ];
  var rx = /\.0+$|(\.[0-9]*[1-9])0+$/;
  var i;
  for (i = si.length - 1; i > 0; i--) {
    if (num >= si[i].value) {
      break;
    }
  }
  return (num / si[i].value).toFixed(digits).replace(rx, "$1") + si[i].symbol;
}

/*
 * Tests
 */
var tests = [
  { num: 1234, digits: 1 },
  { num: 100000000, digits: 1 },
  { num: 299792458, digits: 1 },
  { num: 759878, digits: 1 },
  { num: 759878, digits: 0 },
  { num: 123, digits: 1 },
  { num: 123.456, digits: 1 },
  { num: 123.456, digits: 2 },
  { num: 123.456, digits: 4 }
];
var i;
for (i = 0; i < tests.length; i++) {
  console.log("nFormatter(" + tests[i].num + ", " + tests[i].digits + ") = " + nFormatter(tests[i].num, tests[i].digits));
}


@SalmanA - Grande aiuto, fallisce se si passa arg come stringa, se ripulito con parseFloat funziona bene. Grazie!
Adesh, M

1
Piccola correzione per numeri inferiori a <1000, aggiungere {valore: 1E0, simbolo: ""} a var si =
Dimmduh

1
@GiovanniAzua sostituisce semplicemente if (num >= si[i].value)conif (Math.abs(num) >= si[i].value)
Salman A

ciò che .replace(rx, "$1")fare?
M.Octavio,

1
@ M.Octavio il regex viene utilizzato per tagliare gli zeri finali ad esempio 1.0diventa 1e 1.10diventa1.1
Salman A

78

Ecco una soluzione semplice che evita tutte le ifaffermazioni (con il potere di Math).

var SI_SYMBOL = ["", "k", "M", "G", "T", "P", "E"];

function abbreviateNumber(number){

    // what tier? (determines SI symbol)
    var tier = Math.log10(number) / 3 | 0;

    // if zero, we don't need a suffix
    if(tier == 0) return number;

    // get suffix and determine scale
    var suffix = SI_SYMBOL[tier];
    var scale = Math.pow(10, tier * 3);

    // scale the number
    var scaled = number / scale;

    // format number and add suffix
    return scaled.toFixed(1) + suffix;
}

Bonus Meme

Cosa significa SI?


Mi piace molto la tua soluzione. Per poter abbreviare anche i valori negativi, moltiplico il numero per -1 prima e dopo aver determinato il livello, poiché Math.log10 (negativeValue) restituirebbe NaN.
xhadon,

Basta usare Math.absper aggiungere il supporto per i numeri negativi, come quello: var tier = Math.log10(Math.abs(number)) / 3 | 0;.
Caio Tarifa,

71

Migliorando ulteriormente la risposta di Salman perché restituisce nFormatter (33000) come 33.0K

function nFormatter(num) {
     if (num >= 1000000000) {
        return (num / 1000000000).toFixed(1).replace(/\.0$/, '') + 'G';
     }
     if (num >= 1000000) {
        return (num / 1000000).toFixed(1).replace(/\.0$/, '') + 'M';
     }
     if (num >= 1000) {
        return (num / 1000).toFixed(1).replace(/\.0$/, '') + 'K';
     }
     return num;
}

ora nFormatter (33000) = 33K


2
In ogni caso per fare questo senza arrotondare il numero? 1.590.000 restituiranno 1,6 milioni.
Brett Hardin,

3
A volte è difficile sapere quando pubblicare una nuova risposta di modifica di una esistente, qualcosa che uso per decidere è se rubo il codice da una risposta di un altro utente, di solito modifico la loro risposta in modo che possano ottenere il riconoscimento invece che rubare loro codice.
MH,

@Yash sei il codice che sto cercando di implementare nel counter script ma non ottenerlo è il mio link codepen codepen.io/Merajkhan/pen/MMoxGE?editors=1010 Puoi aiutarmi a capire come implementare questa logica che voglio Le unità K, L, M devono arrivare.
Mehraj Khan,

Grande. Soluzione breve e dolce.
Hasitha Jayawardana,

22
/**
 * Shorten number to thousands, millions, billions, etc.
 * http://en.wikipedia.org/wiki/Metric_prefix
 *
 * @param {number} num Number to shorten.
 * @param {number} [digits=0] The number of digits to appear after the decimal point.
 * @returns {string|number}
 *
 * @example
 * // returns '12.5k'
 * shortenLargeNumber(12543, 1)
 *
 * @example
 * // returns '-13k'
 * shortenLargeNumber(-12567)
 *
 * @example
 * // returns '51M'
 * shortenLargeNumber(51000000)
 *
 * @example
 * // returns 651
 * shortenLargeNumber(651)
 *
 * @example
 * // returns 0.12345
 * shortenLargeNumber(0.12345)
 */
function shortenLargeNumber(num, digits) {
    var units = ['k', 'M', 'G', 'T', 'P', 'E', 'Z', 'Y'],
        decimal;

    for(var i=units.length-1; i>=0; i--) {
        decimal = Math.pow(1000, i+1);

        if(num <= -decimal || num >= decimal) {
            return +(num / decimal).toFixed(digits) + units[i];
        }
    }

    return num;
}

Grazie a @Cos per il commento, ho rimosso la dipendenza Math.round10.


1
È possibile modificare il se in Math.abs(num) >= decimal.
Conor Pender,

18

Molte risposte su questo thread diventano piuttosto complicate, usando oggetti matematici, oggetti cartografici, for-loop, regex, ecc. Ma questi approcci non migliorano realmente la leggibilità del codice o le prestazioni. Un approccio semplice sembra offrire il miglior design.

Formattazione del valore in contanti con K

const formatCash = n => {
  if (n < 1e3) return n;
  if (n >= 1e3) return +(n / 1e3).toFixed(1) + "K";
};

console.log(formatCash(2500));

Formattazione del valore in contanti con KMBT

const formatCash = n => {
  if (n < 1e3) return n;
  if (n >= 1e3 && n < 1e6) return +(n / 1e3).toFixed(1) + "K";
  if (n >= 1e6 && n < 1e9) return +(n / 1e6).toFixed(1) + "M";
  if (n >= 1e9 && n < 1e12) return +(n / 1e9).toFixed(1) + "B";
  if (n >= 1e12) return +(n / 1e12).toFixed(1) + "T";
};

console.log(formatCash(1235000));

Usando numeri negativi

let format;
const number = -1235000;

if (number < 0) {
  format = '-' + formatCash(-1 * number);
} else {
  format = formatCash(number);
}

1
@Jan - Aggiornato il mio post con un esempio, ma mi è sembrato abbastanza semplice calcolare il modulo negativo usando'-' + formatCash(-1 * number)
tfmontague il

15

Dai credito a Waylon Flinn se ti piace

Ciò è stato migliorato dal suo approccio più elegante per gestire i numeri negativi e il caso ".0".

Meno loop e "se" casi hai, migliore IMO.

function abbreviateNumber(number) {
    var SI_POSTFIXES = ["", "k", "M", "G", "T", "P", "E"];
    var tier = Math.log10(Math.abs(number)) / 3 | 0;
    if(tier == 0) return number;
    var postfix = SI_POSTFIXES[tier];
    var scale = Math.pow(10, tier * 3);
    var scaled = number / scale;
    var formatted = scaled.toFixed(1) + '';
    if (/\.0$/.test(formatted))
      formatted = formatted.substr(0, formatted.length - 2);
    return formatted + postfix;
}

jsFiddle con casi di test -> https://jsfiddle.net/xyug4nvz/7/


1
C'è ancora un fastidioso bug: abbreviateNumber(999999) == '1000k'invece di '1M'. Questo perché toFixed()arrotonda anche i numeri. Non sono sicuro di come risolverlo, però: /
Vitor Baptista

@VitorBaptista Se toFixed()arrotonda comunque il numero, potresti anche arrotondare il numero prima di inviarlo a abbreviateNumber(), quindi restituisce 1Minvece di 1000k. Non una soluzione, ma una soluzione alternativa.
forsureitsme,

2
Se non vuoi arrotondare, puoi farlo dopo il passaggio della scala:const floored = Math.floor(scaled * 10) / 10;
tybro0103

14

ES2020 aggiunge il supporto per questo in Intl.NumberFormatUso della notazione come segue:

console.log(Intl.NumberFormat('en-US', { notation: "compact" , compactDisplay: "short" }).format(987654321));

NumberFormat Specifiche:

Si noti che al momento non tutti i browser supportano ES2020, quindi potrebbe essere necessario questo Polyfill: https://formatjs.io/docs/polyfills/intl-numberformat


Quel pacchetto è stato deprecato, quindi utilizza questo link: npmjs.com/package/@formatjs/intl-numberformat
Ammad Khalid

2
Nota: Chrome supporta notatione compactDisplayma FireFox 77 e Safari 13.1 non lo supportano, quindi probabilmente avrai bisogno del polyfill.
Josh Unger,

Wow, Firefox ha appena aggiunto il supporto per questo nella v. 78, a quanto pare. Naturalmente, tra 2+ anni, questo commento sembrerà stupido. : P (Per me è divertente perché il codice viene eseguito per me ma non viene convertito correttamente, quindi dovrò fare un aggiornamento.)
Andrew

11

questo è abbastanza elegante.

function formatToUnits(number, precision) {
  const abbrev = ['', 'k', 'm', 'b', 't'];
  const unrangifiedOrder = Math.floor(Math.log10(Math.abs(number)) / 3)
  const order = Math.max(0, Math.min(unrangifiedOrder, abbrev.length -1 ))
  const suffix = abbrev[order];

  return (number / Math.pow(10, order * 3)).toFixed(precision) + suffix;
}

formatToUnits(12345, 2)
==> "12.35k"
formatToUnits(0, 3)
==> "0.000"

4

È possibile utilizzare il pacchetto in formato d3 modellato sulla formattazione di stringhe Python Advanced PEP3101 :

var f = require('d3-format')
console.log(f.format('.2s')(2500)) // displays "2.5k"

3

Ulteriore miglioramento della risposta di @ Yash con supporto per numeri negativi:

function nFormatter(num) {
    isNegative = false
    if (num < 0) {
        isNegative = true
    }
    num = Math.abs(num)
    if (num >= 1000000000) {
        formattedNumber = (num / 1000000000).toFixed(1).replace(/\.0$/, '') + 'G';
    } else if (num >= 1000000) {
        formattedNumber =  (num / 1000000).toFixed(1).replace(/\.0$/, '') + 'M';
    } else  if (num >= 1000) {
        formattedNumber =  (num / 1000).toFixed(1).replace(/\.0$/, '') + 'K';
    } else {
        formattedNumber = num;
    }   
    if(isNegative) { formattedNumber = '-' + formattedNumber }
    return formattedNumber;
}

nFormatter(-120000)
"-120K"
nFormatter(120000)
"120K"

3

Questo post è piuttosto vecchio ma in qualche modo ho raggiunto questo post alla ricerca di qualcosa. Quindi aggiungere il mio input Numero js è la soluzione completa ora un giorno. Fornisce un gran numero di metodi per aiutare a formattare i numeri

http://numeraljs.com/


1
numeraljs non viene più mantenuto. Il fork più attivo sembra essere numbro . Ma nessuno dei due supporta la notazione SI / metrica
Vincent de Lagabbe,

2

Metodo breve e generico

È possibile effettuare l' COUNT_FORMATSoggetto config come lungo o breve come si desidera., A seconda del range di valori che si prova.

// Configuration    
const COUNT_FORMATS =
[
  { // 0 - 999
    letter: '',
    limit: 1e3
  },
  { // 1,000 - 999,999
    letter: 'K',
    limit: 1e6
  },
  { // 1,000,000 - 999,999,999
    letter: 'M',
    limit: 1e9
  },
  { // 1,000,000,000 - 999,999,999,999
    letter: 'B',
    limit: 1e12
  },
  { // 1,000,000,000,000 - 999,999,999,999,999
    letter: 'T',
    limit: 1e15
  }
];
    
// Format Method:
function formatCount(value)
{
  const format = COUNT_FORMATS.find(format => (value < format.limit));

  value = (1000 * value / format.limit);
  value = Math.round(value * 10) / 10; // keep one decimal number, only if needed

  return (value + format.letter);
}

// Test:
const test = [274, 1683, 56512, 523491, 9523489, 5729532709, 9421032489032];
test.forEach(value => console.log(`${ value } >>> ${ formatCount(value) }`));


1

Aggiungendo la risposta in alto, questo darà 1k per 1000 anziché 1.0k

function kFormatter(num) {
    return num > 999 ? num % 1000 === 0 ? (num/1000).toFixed(0) + 'k' : (num/1000).toFixed(1) + 'k' : num
}

1

Una versione modificata della risposta di Waylon Flinn con supporto per esponenti negativi:

function metric(number) {

  const SI_SYMBOL = [
    ["", "k", "M", "G", "T", "P", "E"], // +
    ["", "m", "μ", "n", "p", "f", "a"] // -
  ];

  const tier = Math.floor(Math.log10(Math.abs(number)) / 3) | 0;

  const n = tier < 0 ? 1 : 0;

  const t = Math.abs(tier);

  const scale = Math.pow(10, tier * 3);

  return {
    number: number,
    symbol: SI_SYMBOL[n][t],
    scale: scale,
    scaled: number / scale
  }
}

function metric_suffix(number, precision) {
  const m = metric(number);
  return (typeof precision === 'number' ? m.scaled.toFixed(precision) : m.scaled) + m.symbol;
}

for (var i = 1e-6, s = 1; i < 1e7; i *= 10, s *= -1) {
  // toggles sign in each iteration
  console.log(metric_suffix(s * (i + i / 5), 1));
}

console.log(metric(0));

Uscita prevista:

   1.2μ
 -12.0μ
 120.0μ
  -1.2m
  12.0m
-120.0m
   1.2
 -12.0
 120.0
  -1.2k
  12.0k
-120.0k
   1.2M
{ number: 0, symbol: '', scale: 1, scaled: 0 }

1
  • Supporto numero negativo
  • Verifica per !Number.isFinite
  • Passare ' K M G T P E Z Y'a ' K M'se si desidera che l'unità massima siaM

Sotto il codice è 1K = 1024, se si desidera 1K = 1000, modificare tutti i 1024 su 1000.


Number.prototype.prefix = function (precision = 2) {

    var units = ' K M G T P E Z Y'.split(' ');

    if (this < 0) {
        return '-' + Math.abs(this).prefix(precision);
    }

    if (this < 1) {
        return this + units[0];
    }

    var power = Math.min(
        Math.floor(Math.log(this) / Math.log(1024)),
        units.length - 1
    );

    return (this / Math.pow(1024, power)).toFixed(precision) + units[power];
}

console.log('10240 = ' + (10240).prefix()) // 10.00K
console.log('1234000 = ' + (1234000).prefix(1)) // 1.2M
console.log('10000 = ' + (-10000).prefix()) // -9.77K


(11000) .prefix () equivale a 10,74 K, non molto preciso dovrebbe dire 11,00 K
bmaggi,

1
@bmaggi Basta cambiare la 1024 in 1000
Steely Wing il

1

Migliorare ulteriormente la risposta di @ tfmontague per formattare le cifre decimali. Da 33.0k a 33k

largeNumberFormatter(value: number): any {
   let result: any = value;

   if (value >= 1e3 && value < 1e6) { result = (value / 1e3).toFixed(1).replace(/\.0$/, '') + 'K'; }
   if (value >= 1e6 && value < 1e9) { result = (value / 1e6).toFixed(1).replace(/\.0$/, '') + 'M'; }
   if (value >= 1e9) { result = (value / 1e9).toFixed(1).replace(/\.0$/, '') + 'T'; }

   return result;
}

1

Non ho soddisfatto nessuna delle soluzioni pubblicate, quindi ecco la mia versione:

  1. Supporta numeri positivi e negativi
  2. Supporta esponenti negativi
  3. Arrotonda per eccesso al prossimo esponente, se possibile
  4. Esegue il controllo dei limiti (senza errori per numeri molto grandi / piccoli)
  5. Elimina gli zeri / spazi finali
  6. Supporta un parametro di precisione

    function abbreviateNumber(number,digits=2) {
      var expK = Math.floor(Math.log10(Math.abs(number)) / 3);
      var scaled = number / Math.pow(1000, expK);
    
      if(Math.abs(scaled.toFixed(digits))>=1000) { // Check for rounding to next exponent
        scaled /= 1000;
        expK += 1;
      }
    
      var SI_SYMBOLS = "apμm kMGTPE";
      var BASE0_OFFSET = SI_SYMBOLS.indexOf(' ');
    
      if (expK + BASE0_OFFSET>=SI_SYMBOLS.length) { // Bound check
        expK = SI_SYMBOLS.length-1 - BASE0_OFFSET;
        scaled = number / Math.pow(1000, expK);
      }
      else if (expK + BASE0_OFFSET < 0) return 0;  // Too small
    
      return scaled.toFixed(digits).replace(/(\.|(\..*?))0+$/,'$2') + SI_SYMBOLS[expK+BASE0_OFFSET].trim();
    }
    
    //////////////////
    
    const tests = [
      [0.0000000000001,2],
      [0.00000000001,2],
      [0.000000001,2],
      [0.000001,2],
      [0.001,2],
      [0.0016,2],
      [-0.0016,2],
      [0.01,2],
      [1,2],
      [999.99,2],
      [999.99,1],
      [-999.99,1],
      [999999,2],
      [999999999999,2],
      [999999999999999999,2],
      [99999999999999999999,2],
    ];
    
    for (var i = 0; i < tests.length; i++) {
      console.log(abbreviateNumber(tests[i][0], tests[i][1]) );
    }


1

Ne ho inventato uno con molto codice, ed è molto corto!

var beautify=n=>((Math.log10(n)/3|0)==0)?n:Number((n/Math.pow(10,(Math.log10(n)/3|0)*3)).toFixed(1))+["","K","M","B","T",][Math.log10(n)/3|0];

console.log(beautify(1000))
console.log(beautify(10000000))


1

Migliorare ulteriormente la risposta di Salman a causa di casi come nFormatter (999999,1) che restituisce 1000 K.

function formatNumberWithMetricPrefix(num, digits = 1) {
  const si = [
    {value: 1e18, symbol: 'E'},
    {value: 1e15, symbol: 'P'},
    {value: 1e12, symbol: 'T'},
    {value: 1e9, symbol: 'G'},
    {value: 1e6, symbol: 'M'},
    {value: 1e3, symbol: 'k'},
    {value: 0, symbol: ''},
  ];
  const rx = /\.0+$|(\.[0-9]*[1-9])0+$/;
  function divideNum(divider) {
    return (num / (divider || 1)).toFixed(digits);
  }

  let i = si.findIndex(({value}) => num >= value);
  if (+divideNum(si[i].value) >= 1e3 && si[i - 1]) {
    i -= 1;
  }
  const {value, symbol} = si[i];
  return divideNum(value).replace(rx, '$1') + symbol;
}

1

Il modo più semplice e facile per farlo è

new Intl.NumberFormat('en-IN', { 
    notation: "compact",
    compactDisplay: "short",
    style: 'currency',
    currency: 'INR'
}).format(1000).replace("T", "K")

Questo funziona per qualsiasi numero. Compreso L Crecc.


1

Eliminando il loop nella soluzione @ martin-sznapka, ridurrete i tempi di esecuzione del 40%.

function formatNum(num,digits) {
    let units = ['k', 'M', 'G', 'T', 'P', 'E', 'Z', 'Y'];
    let floor = Math.floor(Math.abs(num).toString().length / 3);
    let value=+(num / Math.pow(1000, floor))
    return value.toFixed(value > 1?digits:2) + units[floor - 1];

}

Test di velocità (200000 campioni casuali) per soluzione diversa da questa discussione

Execution time: formatNum          418  ms
Execution time: kFormatter         438  ms it just use "k" no "M".."T" 
Execution time: beautify           593  ms doesnt support - negatives
Execution time: shortenLargeNumber 682  ms    
Execution time: Intl.NumberFormat  13197ms 

0
/*including negative values*/    
function nFormatter(num) {
      let neg = false;
       if(num < 0){
         num = num * -1;
         neg = true;
       }
       if (num >= 1000000000) {
         if(neg){
           return -1 * (num / 1000000000).toFixed(1).replace(/\.0$/, '') + 'G';  
         }
         return (num / 1000000000).toFixed(1).replace(/\.0$/, '') + 'G';
       }
       if (num >= 1000000) {
         if(neg){
           return -1 * (num / 1000000).toFixed(1).replace(/\.0$/, '') + 'M';  
         }
         return (num / 1000000).toFixed(1).replace(/\.0$/, '') + 'M';
       }
       if (num >= 1000) {
         if(neg){
           return -1 * (num / 1000).toFixed(1).replace(/\.0$/, '') + 'K';  
         }
         return (num / 1000).toFixed(1).replace(/\.0$/, '') + 'K';
       }
       return num;
    }

per favore aggiungi qualche spiegazione della tua soluzione
Harun Diluka Heshan,

0

Questa funzione potrebbe trasformare numeri enormi (sia positivi che negativi) in un formato intuitivo senza perdere la sua precisione:

function abbrNum(n) {
    if (!n || (n && typeof n !== 'number')) {
      return '';
    }

    const ranges = [
      { divider: 1e12 , suffix: 't' },
      { divider: 1e9 , suffix: 'b' },
      { divider: 1e6 , suffix: 'm' },
      { divider: 1e3 , suffix: 'k' }
    ];
    const range = ranges.find(r => Math.abs(n) >= r.divider);
    if (range) {
      return (n / range.divider).toString() + range.suffix;
    }
    return n.toString();
}

/* test cases */
let testAry = [99, 1200, -150000, 9000000];
let resultAry = testAry.map(abbrNum);
console.log("result array: " + resultAry);


0

Sto usando questa funzione. Funziona per entrambi phpe javascript.

    /**
     * @param $n
     * @return string
     * Use to convert large positive numbers in to short form like 1K+, 100K+, 199K+, 1M+, 10M+, 1B+ etc
     */
 function num_format($n) {
        $n_format = null;
        $suffix = null;
        if ($n > 0 && $n < 1000) {
           $n_format = Math.floor($n);   
            $suffix = '';
        }
        else if ($n == 1000) {
            $n_format = Math.floor($n / 1000);   //For PHP only use floor function insted of Math.floor()
            $suffix = 'K';
        }
        else if ($n > 1000 && $n < 1000000) {
            $n_format = Math.floor($n / 1000);
            $suffix = 'K+';
        } else if ($n == 1000000) {
            $n_format = Math.floor($n / 1000000);
            $suffix = 'M';
        } else if ($n > 1000000 && $n < 1000000000) {
            $n_format = Math.floor($n / 1000000);
            $suffix = 'M+';
        } else if ($n == 1000000000) {
            $n_format = Math.floor($n / 1000000000);
            $suffix = 'B';
        } else if ($n > 1000000000 && $n < 1000000000000) {
            $n_format = Math.floor($n / 1000000000);
            $suffix = 'B+';
        } else if ($n == 1000000000000) {
            $n_format = Math.floor($n / 1000000000000);
            $suffix = 'T';
        } else if ($n >= 1000000000000) {
            $n_format = Math.floor($n / 1000000000000);
            $suffix = 'T+';
        }


       /***** For PHP  ******/
       //  return !empty($n_format . $suffix) ? $n_format . $suffix : 0;

       /***** For Javascript ******/
        return ($n_format + $suffix).length > 0 ? $n_format + $suffix : 0;
    }

0

Ho deciso di espandere molto la risposta di @ Novellizator qui per soddisfare le mie esigenze. Volevo una funzione flessibile per gestire la maggior parte delle mie esigenze di formattazione senza librerie esterne.

Caratteristiche

  • Opzione per utilizzare i suffissi dell'ordine (k, M, ecc.)
    • Opzione per specificare un elenco personalizzato di suffissi dell'ordine da utilizzare
    • Opzione per vincolare l'ordine minimo e massimo
  • Controllo sul numero di cifre decimali
  • Virgole di separazione automatica degli ordini
  • Formattazione opzionale in percentuale o in dollari
  • Controlla cosa restituire in caso di input non numerico
  • Funziona su numeri negativi e infiniti

Esempi

let x = 1234567.8;
formatNumber(x);  // '1,234,568'
formatNumber(x, {useOrderSuffix: true});  // '1M'
formatNumber(x, {useOrderSuffix: true, decimals: 3, maxOrder: 1});  // '1,234.568k'
formatNumber(x, {decimals: 2, style: '$'});  // '$1,234,567.80'

x = 10.615;
formatNumber(x, {style: '%'});  // '1,062%'
formatNumber(x, {useOrderSuffix: true, decimals: 1, style: '%'});  // '1.1k%'
formatNumber(x, {useOrderSuffix: true, decimals: 5, style: '%', minOrder: 2});  // '0.00106M%'

formatNumber(-Infinity);  // '-∞'
formatNumber(NaN);  // ''
formatNumber(NaN, {valueIfNaN: NaN});  // NaN

Funzione

/*
 * Return the given number as a formatted string.  The default format is a plain
 * integer with thousands-separator commas.  The optional parameters facilitate
 * other formats:
 *   - decimals = the number of decimals places to round to and show
 *   - valueIfNaN = the value to show for non-numeric input
 *   - style
 *     - '%': multiplies by 100 and appends a percent symbol
 *     - '$': prepends a dollar sign
 *   - useOrderSuffix = whether to use suffixes like k for 1,000, etc.
 *   - orderSuffixes = the list of suffixes to use
 *   - minOrder and maxOrder allow the order to be constrained.  Examples:
 *     - minOrder = 1 means the k suffix should be used for numbers < 1,000
 *     - maxOrder = 1 means the k suffix should be used for numbers >= 1,000,000
 */
function formatNumber(number, {
    decimals = 0,
    valueIfNaN = '',
    style = '',
    useOrderSuffix = false,
    orderSuffixes = ['', 'k', 'M', 'B', 'T'],
    minOrder = 0,
    maxOrder = Infinity
  } = {}) {

  let x = parseFloat(number);

  if (isNaN(x))
    return valueIfNaN;

  if (style === '%')
    x *= 100.0;

  let order;
  if (!isFinite(x) || !useOrderSuffix)
    order = 0;
  else if (minOrder === maxOrder)
    order = minOrder;
  else {
    const unboundedOrder = Math.floor(Math.log10(Math.abs(x)) / 3);
    order = Math.max(
      0,
      minOrder,
      Math.min(unboundedOrder, maxOrder, orderSuffixes.length - 1)
    );
  }

  const orderSuffix = orderSuffixes[order];
  if (order !== 0)
    x /= Math.pow(10, order * 3);

  return (style === '$' ? '$' : '') +
    x.toLocaleString(
      'en-US',
      {
        style: 'decimal',
        minimumFractionDigits: decimals,
        maximumFractionDigits: decimals
      }
    ) +
    orderSuffix +
    (style === '%' ? '%' : '');
}

0

Wow, ci sono così tante risposte qui. Ho pensato di darti come l'ho risolto in quanto sembrava essere il più facile da leggere, gestisce i numeri negativi e si spinge lontano nel range di chilogrammi per JavaScript. Sarebbe anche facile cambiare ciò che desideri o estenderlo ancora di più.

const symbols = [
  { value: 1, symbol: '' },
  { value: 1e3, symbol: 'k' },
  { value: 1e6, symbol: 'M' },
  { value: 1e9, symbol: 'G' },
  { value: 1e12, symbol: 'T' },
  { value: 1e15, symbol: 'P' },
  { value: 1e18, symbol: 'E' }
];

function numberFormatter(num, digits) {
  const numToCheck = Math.abs(num);
  for (let i = symbols.length - 1; i >= 0; i--) {
    if (numToCheck >= symbols[i].value) {
      const newNumber = (num / symbols[i].value).toFixed(digits);
      return `${newNumber}${symbols[i].symbol}`;
    }
  }
  return '0';
}

const tests = [
  { num: 1234, digits: 1 },
  { num: 100000000, digits: 1 },
  { num: 299792458, digits: 1 },
  { num: 759878, digits: 1 },
  { num: -759878, digits: 0 },
  { num: 123, digits: 1 },
  { num: 123.456, digits: 1 },
  { num: -123.456, digits: 2 },
  { num: 123.456, digits: 4 }
];
for (let i = 0; i < tests.length; i++) {
  console.log(`numberFormatter(${tests[i].num}, ${tests[i].digits})=${numberFormatter(tests[i].num, tests[i].digits)}`);
}


0

Un'alternativa più breve:

function nFormatter(num) {
    const format = [
      { value: 1e18, symbol: 'E' },
      { value: 1e15, symbol: 'P' },
      { value: 1e12, symbol: 'T' },
      { value: 1e9, symbol: 'G' },
      { value: 1e6, symbol: 'M' },
      { value: 1e3, symbol: 'k' },
      { value: 1, symbol: '' },
    ];
    const formatIndex = format.findIndex((data) => num >= data.value);
    console.log(formatIndex)
    return (num / format[formatIndex === -1? 6: formatIndex].value).toFixed(2) + format[formatIndex === -1?6: formatIndex].symbol;
  }
  

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.