在PROGMEM中按ID查找消息的最佳方式?

时间:2013-06-30 19:38:36

标签: c++ memory arduino

我正在尝试根据外部设备的整数返回来确定从PROGMEM检索和显示错误消息的最佳方法。

const prog_char error_1000[] PROGMEM = "No data provided.";
const prog_char error_1001[] PROGMEM = "device not activated";
const prog_char error_2000[] PROGMEM = "Machine ID invalid";
const prog_char error_3000[] PROGMEM = "Insufficient Balance";

void loop()
{
   int result = device.GetStatus();
   Serial.println(/*error by code here*/);
}

错误按前导号组合在一起(即1xxx是设备错误,2xxx是另一个组件的问题,3xxx是交易错误)。但是每个类别中可能只有5-10个错误。

我正在使用一些内存繁重的库,而我的内存已经在Uno上几乎耗尽了所以我试图在这里保持小事。

基本上,通过ID查找字符串是需要的,但我没有在最佳方法上取得很大进展。

1 个答案:

答案 0 :(得分:0)

而不是执行以下操作:

const prog_char error_1000[] PROGMEM = "No data provided.";
const prog_char error_1001[] PROGMEM = "device not activated";
const prog_char error_2000[] PROGMEM = "Machine ID invalid";
const prog_char error_3000[] PROGMEM = "Insufficient Balance";

我建议你将错误类别(1000 s,2000等)索引为矩阵的第一个索引,并将实际错误作为数组的第二个索引:< / p>

以下是这个想法:

const prog_char error_code[1][0] PROGMEM = "No data provided.";
const prog_char error_code[1][1] PROGMEM = "device not activated";
const prog_char error_code[2][0] PROGMEM = "Machine ID invalid";
const prog_char error_code[3][0] PROGMEM = "Insufficient Balance";

(编辑)这是一个有效的语法:

const prog_char* error_code[][3] PROGMEM = {{"ERROR 1000", "ERROR 1001", "ERROR 1002"},
                                            {"ERROR 2000", "ERROR 2001", "ERROR 2002"},
                                            {"ERROR 3000", "ERROR 3001", "ERROR 3002"}};

唯一的缺点是你应该指定内部数组的长度,因此需要在每个内部数组中使用相同数量的字符串。

然后你可以编写一个执行状态代码转换的函数:

const prog_char* fmt_error(int code) {
    return error_code[code/1000][code%1000];
}

void loop()
{
   int result = device.GetStatus();
   Serial.println(fmt_error(result));
}

该解决方案不使用比使用一个数组更多的内存(只需一个指针)。唯一的缺点是,如果您需要不连续的状态代码,例如1000101010421300。然后没有我能想到的很酷的解决方案,除了使用一个好的旧开关/外壳:

const prog_char* fmt_error(int code) {
    switch (code) {
        case (1000): return F("Error XXX");
        case (1042): return F("Error which code is not contiguous");
        case (2042): return F("Another error");
    }
}

(编辑)我对如何处理你的问题有了第三个想法:

typedef struct
{
    int code;
    prog_char* message;
} error_code;

const error_type error_codes[] =
{
    {0000, F("Unknown error code")},
    {1000, F("Error foo")},
    {1001, F("Error bar")},
    {2000, F("Error foobar")}
    ...
};

const prog_char* fmt_error(int code) {
    for (int i=0; i<sizeof(error_codes);++i)
        if (error_codes[i].code == code)
            return error_codes[i].message;
    return error_codes[0];
}

但我认为使用所有三种解决方案的内存较少的解决方案是使用用例的第二种解决方案。因为所有内容都在程序存储器中完成,并且由于F()宏,所有字符串都在闪存中。为了节省一些额外的字节,你甚至可以使fmt_error()函数内联,因此它不会添加到函数调用堆栈。

HTH