字符串循环右移函数的实现已经有很多种方法了,我最近在做这道题的时候想到了一种暴力移位方法,思路很简单:
从最后一位字符往前交换移动,移至最左位,以此类推,循环就可以解决循环右移多位字符的方法
比如:"abcdefghi" 循环右移2位就是"hiabcdefg",
函数原型为 void RightLoopMove(char *pStr, unsigned short steps)
以下是实现:
void RightLoopMove(char *pStr, unsigned short steps)
{
int i = 0;
int count = 0;
char t;
char *pStr1 = NULL;
while(*pStr != '\0')
{
pStr++;
count++;
}
count--;
pStr--;
pStr1 = pStr - 1;
for(;i < steps; i++)
{
while(*pStr != '\0')
{
pStr++;
count++;
}
count--;
pStr--;
pStr1 = pStr - 1; //两个指针 pStr指向倒数第一个字符,pStr1指向倒数第二个指针
while(count > 0 )
{
t = *pStr;
*pStr = *pStr1;
*pStr1 = t;
pStr--;
pStr1--;
count--;
}
}
printf("%s\n",pStr1 + 1);
}
在附加上一个实现8 bit 数据(unsigned char 类型)的指定位(例如第n位)的置零或置一操作,并保持其他为不变
void bit_set(unsigned char *p_data, unsigned char position, int flag) //p_data 是指定的源数据,position是指定位,flag是置零或置一操作
{
int temp;
if(flag == 1)
{
temp = *p_data;
flag <<= (position - 1);
(*p_data) ^= flag;
(*p_data) |= temp;
printf("%d\n",*p_data);
}
if(flag == 0)
{
temp = *p_data;
flag = 1;
flag <<= (position - 1);
(*p_data) |= flag;
if(*p_data != temp)
{
printf("%d\n",temp);
}
else
{
(*p_data) ^= flag;
printf("%d\n",*p_data);
}
}
}