-
Notifications
You must be signed in to change notification settings - Fork 336
/
msr.py
executable file
·68 lines (61 loc) · 2.24 KB
/
msr.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
#!/usr/bin/env python3
# library and tool to access Intel MSRs (model specific registers)
# Author: Andi Kleen
from __future__ import print_function
import glob
import struct
import os
def writemsr(msr, val):
n = glob.glob('/dev/cpu/[0-9]*/msr')
for c in n:
f = os.open(c, os.O_WRONLY)
os.lseek(f, msr, os.SEEK_SET)
os.write(f, struct.pack('Q', val))
os.close(f)
if not n:
raise OSError("msr module not loaded (run modprobe msr)")
def readmsr(msr, cpu = 0):
f = os.open('/dev/cpu/%d/msr' % (cpu,), os.O_RDONLY)
os.lseek(f, msr, os.SEEK_SET)
val = struct.unpack('Q', os.read(f, 8))[0]
os.close(f)
return val
def changebit(msr, bit, val):
n = glob.glob('/dev/cpu/[0-9]*/msr')
for c in n:
f = os.open(c, os.O_RDWR)
os.lseek(f, msr, os.SEEK_SET)
v = struct.unpack('Q', os.read(f, 8))[0]
if val:
v = v | (1 << bit)
else:
v = v & ~(1 << bit)
os.lseek(f, msr, os.SEEK_SET)
os.write(f, struct.pack('Q', v))
os.close(f)
if not n:
raise OSError("msr module not loaded (run modprobe msr)")
if __name__ == '__main__':
import argparse
def parse_hex(s):
try:
return int(s, 16)
except ValueError:
raise argparse.ArgumentError("Bad hex number %s" % (s))
if not os.path.exists("/dev/cpu/0/msr"):
os.system("/sbin/modprobe msr")
p = argparse.ArgumentParser(description='Access x86 model specific registers.')
p.add_argument('msr', type=parse_hex, help='number of the MSR to access')
p.add_argument('value', nargs='?', type=parse_hex, help='value to write (if not specified read)')
p.add_argument('--setbit', type=int, help='Bit number to set')
p.add_argument('--clearbit', type=int, help='Bit number to clear')
p.add_argument('--cpu', type=int, default=0, help='CPU to read on (writes always change all)')
args = p.parse_args()
if args.value is None and not args.setbit and not args.clearbit:
print("%x" % (readmsr(args.msr, args.cpu)))
elif args.setbit:
changebit(args.msr, args.setbit, 1)
elif args.clearbit:
changebit(args.msr, args.clearbit, 0)
else:
writemsr(args.msr, args.value)