要求定义一个全局变量 char buf[] = "1234567",创建两个线程,不考虑退出条件,另:
- A线程循环打印buf字符串,
- B线程循环倒置buf字符串,即buf中本来存储1234567,倒置后buf中存储7654321. 不打印!!
- 倒置不允许使用辅助数组。
- 要求A线程打印出来的结果只能为 1234567 或者 7654321 不允许出现7634521 7234567
- 不允许使用sleep函数
- 要求打印,倒置线程,顺序执行。运行顺序为:线程1 线程2 线程1 线程2 ...,出现的现象为先打印1234567,再打印7654321...
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <head.h>
#include <fcntl.h>
#include <unistd.h>
#include <pthread.h>
#include <semaphore.h>
//2.在第一题的基础。上加上一一个需求:要求打印,倒置线程,顺序执行。出现的现象为先打印123456
char buf[]="1234567";
//定义两个信号量
sem_t sem1,sem2;
void* callback_1(void* arg)//打印
{
while(1)
{
//P操作
if(sem_wait(&sem1)<0)
{
perror("sem_wait");
return NULL;
}
printf("%s\n",buf);
//V操作
if(sem_post(&sem2) < 0)
{
perror("sem_post");
return NULL;
}
}
}
void* callback_2(void* arg)//逆置 不打印
{
char t=0;
while(1)
{
//P操作
if(sem_wait(&sem2)<0)
{
perror("sem_wait");
return NULL;
}
for(int i=0;i<strlen(buf)/2;i++)
{
t=buf[i];
buf[i] = buf[strlen(buf)-1-i];
buf[strlen(buf)-1-i] = t;
}
//V操作
if(sem_post(&sem1) < 0)
{
perror("sem_post");
return NULL;
}
}
pthread_exit(NULL);
}
int main(int argc, const char *argv[])
{
if(sem_init(&sem2, 0, 1)<0)
{
perror("sem_init");
return -1;
}
printf("sem_init success __%d__\n",__LINE__);
//创建2个线程
pthread_t tid_1,tid_2;
if(pthread_create(&tid_1,NULL,callback_1,NULL)!=0)
{
fprintf(stderr,"pthread_create failed __%d__\n",__LINE__);
return -1;
}
pthread_detach(tid_1); //分离线程1
if(pthread_create(&tid_2,NULL,callback_2,NULL)!=0)
{
fprintf(stderr,"pthread_create failed __%d__\n",__LINE__);
return -1;
}
pthread_join(tid_2,NULL); //等待阻塞线程2
sem_destroy(&sem1); //销毁信号量
sem_destroy(&sem2); //销毁信号量
return 0;
}