x86emu/emulator/
mov.rs

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
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.

use super::AlignmentMode;
use super::Emulator;
use super::Error;
use super::InternalError;
use crate::Cpu;
use iced_x86::Instruction;
use iced_x86::OpKind;
use iced_x86::Register;

impl<T: Cpu> Emulator<'_, T> {
    pub(super) async fn mov(&mut self, instr: &Instruction) -> Result<(), InternalError<T::Error>> {
        let value = self.op_value(instr, 1).await?;
        self.write_op_0(instr, value).await?;
        Ok(())
    }

    pub(super) async fn movsx(
        &mut self,
        instr: &Instruction,
    ) -> Result<(), InternalError<T::Error>> {
        let value = self.op_value_sign_extend(instr, 1).await?;
        self.write_op_0(instr, value as u64).await?;
        Ok(())
    }

    pub(super) async fn mov_sse(
        &mut self,
        instr: &Instruction,
        alignment: AlignmentMode,
    ) -> Result<(), InternalError<T::Error>> {
        let value = match instr.op1_kind() {
            OpKind::Memory => self.read_memory_op(instr, 1, alignment).await?,
            OpKind::Register => {
                let reg = instr.op1_register();
                assert!(reg.is_xmm());
                self.cpu.xmm(reg.number())
            }
            _ => Err(self.unsupported_instruction(instr))?,
        };

        match instr.op0_kind() {
            OpKind::Memory => self.write_memory_op(instr, 0, alignment, value).await?,
            OpKind::Register => {
                let reg = instr.op0_register();
                assert!(reg.is_xmm());
                let xmm_index = reg.number();
                self.cpu.set_xmm(xmm_index, value).map_err(|err| {
                    Error::XmmRegister(xmm_index, super::OperationKind::Write, err)
                })?
            }
            _ => Err(self.unsupported_instruction(instr))?,
        };

        Ok(())
    }

    pub(super) async fn movdir64b(
        &mut self,
        instr: &Instruction,
    ) -> Result<(), InternalError<T::Error>> {
        let mut buffer = [0; 64];
        let src = self.memory_op_offset(instr, 1);
        let dst = self.cpu.gp(instr.op0_register().into());

        self.read_memory(
            instr.memory_segment(),
            src,
            AlignmentMode::Unaligned,
            &mut buffer,
        )
        .await?;

        self.write_memory(Register::ES, dst, AlignmentMode::Aligned(64), &buffer)
            .await?;

        Ok(())
    }
}