0

我有这段代码应该在 LCD 屏幕的第一行显示时钟,在第二行显示文本“Hello World”:

#include <LiquidCrystal.h>
int x=0;
int a=0;
int y=0;
int z=0;
int initialHours = 14;//set this to whatever
int initialMins = 37;
int initialSecs = 45 + 11;

int secspassed()
{
    x = initialHours*3600;
    x = x+(initialMins*60);
    x = x+initialSecs;
    x = x+(millis()/1000);
    return x;
}

int hours()
{
    y = secspassed();
    y = y/3600;
    y = y%24;
    return y;
}

int mins()
{
    z = secspassed();
    z = z/60;
    z = z%60;
    return z;
}

int secs()
{
    a = secspassed();
    a = a%60;
    return a;
}

LiquidCrystal lcd(8, 9, 4, 5, 6, 7);

void setup(){
    lcd.print("load...");
    delay(1000);
    lcd.begin(16, 2);
    lcd.setCursor(0, 1);
    lcd.print("Hello world");
}

void loop(){
    digitalClockDisplay();
}

void printDigits(byte digits){
    if(digits < 10)
        lcd.print('0');
    lcd.print(digits);
}

char sep()
{
    x = millis()/1000;
    if(x%2==0)
    {
        lcd.print(":");
    }
    else {
        lcd.print(" ");
    }
}

void digitalClockDisplay(){
    lcd.setCursor(0,0);
    printDigits(
    hours());
    sep();
    printDigits(mins());
    sep();
    printDigits(secs());
}

而不是打印以下内容

12:35:15
Hello World

它改为打印:

253:255:243
Hello World

为什么?

我不想使用时间库,顺便说一句。

4

2 回答 2

3

代码在这里溢出了int [对于 arduino,该值为 +/- 32767] 的容量:

int secspassed()
{
  x = initialHours*3600;
  x = x+(initialMins*60);

此时 x 应该是:

14 * 3600 * 60 = 3024000

这比一个 int 可以容纳的 +32767 值大得多,并且溢出被丢弃,留下代表一些无关紧要的位。

还应该清理使用 int 调用打印例程并将其转换为字节。

于 2012-08-31T17:41:35.937 回答
1

我刚刚弄清楚了为什么这是一个坏主意,有翻转和其他东西。这是感兴趣的人的更新代码:

#include <LiquidCrystal.h>

int second=0, minute=0, hour=0;
int x=0;

LiquidCrystal lcd(8, 9, 4, 5, 6, 7);

void setup(){
    lcd.print("load...");
    delay(1000);
    lcd.begin(16, 2);
    lcd.setCursor(0, 1);
    lcd.print("Hello, world ");
}

void loop(){
    static unsigned long lastTick = 0;
    if (millis() - lastTick >= 1000) {
        lastTick = millis();
        second++;
    }

    // Move forward one minute every 60 seconds
    if (second >= 60) {
        minute++;
        second = 0; // Reset seconds to zero
    }

    // Move forward one hour every 60 minutes
    if (minute >=60) {
        hour++;
        minute = 0; // Reset minutes to zero
    }

    if (hour >=24) {
        hour=0;
        minute = 0; // Reset minutes to zero
    }
    digitalClockDisplay();
}

void printDigits(byte digits){
    if(digits < 10)
        lcd.print('0');
    lcd.print(digits);
}

char sep()
{
    x = millis()/500;
    if(x%2==0)
    {
        lcd.print(":");
    }
    else{
        lcd.print(" ");
    }
}

void digitalClockDisplay(){
    lcd.setCursor(0,0);
    printDigits(hour);
    sep();
    printDigits(minute);
    sep();
    printDigits(second);
}

玩得开心!

PS:更新的代码,去我的博客

于 2012-08-31T18:45:40.433 回答