最佳答案
在C和c++中字符的大小是多少?据我所知,在C和c++中char的大小都是1字节。
#include <stdio.h>
int main()
{
printf("Size of char : %d\n", sizeof(char));
return 0;
}
#include <iostream>
int main()
{
std::cout << "Size of char : " << sizeof(char) << "\n";
return 0;
}
毫无疑问,它们都给出了输出:Size of char : 1
现在我们知道字符被表示为'a'
,'b'
,'c'
,'|'
,…所以我把上面的代码修改为:
在C:
#include <stdio.h>
int main()
{
char a = 'a';
printf("Size of char : %d\n", sizeof(a));
printf("Size of char : %d\n", sizeof('a'));
return 0;
}
Size of char : 1
Size of char : 4
在c++中:
#include <iostream>
int main()
{
char a = 'a';
std::cout << "Size of char : " << sizeof(a) << "\n";
std::cout << "Size of char : " << sizeof('a') << "\n";
return 0;
}
Size of char : 1
Size of char : 1
为什么sizeof('a')
在C和c++中返回不同的值?