I will show you here some techniques to overcome or minimize the cache effects.
1. Re-mount
The easiest way is to umount and re-mount the corresponding mount point. For example,
1
2
| # umount /home # mount /home |
2. Clear Cache of the OS
On Linux, you can clear or drop cache of the OS by using the following command.
1
| # sync && echo 3 > /proc/sys/vm/drop_caches |
The former part of the above command will commit buffer cache to disk, and the latter part will tell OS to drop buffer caches immediately.
There are three levels of dropping cache with corresponding numbers.
1 - Free pagecache
2 - Free dentries and inodes.
3 - Free pagecache, dentries, and inodes.
3. Use Direct I/O for POSIX
When you open a file with the flag O_DIRECT, you bypass the I/O buffers and therefore bypass the cache effects of cache at the operating system level. Almost device drivers support POSIX compatible API also support O_DIRECT flag, except of some parallel distributed file systems such as PanFS.
Benchmark tools such as IOR (-B), IOzone (-I), dd (direct) have flag for this feature. In programming, use the following example.
1
| open(filename, O_DIRECT); |
4. Clear Cache for a Specific File
If you want to clear cache for a specific file, you can use the following program clearcache.c to tell OS not to cache the file. It actually helps you clear cache of a list of files provided via program's arguments.
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
| /* clearcache.c - mrcuongnv */ #include <stdio.h> #include <sys/types.h> #include <sys/stat.h> #include <fcntl.h> #include <errno.h> #include <string.h> int clear_file_cache(filename) char *filename; { int fd, rs; printf ( "%s" , filename); if ((fd = open(filename, O_RDONLY)) != -1) { if ((rs = posix_fadvise(fd, 0, 0, POSIX_FADV_DONTNEED)) == 0) { printf ( " --> Cleared\n" ); return 0; } } printf ( " --> %s (%d)\n" , strerror ( errno ), errno ); return 1; } int main(argc, argv) int argc; char *argv[]; { if (argc < 2) { fprintf (stderr, "Syntax: %s FILES\n" , argv[0]); return 1; } int i, rs = 0; for (i = 1; i < argc; i++) { rs += clear_file_cache(argv[i]); } return rs; } |
The most important part in the above code is posix_fadvise(), which tells OS that the specified data will not be accessed in the near future.
No comments:
Post a Comment