单字节错误纠正

时间:2013-04-14 06:01:59

标签: error-correction hamming-code reed-solomon

200字节的消息中有一个随机字节已损坏。

修复损坏字节的最有效方法是什么?

Hamming(255,247)代码有8个字节的开销,但实现起来很简单。

Reed-Solomon error correction有2个字节的开销,但实现起来很复杂。

我有一种更简单的方法吗?

2 个答案:

答案 0 :(得分:1)

我发现了一篇适用于这种情况的方法论文 - 两个字节开销,易于实现。这是代码:

// Single-byte error correction for messages <255 bytes long
//  using two check bytes. Based on "CA-based byte error-correcting code"
//  by Chowdhury et al.
//
// rmmh 2013

uint8_t lfsr(uint8_t x) {
    return (x >> 1) ^ (-(x&1) & 0x8E);
}

void eccComputeChecks(uint8_t *data, int data_len, uint8_t *out_c0, uint8_t *out_c1) {
    uint8_t c0 = 0; // parity: m_0 ^ m_1 ^ ... ^ m_n-1
    uint8_t c1 = 0; // lfsr: f^n-1(m_0) ^ f^n(m_1) ^ ... ^ f^0(m_n-1)
    for (int i = 0; i < data_len; ++i) {
        c0 ^= data[i];
        c1 = lfsr(c1 ^ data[i]);
    }
    *out_c0 = c0;
    *out_c1 = c1;
}

void eccEncode(uint8_t *data, int data_len, uint8_t check[2]) {;
    eccComputeChecks(data, data_len, &check[0], &check[1]);
}

bool eccDecode(uint8_t *data, int data_len, uint8_t check[2]) {
    uint8_t s0, s1;
    eccComputeChecks(data, data_len, &s0, &s1);
    s0 ^= check[0];
    s1 ^= check[1];
    if (s0 && s1) {
        int error_index = data_len - 255;
        while (s1 != s0) {  // find i st s1 = lfsr^i(s0) 
            s1 = lfsr(s1);
            error_index++;
        }
        if (error_index < 0 || error_index >= data_len) {
            // multi-byte error?
            return false;
        }
        data[error_index] ^= s0;
    } else if (s0 || s1) {
        // parity error
    }
    return true;
}

答案 1 :(得分:1)

使用Reed Solomon来纠正单字节错误并不会那么复杂。使用形式的生成多项式(使用⊕表示xor)

g(x) = (x ⊕ 1)(x ⊕ 2) = x^2 + 3x + 2.

照常编码信息。

对于解码,以正常方式生成两个校正子S(0)和S(1)。

if(S(0) != 0){
    error value = S(0)
    error location = log2(S(1)/S(0))
}

错误位置将从右到左(0 ==最右边的字节)。如果缩短的代码和位置超出范围,则会检测到无法纠正的错误。