• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 // Copyright 2017 The Chromium OS Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
4 
5 use sys_util::{error, EventFd};
6 
7 use crate::BusDevice;
8 
9 /// A i8042 PS/2 controller that emulates just enough to shutdown the machine.
10 pub struct I8042Device {
11     reset_evt: EventFd,
12 }
13 
14 impl I8042Device {
15     /// Constructs a i8042 device that will signal the given event when the guest requests it.
new(reset_evt: EventFd) -> I8042Device16     pub fn new(reset_evt: EventFd) -> I8042Device {
17         I8042Device { reset_evt }
18     }
19 }
20 
21 // i8042 device is mapped I/O address 0x61. We partially implement two 8-bit
22 // registers: port 0x61 (I8042_PORT_B_REG, offset 0 from base of 0x61), and
23 // port 0x64 (I8042_COMMAND_REG, offset 3 from base of 0x61).
24 impl BusDevice for I8042Device {
debug_label(&self) -> String25     fn debug_label(&self) -> String {
26         "i8042".to_owned()
27     }
28 
read(&mut self, offset: u64, data: &mut [u8])29     fn read(&mut self, offset: u64, data: &mut [u8]) {
30         if data.len() == 1 && offset == 3 {
31             data[0] = 0x0;
32         } else if data.len() == 1 && offset == 0 {
33             // Like kvmtool, we return bit 5 set in I8042_PORT_B_REG to
34             // avoid hang in pit_calibrate_tsc() in Linux kernel.
35             data[0] = 0x20;
36         }
37     }
38 
write(&mut self, offset: u64, data: &[u8])39     fn write(&mut self, offset: u64, data: &[u8]) {
40         if data.len() == 1 && data[0] == 0xfe && offset == 3 {
41             if let Err(e) = self.reset_evt.write(1) {
42                 error!("failed to trigger i8042 reset event: {}", e);
43             }
44         }
45     }
46 }
47