1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
|
/*
* fsl_cache.c -- freescale cache driver
*
* Copyright 2009 Freescale Semiconductor, Inc. All Rights Reserved.
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License version 2 as
* published by the Free Software Foundation.
*/
#include <linux/kernel.h>
#include <linux/module.h>
#include <linux/moduleparam.h>
#include <linux/init.h>
#include <linux/fs.h>
#include <linux/miscdevice.h>
#include <linux/uaccess.h>
#include <linux/fsl_cache.h>
#include <asm/cacheflush.h>
static int fsl_cache_ioctl(struct inode *ip, struct file *fp,
unsigned int cmd, unsigned long arg)
{
struct fsl_cache_addr addr;
if (copy_from_user(&addr, (void __user *)arg,
sizeof(struct fsl_cache_addr))) {
printk(KERN_ERR "fsl_cache_ioctl failed!\n");
return -EFAULT;
}
if (addr.start <= 0 || addr.end <= addr.start)
return -EINVAL;
switch (cmd) {
case FSLCACHE_IOCINV:
dmac_inv_range(addr.start, addr.end);
break;
case FSLCACHE_IOCCLEAN:
dmac_clean_range(addr.start, addr.end);
break;
case FSLCACHE_IOCFLUSH:
dmac_flush_range(addr.start, addr.end);
break;
default:
printk(KERN_ERR "fsl_cache ioctl: error cmd!\n");
return -1;
}
return 0;
}
static const struct file_operations misc_fops = {
.ioctl = fsl_cache_ioctl,
};
static struct miscdevice fsl_cache_device = {
.minor = MISC_DYNAMIC_MINOR,
.name = "fsl_cache",
.fops = &misc_fops,
};
static int __init fsl_cache_init(void)
{
int error;
error = misc_register(&fsl_cache_device);
if (error) {
printk(KERN_ERR "fsl_cache: misc_register failed!\n");
return error;
}
return 0;
}
static void __exit fsl_cache_exit(void)
{
misc_deregister(&fsl_cache_device);
}
module_init(fsl_cache_init);
module_exit(fsl_cache_exit);
MODULE_DESCRIPTION("Freescale cache manipulation driver");
MODULE_AUTHOR("Freescale Semiconductor, Inc.");
MODULE_LICENSE("GPL");
|