gpt4 book ai didi

c - 打印字符偶校验

转载 作者:太空宇宙 更新时间:2023-11-04 06:40:12 25 4
gpt4 key购买 nike

这可能是个愚蠢的问题,但我似乎无法弄明白。

我编写了一个程序,它以一个 char 作为输入,输出 char 及其十六进制值,然后检查偶校验并将奇偶校验位设置为 1,然后再次输出"new"char 及其十六进制值。但是,使用 printf 和 %c 似乎不是可行的方法,我不明白为什么或如何解决它,所以如果有人能解释为什么不这样做以及我应该做什么,我将不胜感激。哦,尽管对我正在学习的代码发表评论,但批评总是好的 :)

int checkParity(unsigned char myChar); //returns 0 if even 1 if odd

int main() {
int i;
unsigned char input;

printf("Enter char: ");
scanf("%c", &input);

/* print unchanged char and hex with */
printf("c7: %c ", input);
printf("hex: %x \n", input);

/*if parity is odd*/
if(checkParity(input)){
/*change to even*/
input = (input|0x80);
}

/* print char and hex even parity */
printf("c8: %c ", input);
printf("hex: %x \n", input);

return 0;
}

int checkParity(unsigned char myChar){
int i;
int parity = 0;

while(myChar){ //while myChar != 0
parity += (myChar&1); //add result of myChar AND 1 to parity
myChar = myChar>>1; //shift bits left by 1
}
//printf("parity equals: %d\n", parity);
if(parity%2){ // if odd parity
return 1;
}
else { //even parity
return 0;
}
}

最佳答案

什么是奇偶校验位?

奇偶校验位是一种简单的错误检查形式,例如,当您将数据从一台机器传输到另一台机器时可以使用。如果两台机器都同意偶校验,那么接收方将知道任何具有偶校验的传入字符都是错误接收的。然而,任何类型的奇偶校验只能识别奇数个错误位:单个字符中的两个错误会相互抵消,结果奇偶校验将是正确的。此外,接收方无法确定哪个位(或哪些位)不正确;奇偶校验提供错误检测,但不提供错误纠正

应该如何处理收到的数据?

接收方应计算并验证每个传入字符的奇偶校验。如果它检测到奇偶校验无效的字符,它应该以某种方式指示错误。在最好的情况下,它可以要求发送方重新发送该字符。

一旦字符通过验证,接收方必须去除奇偶校验位,然后再传递字符以进行进一步处理。这是因为,由于奇偶校验位用于错误检测,因此它从数据有效载荷中“丢失”了。因此,启用奇偶校验会将可用数据值的数量减少一半。例如,8 位可以具有 256 个可能值 (0 - 255) 之一。如果一位用于奇偶校验,则只剩下 7 位来编码数据,只剩下 128 个有效值。


由于您要求评论/批评,这里是您的代码的修改后的评论版本:

#include <stdio.h>

// Consider using a boolean data type, as the function returns
// "true" or "false" rather than an arbitrary integer.
int isOddParity(unsigned char myChar);


int main(void) {
unsigned char input;

printf("Enter char: ");
scanf("%c", &input);

// Force even parity by setting MSB if the parity is odd.
unsigned char even = isOddParity(input) ? input | 0x80 : input;

// Print the original char, original hex, and even-parity hex
// Print hex values as 0xHH, zero-padding if necessary. This program
// will probably never print hex values less than 0x10, but zero-padding
// is good practice.
printf("orig char: %c\n", input);
printf("orig hex: 0x%02x\n", input);
printf("even hex: 0x%02x\n", even);
return 0;
}

// Calculate the parity of myChar.
// Returns 1 if odd, 0 if even.
int isOddParity(unsigned char myChar) {
int parity = 0;

// Clear the parity bit from myChar, then calculate the parity of
// the remaining bits, starting with the rightmost, by toggling
// the parity for each '1' bit.
for (myChar &= ~0x80; myChar != 0; myChar >>= 1) {
parity ^= (myChar & 1); // Toggle parity on each '1' bit.
}
return parity;
}

关于c - 打印字符偶校验,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/9642410/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com