链接:https://www.yuque.com/books/share/d5f858b8-80ef-4ca7-adbe-9ea4ef27629d/shoal6
思路:
1对于任意一个数,有,a, a^a=0, a^0=a。所以说,任何数出现偶数次的异或都会变成0,只有奇数次的异或才会是其本身
2fgets(buff,sizeof(buff),stdin) 意思就是说从标准输入读入最多buff-1个字符,存储到buff中,并在后面添加一个'\0',如果读入的不满buff个字符,则都存储到buf中,遇到换行符结束,buf要足够大,要大于等于sizeof(buff),不然容易造成内存泄露
注意:在用了fgets之后,为了结束输入会输入进去一个\n,这个时候使用strlen(buff)会包括\n所以应该要-1,即 i < strlen(buff)-1
3代码中:ret = buff[i]; 最终ret保存的是ASCALL值,所以最后的输出用的是%c。 也可以在定义ret时直接定义,char型
代码:#include <stdio.h>
#include <string.h>
int main()
{char buff[128] = "";
unsigned int i = 0;
int ret = 0;
fgets(buff, sizeof(buff), stdin);
for (i = 0; i < strlen(buff)-1; i++)
{
ret ^= buff[i];
}
printf("%c\n", ret);
}
思路:计算一个数的平方根可以用牛顿迭代法,要计算a的平方根,首先随便猜一个估计值c,然后不断令c等于c和a/c的平均数,既有以下方法
doublec = x;
double old;
do{
old = c;
c = (c + x/c)/2;
}while(abs(old - c) >0.0000001);
代码为:
#include<iostream>
#include<cstdio>
using namespace std;
int main()
{
double x;
cin>>x;
if(x==0)return0;
double cur = x;
double last = 0;
while(cur - last>=1 || sur -last <=-1)
{
last = cur;
cue = (cur+x/cur)/2;
}
printf("%d\n", (int)cur);
}
思路:
1首先要注意:使用fgets时,\n是包括在里面的,最后还会自动加一个\0,这个细节一直没有发现,所以一直想不通
2
charstr[20]={};
fgets(str,sizeof(str),stdin);
str[strlen(str)-1]=0;
这里的0表示 的不是单单的数字0,它所表示的是\0,因为str定义的是char型
即char a = 0 和 char a = '\0'是等价的
这里的使用 是用来去掉fgets留下的\n的
代码为:
#include<stdio.h>
#include<math.h>
#include<string.h>
void print_digit(char c)
{
if(c=='0') printf("零");
if(c=='1') printf("一");
if(c=='2') printf("二");
if(c=='3') printf("三");
if(c=='4') printf("四");
if(c=='5') printf("五");
if(c=='6') printf("六");
if(c=='7') printf("七");
if(c=='8') printf("八");
if(c=='9') printf("九");
}
void reverse(char str[])// "abcd"->"dcba" 逆转函数
{
int n=strlen(str);
int i;
char c;
for(i=0;i<n/2;i++)
{
//swap(str[i],str[n-i-1])
c=str[i];
str[i]=str[n-1-i];
str[n-1-i]=c;
}
}
void print_chinese(char str[])//12345
{
reverse(str);
int n=strlen(str);
int i;
int flag; //标签,记录是否有零
for(i=n-1;i>=0;i--)
{
if(str[i]!='0')
{
if(flag==1)
{
print_digit('0');
flag=0;
}
print_digit(str[i]);
if(i%4==3) printf("千");
if(i%4==2) printf("百");
if(i%4==1) printf("十");
}else
{
flag=1;
}
if(i==8) printf("亿"); //如果是十万或者百万的时候,等有万的时候才会输出
if(i==4)
{
if(n<=8||str[7]!='0'||str[6]!='0'||str[5]!='0'||str[4]!='0')
printf("万");
}
}
}
int main(void)
{
char str[20]={};
fgets(str, sizeof(str), stdin);
str[strlen(str) - 1] = 0; //特别注意,这里的0表示的是'\0'
print_chinese(str);
puts("");
return 0;
}