Charおよびその同等のASCII Cの値を印刷するにはどうすればよいですか?
これにより、すべてのASCII値:
int main()
{
int i;
i=0;
do
{
printf("%d %c \n",i,i);
i++;
}
while(i<=255);
return 0;
}
そして、これは与えられた文字のASCII値を出力します:
int main()
{
int e;
char ch;
clrscr();
printf("\n Enter a character : ");
scanf("%c",&ch);
e=ch;
printf("\n The ASCII value of the character is : %d",e);
getch();
return 0;
}
これを試して:
char c = 'a'; // or whatever your character is
printf("%c %d", c, c);
%cは単一文字のフォーマット文字列で、%dは数字/整数です。 charを整数にキャストすると、ascii値が取得されます。
Whileループを使用して、0〜255のすべてのASCII値を出力します。
#include<stdio.h>
int main(void)
{
int a;
a = 0;
while (a <= 255)
{
printf("%d = %c\n", a, a);
a++;
}
return 0;
}
これほど簡単なものはありません
#include <stdio.h>
int main()
{
int i;
for( i=0 ; i<=255 ; i++ ) /*ASCII values ranges from 0-255*/
{
printf("ASCII value of character %c = %d\n", i, i);
}
return 0;
}
単一引用符( 'XXXXXX')内の文字は、10進数として印刷される場合、ASCII値を出力する必要があります。
int main(){
printf("D\n");
printf("The ASCII of D is %d\n",'D');
return 0;
}
出力:
% ./a.out
>> D
>> The ASCII of D is 68
これは標準入力からテキスト行を読み取り、その行の文字とそのASCIIコードを出力します。
#include <stdio.h>
void printChars(void)
{
unsigned char line[80+1];
int i;
// Read a text line
if (fgets(line, 80, stdin) == NULL)
return;
// Print the line chars
for (i = 0; line[i] != '\n'; i++)
{
int ch;
ch = line[i];
printf("'%c' %3d 0x%02X\n", ch, ch, (unsigned)ch);
}
}