以秒为单位计算年龄的程序无法正常工作

Program to calculate age in seconds not working correctly

本文关键字:常工作 工作 程序 为单位 计算      更新时间:2023-10-16

我正在尝试创建一个简单的程序,该程序在用户给出年龄(以年为单位(后以秒为单位计算用户的年龄。它适用于 0-68 岁,但任何 69 岁或以上的人都会破坏程序,每次都会吐出相同的错误数字。该计划列在下面,任何帮助将不胜感激。

#include <iostream>
using namespace std;

int main()
{
    int age;
    cout << "Please enter your age in years ";
    cin  >> age; //Grabs the users age
    unsigned long long int result = age*365*24*60*60; //calculates the users age in seconds
    cout << "Your age in seconds is: " << result << " seconds";
    return 0;
}

C++在这里的工作方式基本上是:

int temp = age*365*24*60*60;
unsigned long long int result = static_cast<unsigned long long>(temp);

因此,您可能会看到表达式将在 69 岁左右溢出int(在您的体系结构上(。所以,你想强制计算在unsigned long long中工作,所以最简单的方法是强制其中一个值被unsigned long long,这将使表达式也unsigned long long。例如:

unsigned long long int result = age*365ULL*24*60*60; //calculates the users age in seconds
//                                     ^^^ declare constant as type unsigned long long

无符号 长整型的范围从 -2,147,483,648 到 2,147,483,647

因此,对于任何小于或等于 68 的值,以秒为单位的年龄为 2,144,448,000 或更小,这在范围内。

然而,对于 69 岁,以秒为单位的年龄为 2,175,984,000,这超出了范围。

我建议使用长双倍。