C++程序:将double类型变量转换为int类型
在C++中,int类型的变量只能存储正整数或负整数,不能存储小数。为此,提供了float和double类型。为了存储小数点后最多七位的小数,创建了double数据类型。整数到double数据类型的转换可以通过编译器自动完成(称为“隐式”转换)或由程序员显式请求编译器完成(称为“显式”转换)。在接下来的部分中,我们将介绍各种转换方法。
隐式转换
编译器会自动进行隐式类型转换。为此需要两个变量:一个float类型,另一个整数类型。当我们将float值或变量简单地赋给整数变量时,编译器会处理其他所有事情。这种转换存在数据丢失的问题,因为整数变量不能包含小数点后的分数部分。
语法
double input = <double value>; int output = input;
算法
- 将double值作为输入;
- 将该值赋给一个整数变量。
- 显示输出。
示例
#include <iostream> using namespace std; int solve(double value) { int opVal = value; return opVal; } int main() { double ip = 25.3056; int op = solve(ip); cout<< "The input value is: " << ip << endl; cout<< "The output value is: " << op << endl; return 0; }
输出
The input value is: 25.3056 The output value is: 25
正如我们所看到的,转换过程相当简单。我们只需将输入变量赋给输出变量;不需要额外的步骤。此外,需要注意的是,输出中缺少double值的小数部分。
显式转换
当程序员显式指示编译器将一种数据类型转换为另一种数据类型时,这称为显式转换或显式类型转换。有两种方法可以实现这一点:一种是在赋值时显式声明数据类型,另一种是使用static_cast。我们先讨论第一种方法。
算法
- 将double值作为输入;
- 使用显式类型转换将值赋给整数变量。
- 显示输出。
赋值时指定数据类型
可以执行两种不同的方式。一种是C风格的版本,另一种是函数风格的转换。
C风格版本
结果数据类型在源变量之前指定,并用括号括起来。
语法
double input = <double value>; int output = (int) input;
示例
#include <iostream> using namespace std; int solve(double value) { int opVal = (int)value; return opVal; } int main() { double ip = 84.4439; int op = solve(ip); cout<< "The value before conversion: " << ip << endl; cout<< "The value after conversion: " << op << endl; return 0; }
输出
The value before conversion: 84.4439 The value after conversion: 84
函数风格转换
在向函数提供参数时,我们声明结果数据类型,并将源值用括号括起来。
语法
double input = <double value>; int output = int(input);
示例
#include <iostream> using namespace std; int solve(double value) { int opVal = int(value); return opVal; } int main() { double ip = -993.6571; int op = solve(ip); cout<< "The value before conversion: " << ip << endl; cout<< "The value after conversion: " << op << endl; return 0; }
输出
The value before conversion: -993.657 The value after conversion: -993
使用static_cast
static_cast用于在预定义类型之间进行转换。此外,此转换也可称为显式转换,负责强制执行隐式类型转换。
语法
double input = < double value>; int output = static_cast<int>(input);
示例
#include <iostream> using namespace std; int solve(double value) { int opVal = static_cast<int>(value); return opVal; } int main() { double ip = -65.2354; int op = solve(ip); cout<< "The value before conversion: " << ip << endl; cout<< "The value after conversion: " << op << endl; return 0; }
输出
The value before conversion: -65.2354 The value after conversion: -65
结论
从double到整数数据类型的转换总是会导致数据丢失,因为整数变量不能包含double变量的小数部分。当我们需要将值四舍五入到其下限值(给定分数的最小整数)时,这些转换很有用。
广告