如何在 C++ 中將雙精度數四捨五入到整數上

Jinku Hu 2023年10月12日
  1. 使用 round() 函式將雙精度數四捨五入到整數
  2. 使用 lround() 函式將雙精度數轉換為最接近的整數
  3. 使用 trunc() 函式雙精度數四捨五入到整數
如何在 C++ 中將雙精度數四捨五入到整數上

本文將為大家講解幾種在 C++ 中如何將雙精度數四捨五入為整數的方法。

使用 round() 函式將雙精度數四捨五入到整數

round() 函式在 <cmath> 頭中定義。它可以計算使用者傳遞的引數的最接近的整數值。半數情況下會從零開始四捨五入,並且返回的值與引數的型別相同。在下面的例子中,我們初始化一個任意的雙精度數向量,併為每個元素輸出 round() 函式。

#include <cmath>
#include <iostream>
#include <vector>

using std::cout;
using std::endl;
using std::vector;

int main() {
  vector<double> dfloats{-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};

  for (auto &item : dfloats) {
    cout << "round(" << item << ") = " << round(item) << endl;
  }

  return EXIT_SUCCESS;
}

輸出:

round(-3.5) = -4
round(-21.1) = -21
round(-1.99) = -2
round(0.129) = 0
round(2.5) = 3
round(3.111) = 3

使用 lround() 函式將雙精度數轉換為最接近的整數

或者,我們可以使用 lround() 函式,它的行為與 round() 幾乎相同,但有一點不同:它以 long 整數格式返回值。需要注意的是,對於這兩個函式來說,返回值可能會出乎意料,這是由普遍存在的不同舍入誤差引起的。應按照文件中的規定進行處理。

#include <cmath>
#include <iostream>
#include <vector>

using std::cout;
using std::endl;
using std::vector;

int main() {
  vector<double> dfloats{-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};

  for (auto &item : dfloats) {
    cout << "round(" << item << ") = " << lround(item) << endl;
  }

  return EXIT_SUCCESS;
}

使用 trunc() 函式雙精度數四捨五入到整數

trunc()<cmath> 標頭檔案中的另一個有用的函式,它計算不大於作為引數傳遞的數字的最近的整數。trunc()round() 一樣,以浮點格式計算返回值。注意,這兩個函式不會對當前的四捨五入模式產生任何影響。錯誤處理情況在手冊頁中描述。

#include <cmath>
#include <iostream>
#include <vector>

using std::cout;
using std::endl;
using std::vector;

int main() {
  vector<double> dfloats{-3.5, -21.1, -1.99, 0.129, 2.5, 3.111};

  for (auto &item : dfloats) {
    cout << "round(" << item << ") = " << trunc(item) << endl;
  }

  return EXIT_SUCCESS;
}
round(-3.5) = -3
round(-21.1) = -21
round(-1.99) = -1
round(0.129) = 0
round(2.5) = 2
round(3.111) = 3
作者: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

DelftStack.com 創辦人。Jinku 在機器人和汽車行業工作了8多年。他在自動測試、遠端測試及從耐久性測試中創建報告時磨練了自己的程式設計技能。他擁有電氣/ 電子工程背景,但他也擴展了自己的興趣到嵌入式電子、嵌入式程式設計以及前端和後端程式設計。

LinkedIn Facebook

相關文章 - C++ Double