- 论坛徽章:
- 0
|
本帖最后由 ipiszhang 于 2010-05-31 22:22 编辑
在内核中实现了一个最简单的生产者消费者模型 没有使用信号量 只用数组下标来控制同步问题 下面是代码- #include <linux/module.h>
- #include <linux/kernel.h>
- #include <linux/init.h>
- #include <linux/kthread.h>
- #include <linux/wait.h>
- #include <linux/time.h>
- #include <linux/delay.h>
- #include <asm/param.h>
- #define MY_MODULE_VERSION "v0.1"
- #define MODULE_NAME "produdcer_consumer"
- #define SECOND 0.00000001
- #define BUFF_LEN 10
- int buffer[BUFF_LEN] = {11, 12, 13, 14, 15, 16, 17, 18, 19, 0};
- int front = 0;
- int back = BUFF_LEN - 1;
- int goods = 20;
- static struct task_struct *producer_thread = NULL;
- static struct task_struct *consumer_thread = NULL;
- DECLARE_WAIT_QUEUE_HEAD(sleep_queue);
- unsigned long timeout = 1;
- static int producer(void *mode) {
- int result = 0;
- while(!kthread_should_stop()) {
- // printk("producer\n");
- if (back >= front && back - front < BUFF_LEN) {
- buffer[back % BUFF_LEN] = goods;
- back++;
- goods++;
- printk("producer: put goods [%d] to %d\n", goods - 1, (back - 1) % BUFF_LEN);
- } else {
- printk("producer: no space, sleeping\n");
- wait_event_interruptible_timeout(sleep_queue, (back >= front && back - front < BUFF_LEN), timeout);
- }
- }
- return result;
- }
- static int consumer(void *mode) {
- int result = 0;
- while(!kthread_should_stop()) {
- // printk("consumer\n");
- if (back > front) {
- printk("consumer: get goods [%d] from %d\n", buffer[front % BUFF_LEN], front % BUFF_LEN);
- front++;
- } else {
- printk("consumer: no goods, sleeping\n");
- wait_event_interruptible_timeout(sleep_queue, (back > front), timeout * 10);
- }
- }
- return result;
- }
- static int __init producer_consumer_init(void) {
- int result = 0;
-
- producer_thread = kthread_run(producer, NULL, "producer");
- if (!producer_thread) {
- result = -1;
- goto exit;
- }
- consumer_thread = kthread_run(consumer, NULL, "consumer");
- if (!consumer_thread) {
- result = -1;
- goto exit;
- }
-
- printk(KERN_INFO "%s %s initialised\n", MODULE_NAME, MY_MODULE_VERSION);
- exit:
- return result;
- }
- static void __exit producer_consumer_exit(void) {
- if (producer_thread)
- kthread_stop(producer_thread);
-
- if (consumer_thread)
- kthread_stop(consumer_thread);
-
- printk(KERN_INFO "%s %s removed\n", MODULE_NAME, MY_MODULE_VERSION);
- }
- module_init(producer_consumer_init);
- module_exit(producer_consumer_exit);
- MODULE_LICENSE("GPL");
复制代码 首先启动生产者线程 接着启动消费者线程 缓冲区长度为10 开始时缓冲区里有前9个元素 生产者从第10个位置开始放置产品
发现一个问题 根据判断条件- if (back >= front && back - front < BUFF_LEN)
复制代码 只要有空间 生产者就生产并放进缓冲区只要有产品 消费者就从缓冲区取出
所以执行结果应该是生产者消费者一次次交替运行
但是现在运行后发现 生产者生产10次填满缓冲区后消费者才消费 消费者将缓冲区的10个数据都取走后生产者才继续生产 而不是二者一次次交替运行
请问各位 这是为什么呢? |
|