forked from iovisor/bcc
-
Notifications
You must be signed in to change notification settings - Fork 0
/
biopattern.py
executable file
·147 lines (120 loc) · 3.87 KB
/
biopattern.py
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
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
#!/usr/bin/env python
# @lint-avoid-python-3-compatibility-imports
#
# biopattern - Identify random/sequential disk access patterns.
# For Linux, uses BCC, eBPF.
#
# Copyright (c) 2022 Rocky Xing.
# Licensed under the Apache License, Version 2.0 (the "License")
#
# 21-Feb-2022 Rocky Xing Created this.
from __future__ import print_function
from bcc import BPF
from time import sleep, strftime
import argparse
import os
examples = """examples:
./biopattern # show block device I/O pattern.
./biopattern 1 10 # print 1 second summaries, 10 times
./biopattern -d sdb # show sdb only
"""
parser = argparse.ArgumentParser(
description="Show block device I/O pattern.",
formatter_class=argparse.RawDescriptionHelpFormatter,
epilog=examples)
parser.add_argument("-d", "--disk", type=str,
help="Trace this disk only")
parser.add_argument("interval", nargs="?", default=99999999,
help="Output interval in seconds")
parser.add_argument("count", nargs="?", default=99999999,
help="Number of outputs")
args = parser.parse_args()
countdown = int(args.count)
bpf_text="""
struct counter {
u64 last_sector;
u64 bytes;
u32 sequential;
u32 random;
};
BPF_HASH(counters, u32, struct counter);
TRACEPOINT_PROBE(block, block_rq_complete)
{
struct counter *counterp;
struct counter zero = {};
u32 dev = args->dev;
u64 sector = args->sector;
u32 nr_sector = args->nr_sector;
DISK_FILTER
counterp = counters.lookup_or_try_init(&dev, &zero);
if (counterp == 0) {
return 0;
}
if (counterp->last_sector) {
if (counterp->last_sector == sector) {
__sync_fetch_and_add(&counterp->sequential, 1);
} else {
__sync_fetch_and_add(&counterp->random, 1);
}
__sync_fetch_and_add(&counterp->bytes, nr_sector * 512);
}
counterp->last_sector = sector + nr_sector;
return 0;
}
"""
dev_minor_bits = 20
def mkdev(major, minor):
return (major << dev_minor_bits) | minor
partitions = {}
with open("/proc/partitions", 'r') as f:
lines = f.readlines()
for line in lines[2:]:
words = line.strip().split()
major = int(words[0])
minor = int(words[1])
part_name = words[3]
partitions[mkdev(major, minor)] = part_name
if args.disk is not None:
disk_path = os.path.join('/dev', args.disk)
if os.path.exists(disk_path) == False:
print("no such disk '%s'" % args.disk)
exit(1)
stat_info = os.stat(disk_path)
major = os.major(stat_info.st_rdev)
minor = os.minor(stat_info.st_rdev)
bpf_text = bpf_text.replace('DISK_FILTER',
'if (dev != %s) { return 0; }' % mkdev(major, minor))
else:
bpf_text = bpf_text.replace('DISK_FILTER', '')
b = BPF(text=bpf_text)
# check whether hash table batch ops is supported
htab_batch_ops = True if BPF.kernel_struct_has_field(b'bpf_map_ops',
b'map_lookup_and_delete_batch') == 1 else False
exiting = 0 if args.interval else 1
counters = b.get_table("counters")
print("%-9s %-7s %5s %5s %8s %10s" %
("TIME", "DISK", "%RND", "%SEQ", "COUNT", "KBYTES"))
while True:
try:
sleep(int(args.interval))
except KeyboardInterrupt:
exiting = 1
for k, v in (counters.items_lookup_and_delete_batch()
if htab_batch_ops else counters.items()):
total = v.random + v.sequential
if total == 0:
continue
part_name = partitions.get(k.value, "Unknown")
random_percent = int(round(v.random * 100 / total))
print("%-9s %-7s %5d %5d %8d %10d" % (
strftime("%H:%M:%S"),
part_name,
random_percent,
100 - random_percent,
total,
v.bytes / 1024))
if not htab_batch_ops:
counters.clear()
countdown -= 1
if exiting or countdown == 0:
exit()