我试图用C++写一个简单的程序,返回给定日期的星期几。
输入格式为日,月,年。我无法让它与leap年一起工作。当输入年份为a年时,我尝试从a
变量中减去一个,但该程序最终崩溃而没有错误消息。
我将不胜感激任何建议,但请尽量保持简单,我仍然是初学者。对这个愚蠢的问题表示歉意,请原谅我的错误,这是我第一次在此网站上发布。
#include <iostream>
#include <string>
#include <vector>
#include <cmath>
using namespace std;
int d;
int m;
int y;
string weekday(int d, int m, int y){
int LeapYears = (int) y/ 4;
long a = (y - LeapYears)*365 + LeapYears * 366;
if(m >= 2) a += 31;
if(m >= 3 && (int)y/4 == y/4) a += 29;
else if(m >= 3) a += 28;
if(m >= 4) a += 31;
if(m >= 5) a += 30;
if(m >= 6) a += 31;
if(m >= 7) a += 30;
if(m >= 8) a += 31;
if(m >= 9) a += 31;
if(m >= 10) a += 30;
if(m >= 11) a += 31;
if(m == 12) a += 30;
a += d;
int b = (a - 2) % 7;
switch (b){
case 1:
return "Monday";
case 2:
return "Tuesday";
case 3:
return "Wednesday";
case 4:
return "Thursday";
case 5:
return "Friday";
case 6:
return "Saturday";
case 7:
return "Sunday";
}
}
int main(){
cin >> d >> m >> y;
cout << weekday(d, m, y);
}
最佳答案
首先:如果已经存在可以处理相同问题的标准化函数,请不要编写自己的函数。 要点是,您可能很容易犯一个错误(现在,您已经可以在weekday()
函数的第一行中看到一个错误),而标准化函数的实现已经过全面测试,您可以确信它们可以提供结果您有望得到。
话虽如此,这是一种使用std::localtime和std::mktime的可能方法:
#include <ctime>
#include <iostream>
int main()
{
std::tm time_in = { 0, 0, 0, // second, minute, hour
9, 10, 2016 - 1900 }; // 1-based day, 0-based month, year since 1900
std::time_t time_temp = std::mktime(&time_in);
//Note: Return value of localtime is not threadsafe, because it might be
// (and will be) reused in subsequent calls to std::localtime!
const std::tm * time_out = std::localtime(&time_temp);
//Sunday == 0, Monday == 1, and so on ...
std::cout << "Today is this day of the week: " << time_out->tm_wday << "\n";
std::cout << "(Sunday is 0, Monday is 1, and so on...)\n";
return 0;
}