我编写的一个简单例程,用于将ASCII
字符串转换为相应的7-bit GSM
编码方案:
#include <stdio.h>
#include <process.h>
#include <stdbool.h>
#include <string.h>
#include <stdlib.h>
#include <inttypes.h>
/* convert ascii input string to 7-bit GSM alphabet */
bool ascii_to_gsm(const char* in, uint8_t len, uint8_t* out, uint8_t start_indx) {
if (in == NULL || out == NULL || len == 0)
return false;
uint8_t nshift = 7;
memcpy(out + start_indx, in, len);
for (size_t i = 0; i < len - 1; i++) {
nshift = (nshift == 255) ? 7 : nshift;
uint16_t l = out[start_indx + i];
uint16_t h = out[start_indx + i + 1];
h = (h << nshift--) | l;
out[start_indx + i] = h;
out[start_indx + i + 1] = h >> 8;
}
return true;
}
int main() {
char data[] = "ASCIIASCII";
uint8_t buff[sizeof(data) - 1];
memset(buff, 0, sizeof(buff));
ascii_to_gsm(data, sizeof(buff), buff, 0);
for (size_t i = 0; i < sizeof(buff); i++) {
printf("\n buff[%d]=%02x", i, buff[i]);
}
system("pause");
return 0;
}
对于ASCII
或TEST
等字符串,它的工作正常,输出分别为C1E9309904
和D4E2940A
。
但是对于字符串ASCIIASCII
,某些输出字节是错误的:
C1E930990C4E87498024
结果应为:C1E930990C4E87C924
不知道哪个部分,我错了。
有关GSM编码的概念可以找到here。
我使用this在线编码器来比较结果
答案 0 :(得分:1)
但是对于字符串ASCIIASCII,一些输出字节是错误的:
C1E930990C4E87498024
结果应该是:
C1E930990C4E87C924
OP的代码没有考虑输出的长度可能比输入的长度短。
如果输入为10个ASCII字符,即70位。输出需要是上限(70/8)或9字节。另请参阅@Steve Summit。
缺少start_indx
的简化参考代码。由于输入是字符串(&#34;转换ASCII字符串&#34;),因此不需要输入长度。
bool ascii_to_gsmA(const char* in, uint8_t* out) {
unsigned bit_count = 0;
unsigned bit_queue = 0;
while (*in) {
bit_queue |= (*in & 0x7Fu) << bit_count;
bit_count += 7;
if (bit_count >= 8) {
*out++ = (uint8_t) bit_queue;
bit_count -= 8;
bit_queue >>= 8;
}
in++;
}
if (bit_count > 0) {
*out++ = (uint8_t) bit_queue;
}
return true;
}