在 PHP 中将数字格式化为美元金额

John Wachira 2023年1月30日 2022年5月13日
  1. 在 PHP 中使用 number_format 函数将数字格式化为美元金额
  2. 在 PHP 中使用 NumberFormatter::formatCurrency 函数将数字格式化为美元金额
  3. 在 PHP 中使用正则表达式将数字格式化为美元金额
  4. 在 PHP 中手动将数字格式化为美元金额
在 PHP 中将数字格式化为美元金额

本教程文章将通过示例介绍在 PHP 中将数字格式化为美元金额的不同方法。这些包括:

  • number_format
  • NumberFormatter::formatCurrency
  • Regular expressions
  • Manual format

我们还将看看为什么不再使用 money_format 函数。

在 PHP 中使用 number_format 函数将数字格式化为美元金额

我们使用 number_format 函数来排列一个以千为单位的值,同时添加小数位和货币类型。

该函数有四个参数:

number_format(NUMBER, DECIMAL DIGITS, THOUSANDS SEPARATOR, DECIMAL SEPARATOR)
  • 数字是要格式化的值。
  • 小数位数指定小数位数。
  • 小数分隔符标识用于小数点的字符串。
  • 千位分隔符指示用作千位分隔符的字符串。

值得注意的是,如果千位分隔符参数正在使用中,其他三个必须伴随它才能使你的代码工作。

示例代码:

<?php

//  NUMBER
$amount = 123.45;

//  TO USD - $123.45
$usd = "$" . number_format($amount, 2, ".");
echo $usd;
?>

输出:

$123.45

在 PHP 中使用 NumberFormatter::formatCurrency 函数将数字格式化为美元金额

这是将数字格式化为显示不同货币的字符串的最新且可以说是最简单的方法。

确保在 php.ini 中启用 extension=intl

你应该记住三个参数:

  • 格式化程序,即 NumberFormatter 对象。
  • 金额,即数字货币值。
  • ISO 4217 规定使用的货币。

示例代码:

<?php
// NUMBER
$amount = 123;

// TO USD - $123.00
$fmt = new NumberFormatter("en_US",  NumberFormatter::CURRENCY);
$usd = $fmt->formatCurrency($amount, "USD");
echo $usd;
?>

输出:

$123.00

示例二:

<?php
// NUMBER
$amount = 123.456;

// TO USD - $123.46
$fmt = new NumberFormatter("en_US",  NumberFormatter::CURRENCY);
$usd = $fmt->formatCurrency($amount, "USD");
echo $usd;
?>

输出:

$123.46

在 PHP 中使用正则表达式将数字格式化为美元金额

这种方法是一整罐蠕虫。进入它的细节只会让你感到困惑。

此方法将数字排列为数千,同时添加你选择的货币符号。

让我们看一个例子:

<?php
// NUMBER
$amount = 0.13;

// REGULAR EXPRESSION
$regex = "/\B(?=(\d{3})+(?!\d))/i";
$usd = "$" . preg_replace($regex, ",", $amount);
echo $usd;
?>

输出:

$0.13

在 PHP 中手动将数字格式化为美元金额

这种方法相当于用蛮力撬锁。此方法使你可以使用所需的任何格式。

让我们看一个例子:

<?php
// FOR A DOLLAR CURRENCY
function curformat ($amount) {
  //  SPLIT WHOLE & DECIMALS
  $amount = explode(".", $amount);
  $whole = $amount[0];
  $decimal = isset($amount[1]) ? $amount[1] : "00" ;

  //  ADD THOUSAND SEPARATORS
  if (strlen($whole) > 3) {
    $temp = ""; $j = 0;
    for ($i=strlen($whole)-1; $i>=0; $i--) {
      $temp = $whole[$i] . $temp;
      $j++;
      if ($j%3==0 && $i!=0) { $temp = "," . $temp; }
    }
    $whole = $temp;
  }

  //  RESULT
  return "\$$whole.$decimal";
}

//  UNIT TEST
echo curformat(100); // $100.00

输出:

$100.00

上述方法应将数字格式化为显示美元和美分的字符串。

还有另一种称为 money_format 的方法,但它不适用于 Windows。我们强烈建议你不要使用这个函数,因为它已经被弃用。

Author: John Wachira
John Wachira avatar John Wachira avatar

John is a Git and PowerShell geek. He uses his expertise in the version control system to help businesses manage their source code. According to him, Shell scripting is the number one choice for automating the management of systems.

LinkedIn