我正在尝试编写一个程序,该程序将(最终)闪烁 LED 以指示莫尔斯电码中的错误代码。
现在我(主要)被困在弄清楚如何从左到右读取错误代码。
目前,我只是试图降低程序的基础。使用错误代码调用该函数 -> 将摩尔斯电码打印到控制台。
这是我所拥有的:
#define LED_DIT '.'
#define LED_DAH '-'
#define LED_INTER_GAP "" /* Delays within a letter */
#define LED_SHORT_GAP " " /* Delay between letters */
#define LED_MEDIUM_GAP "\n" /* Delay between words */
#include <stdio.h>
#include <stdint.h>
char morseDigits[10][5] = {
{LED_DAH, LED_DAH, LED_DAH, LED_DAH, LED_DAH}, // 0
{LED_DIT, LED_DAH, LED_DAH, LED_DAH, LED_DAH}, // 1
{LED_DIT, LED_DIT, LED_DAH, LED_DAH, LED_DAH}, // 2
{LED_DIT, LED_DIT, LED_DIT, LED_DAH, LED_DAH}, // 3
{LED_DIT, LED_DIT, LED_DIT, LED_DIT, LED_DAH}, // 4
{LED_DIT, LED_DIT, LED_DIT, LED_DIT, LED_DIT}, // 5
{LED_DAH, LED_DIT, LED_DIT, LED_DIT, LED_DIT}, // 6
{LED_DAH, LED_DAH, LED_DIT, LED_DIT, LED_DIT}, // 7
{LED_DAH, LED_DAH, LED_DAH, LED_DIT, LED_DIT}, // 8
{LED_DAH, LED_DAH, LED_DAH, LED_DAH, LED_DIT} // 9
};
void LEDMorseDigit(uint8_t digit) {
uint8_t i;
for(i=0; i<5; i++) {
printf(morseDigits[digit][i]);
printf(LED_INTER_GAP);
}
}
void LEDMorseCode(uint8_t errorCode) {
uint8_t i = 0;
// Play error sequence of digits, left to right
while(*(errorCode + i)) {
LEDMorseDigit(errorCode[i++]);
printf(LED_SHORT_GAP);
}
printf(LED_MEDIUM_GAP);
}
int main(void) {
LEDMorseCode(1);
LEDMorseCode(23);
LEDMorseCode(123);
return 0;
}
这while(*(errorCode + i)) {...}
是我从从左到右读取 char* 的示例中得到的。我真的很想在不创建新变量来保存数据的情况下这样做。
我考虑过使用模/除法从右到左读取数字并使用反向错误代码调用函数,但我不希望这样做,因为这可能会导致一些混乱。
那么如何创建一个函数来获取一个 u-int 值并从左到右抓取每个数字呢?
我最好将值作为字符串传递并将每个字符转换为 int 吗?