0

所以我玩arduino时钟。这是它的维基。它需要类似的设置:

clock.fillByYMD(2013,1,19);//Jan 19,2013
clock.fillByHMS(15,28,30);//15:28 30"
clock.fillDayOfWeek(SAT);//Saturday

所以我尝试解析:

char compileTime[] = __TIME__;

到目前为止,我得到了:

  byte hour = getInt(compileTime, 0);
  byte minute = getInt(compileTime, 3);
  byte second = getInt(compileTime, 6);
  unsigned int hash =  hour * 60 * 60 + minute  * 60 + second; 
  clock.fillByHMS(hour, minute, second);
  clock.setTime();

在哪里:

char getInt(const char* string, const int & startIndex) {
  return int(string[startIndex] - '0') * 10 + int(string[startIndex+1]) - '0';
}

我想知道如何设置fillByYMDfillDayOfWeek通过编译器定义解析?

4

2 回答 2

2

由于(数字)月份和工作日不在编译时数据中,因此您需要进行一些转换;这假设有get4DigitInt一个轻微的变化,getInt以允许在第一个位置有一个空间。

char compileDate[] = __DATE__;

int year = get4DigitInt(compileDate, 7);
int day = getInt(compileDate, 4);          // First character may be space
int month;
switch(compileDate[0]+compileDate[1]+compileDate[2]) {
    case 'J'+'a'+'n': month=1; break;
    case 'F'+'e'+'b': month=2; break;
    case 'M'+'a'+'r': month=3; break;
    case 'A'+'p'+'r': month=4; break;
    case 'M'+'a'+'y': month=5; break;
    case 'J'+'u'+'n': month=6; break;
    case 'J'+'u'+'l': month=7; break;
    case 'A'+'u'+'g': month=8; break;
    case 'S'+'e'+'p': month=9; break;
    case 'O'+'c'+'t': month=10; break;
    case 'N'+'o'+'v': month=11; break;
    case 'D'+'e'+'c': month=12; break;
}
std::tm time = { 0, 0, 0, day, month - 1, year - 1900 };
std::mktime(&time);
int day_of_week = time.tm_wday;   // 0=Sun, 1=Mon, ...

std::cout << "Time: " << hour << ":" << minute << ":" << second << std::endl;
std::cout << "Date: " << year << "-" << month << "-" << day << std::endl;
std::cout << "Day:  " << day_of_week << std::endl;
于 2013-07-28T12:12:55.203 回答
1

有一个标准的预定义宏:__DATE__ 它扩展为包含预处理器运行日期的字符串常量。该字符串始终包含这种格式的 11 个字符"Jul 28 2013"

可以在此处找到从日期确定星期几的代码。

于 2013-07-28T11:50:30.853 回答