标准IO函数时候讲解的时钟代码,要求输入quit字符串后,结束进程
#include <stdio.h>
#include <time.h>
#include <string.h>
#include <unistd.h>
#include <pthread.h>
void* pclock(void* arg);
int main(int argc, const char *argv[])
{
pthread_t tid;
if (pthread_create(&tid,NULL,pclock,NULL)!=0)
{
fprintf(stderr,"pthread_create failed");
}
char buf[20];
scanf("%s",buf);
if(!strcmp(buf,"quit"))
pthread_cancel(tid);
return 0;
}
void* pclock(void* arg)
{
FILE *fp=fopen("time.txt","a+");
if(!fp)
{
perror("fopen");
return NULL;
}
int n=1;
char buf[30];
while(fgets(buf,sizeof(buf),fp))
{
if('\n'==buf[strlen(buf)-1])
n++;
}
time_t t;
struct tm *tmp;
while(1)
{
time(&t);
tmp=localtime(&t);
fprintf(fp,"[%d] %d-%02d-%02d %02d:%02d:%02d\n",\
n,tmp->tm_year+1900,tmp->tm_mon+1,tmp->tm_mday,\
tmp->tm_hour,tmp->tm_min,tmp->tm_sec);
fflush(fp);
n++;
sleep(1);
}
return NULL;
}
2.要求定义一个全局变量char buf[] = "1234567" 创建两个线程,不考虑退出条件。
a. A线程循环打印buf字符串
b. B线程循环倒置buf字符串,即buf中本来存储1234567,倒置后buf中存储7654321.不打印! !
c.倒置不允许使用辅助数组。
d.要求A线程打印出来的结果只能为1234567或者7654321
e.不允许使用sleep函数
#include <stdio.h>
#include <pthread.h>
#include <string.h>
#include <unistd.h>
char buf[]="1234567";
int b=0;
void *pthreadA(void *arg);
void *pthreadB(void *arg);
int main(int argc, const char *argv[])
{
pthread_t tidA,tidB;
int size=strlen(buf);
if(!pthread_create(&tidA,NULL,pthreadA,NULL)\
&&!pthread_create(&tidB,NULL,pthreadB,&size))
{
pthread_join(tidB,NULL);
}
return 0;
}
void *pthreadA(void *arg)
{
while (1)
{
if(!b)
{
printf("%s\n",buf);
b=1;
}
}
return NULL;
}
void *pthreadB(void *arg)
{
int size=*(int*)arg;
int tmp;
while(1)
{
if(b)
{
for (int i=0; i<size/2; i++)
{
tmp=buf[i];
buf[i]=buf[size-1-i];
buf[size-1-i]=tmp;
}
b=0;
}
}
return NULL;
}