Package pandare

pandare (also called PyPANDA) is a Python 3 module built for interacting with the PANDA project. The module enables driving an execution of a virtual machine while also introspecting on its execution using PANDA's callback and plugin systems.

Most of the commonly used APIs are in pandare.panda.

Example plugins are available in the examples directory.

PyPANDA

PyPANDA is a python interface to PANDA. With PyPANDA, you can quickly develop plugins to analyze behavior of a running system, record a system and analyze replays, or do nearly anything you can do using PANDA's C/C++ APIs.

Installation

Follow PANDA's build instructions. The pandare/panda docker container includes the pandare package. If you setup panda with the install_ubuntu.sh script, it will install PyPANDA for you. Otherwise, when your install instructions tell you to run build.sh be sure to include the --python flag.

Example program

This program counts the number of basic blocks executed while running uname -a inside a 32-bit guest.

from pandare import Panda
panda = Panda(generic='i386') # Create an instance of panda

# Counter of the number of basic blocks
blocks = 0

# Register a callback to run before_block_exec and increment blocks
@panda.cb_before_block_exec
def before_block_execute(cpustate, transblock):
    global blocks
    blocks += 1

# This 'blocking' function is queued to run in a seperate thread from the main CPU loop
# which allows for it to wait for the guest to complete commands
@panda.queue_blocking
def run_cmd():
    # First revert to the qcow's root snapshot (synchronously)
    panda.revert_sync("root")
    # Then type a command via the serial port and print its results
    print(panda.run_serial_cmd("uname -a"))
    # When the command finishes, terminate the panda.run() call
    panda.end_analysis()

# Start the guest
panda.run()
print("Finished. Saw a total of {} basic blocks during execution".format(blocks))

Usage

Create an instance of Panda

The Panda class takes many arguments, but the only crucial argument is a specificed qcow image. If you wish to get started quickly you may use the pandare.qcows.Qcows module to automatically download a pre-configured virtual machine for you to use.

For example: panda = Panda(generic='i386')

Register a callback

@panda.cb_before_block_exec
def my_before_block_fn(cpustate, translation_block):
  pc = panda.current_pc(cpustate)
  print("About to run the block at 0x{:x}".format(pc))

The panda object contains decorators named cb_[CALLBACK_NAME] for each PANDA callback. A decorated function must take the same number of arguments and return the equivalent type as expected by the original C callback. The list of callbacks is available below. The decorated functions are called at the appropriate times, similarly to how a PANDA plugin written in C behaves.

Enable and disable callbacks

Python callbacks can be enabled and disabled using their names. By default, a callback is named after the function that is decorated. For example, the callback describe in

@panda.cb_before_block_exec
def my_before_block_fn(cpustate, translation_block):
  ...

is named my_before_block_fn and can be disabled with panda.disable_callback('my_before_block_fn') and later enabled with panda.enable_callback('my_before_block_fn').

Callbacks can be given custom names and disabled at initialization by passing arguments to their decorators:

@panda.cb_before_block_exec(name='my_callback', enabled=False)
def my_before_block_fn(cpustate, translation_block):
  ...
panda.enable_callback('my_callback')

If a callback is decorated with a procname argument, it will only be enabled when that process is running. To permanently disable such a callback, you can use panda.disable_callback('name', forever=True).

Note that if you wish to define a function multiple times (e.g., inside a loop), you'll need to give it multiple names or it will be overwritten.

for x in range(10):
  @panda.cb_before_block_exec(name=f"bbe_{x}")
  def bbe_loop(cpu, tb):
     print(f"Before block exec function #{x}")

Replaying Recordings

panda = Panda(...)
# Register functions to run on callbacks here
panda.run_replay("/file/path/here") # Runs the replay

Load and unload a C plugin

A C plugin can be loaded from pypanda easily: panda.load_plugin("stringsearch")

C plugins can be passed named arguments using a dictionary: panda.load_plugin("stringsearch", {"name": "jpeg"})

Or unnamed arguments using a list: panda.load_plugin("my_plugin", ["arg1", "arg2"])

Asynchronous Activity

When a callback is executing, the guest is suspended until the callback finishes. However, we often want to interact with guests during our analyses. In these situations, we run code asynchronously to send data into and wait for results from the guest.

PyPANDA is designed to easily support such analyses with the @panda.queue_blocking decorator.

Consider if you with to run the commands uname -a, then whoami in a guest. If your guest exposes a console over a serial port (as all the 'generic' qcows we use do), you could run these commands by simply typing them and waiting for a response. But if you were to do this in a callback, the guest would have no chance to respond to your commands and you'd end up in a deadlock where your callback code never terminates until the guest executes your command, and the guest will never execute commands until your callback terminates.

Instead, you can queue up blocking functions to run asynchronously as follows:

panda = ...

@panda.queue_blocking
def first_cmd():
    print(panda.run_serial_cmd("uname -a"))

@panda.queue_blocking
def second_cmd():
    print(panda.run_serial_cmd("whoami"))
    panda.end_analysis()

panda.run()

Note that the panda.queue_blocking decorator both marks a function as being a blocking function (which allows it to use functions such as panda.run_serial_cmd) and queues it up to run after the call to panda.run()

Recordings

See take_recording.py

A replay can be taken with the function panda.record_cmd('cmd_to_run', recording_name='replay_name') which will revert the guest to a root snapshot, type a command, begin a recording, press enter, wait for the command to finish, and then end the replay. Once a replay is created on disk, it can be analyzed by using panda.run_replay('replay_name').

Alternatively, you can begin/end the recording through the monitor with panda.run_monitor_cmd('begin_record myname') and panda.run_monitor_cmd('end_record') and drive the guest using panda.run_serial_cmd in the middle.

Typical Use Patterns

Live system

Example: asid.py.

  1. Initialize a panda object based off a generic machine or a qcow you have.
  2. Register functions to run at various PANDA callbacks.
  3. Register and queue up a blocking function to revert the guest to a snapshot, run commands with panda.run_serial_cmd(), and stop the execution with panda.end_analysis()
  4. Start the execution with panda.run()

Record/Replay

Example: tests/record_then_replay.py.

  1. Initialize a panda object based off a generic machine or a qcow you have.
  2. Register and queue up a blocking function to drive guest execution while recording or with panda.record_cmd then call panda.end_analysis()
  3. Register functions to run at various PANDA callbacks.
  4. Analyze the replay with panda.run_replay(filename)

Additional Information

Here be dragons

  • You can't have multiple instances of panda running at the same time. Once you've created a panda object for a given architecture, you can never create another. Hoewver, you can modify the machine after it's created to run a new analysis as long as you don't change the machine type.
  • PyPANDA is slower than traditional PANDA. Well-engineered plugins typically have a runtime overhead of ~10% compared to regular PANDA plugins (for up to 10M instructions). To improve performance try disabling callbacks when possible and only enabling them when they are needed.

Extending PyPANDA

PyPANDA currently supports interactions (e.g., ppp callbacks) with many PANDA plugins such as taint2 and osi. If you wish to extend PyPANDA to support an new plugin, its header file must be cleaned up such that it can be parsed by CFFI. See create_panda_datatypes.py and the magic BEGIN_PYPANDA_NEEDS_THIS strings it searches for.

Learn more

The PyPANDA paper was published at the NDSS Binary Analysis Research Workshop in 2021 and includes details on the project's design goals as well as an evaluation of it's usability and performance.

Expand source code
"""
`pandare` (also called PyPANDA) is a Python 3 module built for interacting with the PANDA project.
The module enables driving an execution of a virtual machine while also introspecting on its execution using PANDA's callback
and plugin systems.

Most of the commonly used APIs are in `pandare.panda`.

Example plugins are available in the [examples directory](https://github.com/panda-re/panda/tree/master/panda/python/examples).

.. include:: ../../docs/USAGE.md
"""

from .panda import Panda, blocking
from .pyplugin import PyPlugin

try:
    # plog_reader depends on protobuf autogenerated code
    # if protobuf is missing or the protoc that generated
    # the plog_pb2.py file is incompatible with the python
    # protobuf package, it raises errors.
    from .plog_reader import PLogReader
except ImportError:
    # plog reader isn't widely used - let's make this optional
    PLogReader = None

__all__ = ['Panda', 'PLogReader', 'Callbacks', 'PyPlugin']

__pdoc__ = {}

__pdoc__['asyncthread'] = False
__pdoc__['autogen'] = False
__pdoc__['ffi_importer'] = False
__pdoc__['plog_pb2'] = False
__pdoc__['volatility_cli_classes'] = False

# The following code is soley here to allow pdoc to document callbacks
from .autogen.panda_datatypes import get_cb_docs
class Callbacks:
    '''
    The core callbacks provided by PANDA. Note this is a fake class that only exists for
    documentation.
    Importantly: the arguments listed are the arguments **your callback function will receive** and
    the return value is what **your callback must return**.

    These decorators should be accessed through a handle to a panda object, for example:

        panda = Panda(generic='x86_64')

        @panda.cb_before_block_exec
        def my_bbe_callback(cpu, tb):
            print("Before block exec!")
        ...
    '''

    def __init__(self):
        raise RuntimeError("The callbacks class is only used for documentation. Callback " \
                           "decorators should be accessed through @panda.cb_[calback_name] " \
                           "where panda is the name of your pandare.Panda() object")

cb_docs = get_cb_docs()
for cb_name, (rv, args, docstring) in cb_docs._asdict().items():
    # Add fake functions to our callbacks class with dynamic docstrings

    if cb_name == "init":
        continue
    fakename = "@panda.cb_" + cb_name

    # Add no-op function to the class
    setattr(Callbacks, fakename, lambda Your_Function: None)

    # Build argument list and reformat for pdoc from function signature
    args = args.replace(" *", "* ") # CPUState *env -> CPUState* env
    arglist = []
    for arg in args.split(","):
        arg = arg.strip()
        if " " in arg:
            typ = arg.split(" ")[0]
            name = arg[len(typ)+1:]
            arglist.append((typ, name))
        else:
            arglist.append((arg, ""))

    # Try to build argument descriptions too from text by finding lines like "argname: something\n"
    arg_desc = {}
    rv_desc = ""
    next_rv = False

    type_signature = f"{rv} (*" # To identify when we're done with useful docs

    for line in docstring.split("\n"):
        # Get arg descriptions
        for (arg_type, arg_name) in arglist:
            if f"{arg_name}:" in line:
                arg_desc[arg_name] = line.split(f"{arg_name}:")[1].strip()

        # Get return value description
        if line.startswith("Return value:"):
            next_rv = True
        elif next_rv and ":" in line or type_signature in line:
            # End when we hit something like "Notes: " or "void (*this_callback)..."
            next_rv = False
        elif next_rv:
            rv_desc += line.strip() + " "

    argnames = "\n        ".join(f"{argtype}: {argname}: {arg_desc[argname] if argname in arg_desc else ''}" for (argtype, argname) in arglist)

    # Build docstring
    full_ds = ""

    # Now we want to add the comments from the C header, but we have to avoid
    # including "Arguments:" or pdoc will stop special-formatting our above
    # arguments we worked so hard to get.
    # For now let's just grab from [name]: up until a line ending with Arguments
    # and also Notes:

    record = False
    for line in docstring.split("\n"):
        if line.strip().replace(":", "").endswith("Arguments"):
            record = False

        if 'Notes:' in line: # Include Notes: in our ouptut
            record = True
            #full_ds += "\n\n"

        if cb_name+":" in line:
            start = line.split(cb_name+":")[1]
            if len(start):
                start+= " "
            full_ds += start
            record = True
            continue

        if type_signature in line:
            record = False

        if record:
            full_ds += line + " "

    # Now add args and retval
    full_ds += f"""
    Args:
        {argnames}

    Returns:
        {rv}: {rv_desc if len(rv_desc) else 'the type your callback must return'}

    """

    __pdoc__[f"Callbacks.{fakename}"] = full_ds

Sub-modules

pandare.arch

This module contains architecture-specific code …

pandare.cosi
pandare.extras

Extras are PyPANDA plugins which you can import into other python analyses. Typically this is done by passing a handle from your script's PANDA object …

pandare.panda

This module simply contains the Panda class.

pandare.panda_expect

Custom library for interacting/expecting data via serial-like FDs

pandare.plog_reader

Module for reading and writing PANDAlog (plog) files from Python.

pandare.pyplugin
pandare.pypluginmanager

Class to manage loading Panda PyPlugins. See docs/pyplugins.md for details.

pandare.qcows

Module to simplify PANDA command line usage. Use python3 -m pandare.qcows to fetch files necessary to run various generic VMs and generate command …

pandare.qcows_internal

Module for fetching generic PANDA images and managing their metadata.

pandare.qemu_logging
pandare.taint

Structures to support the taint subsystem.

pandare.utils

Misc helper functions

Classes

class Callbacks

The core callbacks provided by PANDA. Note this is a fake class that only exists for documentation. Importantly: the arguments listed are the arguments your callback function will receive and the return value is what your callback must return.

These decorators should be accessed through a handle to a panda object, for example:

panda = Panda(generic='x86_64')

@panda.cb_before_block_exec
def my_bbe_callback(cpu, tb):
    print("Before block exec!")
...
Expand source code
class Callbacks:
    '''
    The core callbacks provided by PANDA. Note this is a fake class that only exists for
    documentation.
    Importantly: the arguments listed are the arguments **your callback function will receive** and
    the return value is what **your callback must return**.

    These decorators should be accessed through a handle to a panda object, for example:

        panda = Panda(generic='x86_64')

        @panda.cb_before_block_exec
        def my_bbe_callback(cpu, tb):
            print("Before block exec!")
        ...
    '''

    def __init__(self):
        raise RuntimeError("The callbacks class is only used for documentation. Callback " \
                           "decorators should be accessed through @panda.cb_[calback_name] " \
                           "where panda is the name of your pandare.Panda() object")

Methods

def @panda.cb_after_block_exec(Your_Function)

Called after execution of every basic block. If exitCode > TB_EXIT_IDX1, then the block exited early.

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the TB we just executed
uint8_t
exitCode: why the block execution exited

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_block_translate(Your_Function)

Called after the translation of each basic block. Notes: This is a good place to perform extra passes over the generated code (particularly by manipulating the LLVM code). FIXME: How would this actually work? By this point the out ASM has already been generated. Modify the IR and then regenerate?

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the TB we just translated

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_cpu_exec_enter(Your_Function)

Called after cpu_exec calls cpu_exec_enter function.

Args

CPUState*
env: the current CPU state

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_insn_exec(Your_Function)

Called after execution of an instruction identified by the PANDA_CB_AFTER_INSN_TRANSLATE callback Notes: See insn_exec. Enabled via the PANDA_CB_AFTER_INSN_TRANSLATE callback.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the next guest PC already executed

Returns

int
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_insn_translate(Your_Function)

Called after the translation of each instruction. Notes: See insn_translate, callbacks are registered via PANDA_CB_AFTER_INSN_EXEC

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the next guest PC we've translated

Returns

bool
true if PANDA should insert instrumentation into the generated code, false otherwise
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_loadvm(Your_Function)

Called right after a snapshot has been loaded (either with loadvm or replay initialization), but before any guest code runs.

Args

CPUState*
env: pointer to CPUState

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_after_machine_init(Your_Function)

Called right after the machine has been initialized, but before any guest code runs. Notes: This callback allows initialization of components that need access to the RAM, CPU object, etc. E.g. for the taint2 plugin, this is the appropriate place to call taint2_enable_taint().

Args

CPUState*
env: pointer to CPUState

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_asid_changed(Your_Function)

Called when asid changes. Notes: The callback is only invoked implemented for x86 and ARM. This should break plugins which rely on it to detect context switches in any other architecture.

Args

CPUState*
env: pointer to CPUState
target_ptr_t
oldval: old asid value
target_ptr_t
newval: new asid value

Returns

bool
true if the asid should be prevented from being changed false otherwise
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_block_exec(Your_Function)

Called before execution of every basic block.

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the TB we are about to execute

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_block_exec_invalidate_opt(Your_Function)

Called before execution of every basic block, with the option to invalidate the TB.

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the TB we are about to execute

Returns

bool
true if we should invalidate the current translation block and retranslate, false otherwise.
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_block_translate(Your_Function)

Called before translation of each basic block.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC we are about to translate

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_cpu_exec_exit(Your_Function)

Called before cpu_exec calls cpu_exec_exit function.

Args

CPUState*
env: the current CPU state
bool
ranBlock: true if ran a block since previous cpu_exec_enter

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_handle_exception(Your_Function)

Called just before we are about to handle an exception. Note: only called for cpu->exception_index > 0

Args

CPUState*
cpu:
int32_t
exception_index:

Returns

int32_t
a new exception_index.
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_handle_interrupt(Your_Function)

Called just before we are about to handle an interrupt.

Args

CPUState*
cpu:
int32_t
interrupt_request:

Returns

int32_t
new interrupt_rquest
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_loadvm(Your_Function)

Called at start of replay, before loadvm is called. This allows us to hook devices' loadvm handlers. Remember to unregister the existing handler for the device first. See the example in the sample plugin.

Args

void
:

Returns

int
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_before_tcg_codegen(Your_Function)

Called before host code generation for every basic block. Enables inspection and modification of the TCG block after lifting from guest code.

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the TB about to be compiled

Returns

void
None
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_cpu_restore_state(Your_Function)

Called inside of cpu_restore_state(), when there is a CPU fault/exception.

Args

CPUState*
env: the current CPU state
TranslationBlock*
tb: the current translation block

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_during_machine_init(Your_Function)

Called in the middle of machine initialization

Args

MachineState*
machine: pointer to the machine state

Returns

void
None
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_end_block_exec(Your_Function)

This is like after_block_exec except its part of the TCG stream.

Args

CPUState*
cpu:
TranslationBlock*
tb: the TB we are executing

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_guest_hypercall(Your_Function)

Called when a program inside the guest makes a hypercall to pass information from inside the guest to a plugin Notes: On x86, this is called whenever CPUID is executed. On ARM, the MCR instructions is used. Plugins should check for magic values in the registers to determine if it really is a guest hypercall. Parameters can be passed in other registers. If the plugin processes the hypercall, it should return true so the execution of the normal instruction is skipped.

Args

CPUState*
env: the current CPU state

Returns

bool
true if the callback has processed the hypercall, false if the hypercall has been ignored.
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_hd_read(Your_Function)

Args

CPUState*
env:

Returns

void
the type your callback must return
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_hd_write(Your_Function)

Args

CPUState*
env:

Returns

void
the type your callback must return
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_insn_exec(Your_Function)

Called before execution of any instruction identified by the PANDA_CB_INSN_TRANSLATE callback. Notes: This instrumentation is implemented by generating a call to a helper function just before the instruction itself is generated. This is fairly expensive, which is why it's only enabled via the PANDA_CB_INSN_TRANSLATE callback.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC we are about to execute

Returns

int
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_insn_translate(Your_Function)

Called before the translation of each instruction. Notes: This allows a plugin writer to instrument only a small number of instructions, avoiding the performance hit of instrumenting everything. If you do want to instrument every single instruction, just return true. See the documentation for PANDA_CB_INSN_EXEC for more detail.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC we are about to translate

Returns

bool
true if PANDA should insert instrumentation into the generated code, false otherwise
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_main_loop_wait(Your_Function)

Called in IO thread in place where monitor cmds are processed

Args

void
:

Returns

void
None
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_mmio_after_read(Your_Function)

Called after MMIO memory is read.

Args

CPUState*
env: the current CPU state
target_ptr_t
physaddr: the physical address being read from
target_ptr_t
vaddr: the virtual address being read from
size_t
size: the size of the read
uint64_t*
val: the value being read

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_mmio_before_write(Your_Function)

Called after MMIO memory is written to.

Args

CPUState*
env: the current CPU state
target_ptr_t
physaddr: the physical address being written to
target_ptr_t
vaddr: the virtual address being written to
size_t
size: the size of the write
uint64_t*
val: the value being written

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_monitor(Your_Function)

Called when someone uses the plugin_cmd monitor command. Notes: The command is passed as a single string. No parsing is performed on the string before it is passed to the plugin, so each plugin must parse the string as it deems appropriate (e.g. by using strtok and getopt) to do more complex option processing. It is recommended that each plugin implementing this callback respond to the "help" message by listing the commands supported by the plugin. Note that every loaded plugin will have the opportunity to respond to each plugin_cmd; thus it is a good idea to ensure that your plugin's monitor commands are uniquely named, e.g. by using the plugin name as a prefix ("sample_do_foo" rather than "do_foo").

Args

Monitor*
mon: a pointer to the Monitor
const
char* cmd:

Returns

int
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_phys_mem_after_read(Your_Function)

Called after memory is read.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the read
target_ptr_t
addr: the (physical) address being read
size_t
size: the size of the read
uint8_t*
buf: pointer to data just read

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_phys_mem_after_write(Your_Function)

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the write
target_ptr_t
addr: the (physical) address being written
size_t
size: the size of the write
uint8_t*
buf: pointer to the data that was written

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_phys_mem_before_read(Your_Function)

Called after memory is read.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the read
target_ptr_t
addr: the (physical) address being read
size_t
size: the size of the read

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_phys_mem_before_write(Your_Function)

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the write
target_ptr_t
addr: the (physical) address being written
size_t
size: the size of the write
uint8_t*
buf: pointer to the data that is to be written

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_pre_shutdown(Your_Function)

Called just before qemu shuts down

Args

void
:

Returns

void
None
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_qmp(Your_Function)

Called when someone sends an unhandled QMP command

Args

char*
command: the command string as json
char*
args: the arguments string as json
char*
*result: pointer to a json result or NULL

Returns

bool
the type your callback must return
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_after_dma(Your_Function)

Args

CPUState*
env: pointer to CPUState
const
uint8_t* buf:
hwaddr
addr: address written to in the guest RAM
size_t
size: size of transfer
bool
is_write: indicates whether the DMA transfer writes to memory

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_before_dma(Your_Function)

In replay only. We are about to dma between qemu buffer and guest memory.

Args

CPUState*
env: pointer to CPUState
const
uint8_t* buf:
hwaddr
addr: address written to in the guest RAM
size_t
size: size of transfer
bool
is_write: indicates whether the DMA transfer writes to memory

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_handle_packet(Your_Function)

Notes: buf_addr_rec corresponds to the address of the device buffer of the emulated NIC. I.e. it is the address of a VM-host-side buffer. It is useful for implementing network tainting in an OS-agnostic way, in conjunction with taint2_label_io(). FIXME: The buf_addr_rec maps to the uint8_t *buf field of the internal RR_handle_packet_args struct. The field is dumped/loaded to/from the trace without proper serialization/deserialization. As a result, a 64bit build of PANDA will not be able to process traces produced by a 32bit of PANDA, and vice-versa. There are more internal structs that suffer from the same issue. This is an oversight that will eventually be fixed. But as the real impact is minimal (virtually nobody uses 32bit builds), the fix has a very low priority in the bugfix list.

Args

CPUState*
env: pointer to CPUState
uint8_t*
buf: buffer containing packet data
size_t
size: num bytes in buffer
uint8_t
direction: either PANDA_NET_RX or PANDA_NET_TX
uint64_t
buf_addr_rec: the address of buf at the time of recording

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_hd_transfer(Your_Function)

In replay only. Some kind of data transfer involving hard drive. Notes: Unlike most callbacks, this is neither a "before" or "after" callback. In replay the transfer doesn't really happen. We are at the point at which it happened, really.

Args

CPUState*
env: pointer to CPUState
uint32_t
type: type of transfer (Hd_transfer_type)
target_ptr_t
src_addr: address for src
target_ptr_t
dest_addr: address for dest
size_t
num_bytes: size of transfer in bytes

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_net_transfer(Your_Function)

In replay only, some kind of data transfer within the network card (currently, only the E1000 is supported). Notes: Unlike most callbacks, this is neither a "before" or "after" callback. In replay the transfer doesn't really happen. We are at the point at which it happened, really. Also, the src_addr and dest_addr may be for either host (ie. a location in the emulated network device) or guest, depending upon the type.

Args

CPUState*
env: pointer to CPUState
uint32_t
type: type of transfer (Net_transfer_type)
uint64_t
src_addr: address for src
uint64_t
dest_addr: address for dest
size_t
num_bytes: size of transfer in bytes

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_serial_read(Your_Function)

In replay only, called when a byte read from the serial RX FIFO

Args

CPUState*
env: pointer to CPUState
target_ptr_t
fifo_addr: address of the data within the fifo (source)
uint32_t
port_addr: address of the IO port where data is being read (destination)
uint8_t
value:

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_serial_receive(Your_Function)

In replay only, called when a byte is received on the serial port.

Args

CPUState*
env: pointer to CPUState
target_ptr_t
fifo_addr: address of the data within the fifo
uint8_t
value:

Returns

void
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_serial_send(Your_Function)

In replay only, called when a byte is sent on the serial port.

Args

CPUState*
env: pointer to CPUState
target_ptr_t
fifo_addr: address of the data within the fifo
uint8_t
value:

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_replay_serial_write(Your_Function)

Args

CPUState*
env: pointer to CPUState
target_ptr_t
fifo_addr: address of the data within the fifo (source)
uint32_t
port_addr: address of the IO port where data is being read (destination)
uint8_t
value:

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_start_block_exec(Your_Function)

This is like before_block_exec except its part of the TCG stream.

Args

CPUState*
cpu:
TranslationBlock*
tb: the TB we are executing

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_top_loop(Your_Function)

Called at the top of the loop that manages emulation.

Args

CPUState*
env: pointer to CPUState

Returns

void
unused
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_unassigned_io_read(Your_Function)

Called when the guest attempts to read from an unmapped peripheral via MMIO

Args

CPUState*
env:
target_ptr_t
pc: Guest program counter at time of write
hwaddr
addr: Physical address written to
size_t
size: Size of write
uint64_t*
val: Pointer to a buffer that will be passed to the guest as the result of the read

Returns

bool
True if value read was changed by a PANDA plugin and should be returned False if error-logic (invalid write) should be run
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_unassigned_io_write(Your_Function)

Called when the guest attempts to write to an unmapped peripheral via MMIO

Args

CPUState*
env:
target_ptr_t
pc: Guest program counter at time of write
hwaddr
addr: Physical address written to
size_t
size: Size of write
uint64_t
val: Data being written, up to 8 bytes

Returns

bool
True if the write should be allowed without error False if normal behavior should be used (error-logic)
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_virt_mem_after_read(Your_Function)

Called after memory is read.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the read
target_ptr_t
addr: the (virtual) address being read
size_t
size: the size of the read
uint8_t*
buf: pointer to data just read

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_virt_mem_after_write(Your_Function)

Called after memory is written.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the write
target_ptr_t
addr: the (virtual) address being written
size_t
size: the size of the write
uint8_t*
buf: pointer to the data that was written

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_virt_mem_before_read(Your_Function)

Called before memory is read.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the read
target_ptr_t
addr: the (virtual) address being read
size_t
size: the size of the read

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
def @panda.cb_virt_mem_before_write(Your_Function)

Called before memory is written.

Args

CPUState*
env: the current CPU state
target_ptr_t
pc: the guest PC doing the write
target_ptr_t
addr: the (virtual) address being written
size_t
size: the size of the write
uint8_t*
buf: pointer to the data that is to be written

Returns

void
none
Expand source code
setattr(Callbacks, fakename, lambda Your_Function: None)
class PLogReader (fn)

A class for reading PANDAlog (plog) files. Run directly with python -m pandare.plog_reader [input.plog] to translate input.plog file to json.

Or the class can be imported and used in a Python script, where it can be iterated over to get google.protobuf.message.Message objects.

with PLogReader('input.plog') as plr:
  for msg in plr:
        if msg.HasField("SomeField"):
          print(msg.SomeField)
        if msg.HasField("OtherField"):
          print(msg.otherField)
Expand source code
class PLogReader:
    '''
    A class for reading PANDAlog (plog) files. Run directly with `python -m  pandare.plog_reader [input.plog]` to translate input.plog file to json.

    Or the class can be imported and used in a Python script, where it can be iterated over to get 
    [google.protobuf.message.Message](https://googleapis.dev/python/protobuf/latest/google/protobuf/message.html#google.protobuf.message.Message) objects.

        with PLogReader('input.plog') as plr:
          for msg in plr:
                if msg.HasField("SomeField"):
                  print(msg.SomeField)
                if msg.HasField("OtherField"):
                  print(msg.otherField)

    '''
    def __init__(self, fn):
        self.f = open(fn, 'rb')
        self.version, _, self.dir_pos, _, self.chunk_gsize = struct.unpack('<IIQII', self.f.read(24))

        self.f.seek(self.dir_pos)
        self.nchunks, = struct.unpack('<I', self.f.read(4)) # number of chunks
        self.chunks = self.f.read(24*self.nchunks)          # chunks buffer
        self.chunk_idx = 0                                  # index of current chunk
        self.chunk_size = 0                                 # size of current chunk
        self.chunk_data = None                              # data of current chunk
        self.chunk_data_idx = 0

    def __iter__(self):
        return self

    def __enter__(self):
        return self

    def __exit__(self, exc_type, exc_val, exc_tb):
        self.f.close()
        self.f = self.chunk_data = None

    def __next__(self):
        # ran out of chunks
        if not self.chunk_idx < self.nchunks:
            raise StopIteration

        if self.chunk_data is None:
            # unpack ins, pos, nentries for this and the next chunk
            cur = struct.unpack_from('<QQQ', self.chunks, 24*self.chunk_idx)
            if self.chunk_idx + 1 < self.nchunks:
                nxt = struct.unpack_from('<QQQ', self.chunks, 24*(self.chunk_idx+1))
                zchunk_size = nxt[1] - cur[1]
            else:
                # setting the compressed chunk size to -1 will
                # result in reading the remaining of the file
                zchunk_size = -1

            # read and decompress chunk data
            self.f.seek(cur[1])
            self.chunk_data = zlib.decompress(self.f.read(zchunk_size), 15, self.chunk_gsize)
            self.chunk_size = len(self.chunk_data)
            self.chunk_data_idx = 0

        # parse message - we're using a fresh message
        # using MergeFromString() is slightly faster than using ParseFromString()
        msg_size, = struct.unpack_from('<I', self.chunk_data, self.chunk_data_idx)
        msg = pandare.plog_pb2.LogEntry()
        msg_start = self.chunk_data_idx + 4
        msg_end = msg_start + msg_size
        msg.MergeFromString(self.chunk_data[msg_start:msg_end])

        # update state
        self.chunk_data_idx = msg_end

        if not self.chunk_data_idx < self.chunk_size:
            self.chunk_idx += 1
            self.chunk_size = 0
            self.chunk_data = None
            self.chunk_data_idx = 0

        return msg
class Panda (arch='i386', mem='128M', expect_prompt=None, serial_kwargs=None, os_version=None, qcow=None, os='linux', generic=None, raw_monitor=False, extra_args=None, catch_exceptions=True, libpanda_path=None, biospath=None, plugin_path=None)

This is the object used to interact with PANDA. Initializing it creates a virtual machine to interact with.

Construct a new Panda object. Note that multiple Panda objects cannot coexist in the same Python instance.

Args

arch
architecture string (e.g. "i386", "x86_64", "arm", "mips", "mipsel")
generic
specify a generic qcow to use from pandare.qcows.SUPPORTED_IMAGES and set all subsequent arguments. Will automatically download qcow if necessary.
mem
size of memory for machine (e.g. "128M", "1G")
expect_prompt
Regular expression describing the prompt exposed by the guest on a serial console. Used so we know when a running command has finished with its output.
serial_kwargs
dict of additional arguments to pass to pandare.Expect (see signature of its constructor). Note that expect_prompt is already passed to Expect as "expectation". If not explicitly given, "unansi" is set to True (simulates a subset of ANSI codes and attempts to remove command strings repeated by the shell from the shell output).
os_version
analagous to PANDA's -os argument (e.g, linux-32-debian:3.2.0-4-686-pae")
os
type of OS (e.g. "linux")
qcow
path to a qcow file to load
catch_exceptions
Should we catch exceptions raised by python code and end_analysis() and then print a backtrace (Default: True)
raw_monitor
When set, don't specify a -monitor. arg Allows for use of -nographic in args with ctrl-A+C for interactive qemu prompt. Experts only!
extra_args
extra arguments to pass to PANDA as either a string or an array. (e.g. "-nographic" or ["-nographic", "-net", "none"])
libpanda_path
path to panda shared object to load
biospath
directory that contains "pc-bios" files
plugin_path
directory that contains panda plugins

Returns

Panda
the created panda object
Expand source code
class Panda():
    '''
    This is the object used to interact with PANDA. Initializing it creates a virtual machine to interact with.
    '''

    def __init__(self, arch="i386", mem="128M",
            expect_prompt=None, # Regular expression describing the prompt exposed by the guest on a serial console. Used so we know when a running command has finished with its output
            serial_kwargs=None,
            os_version=None,
            qcow=None, # Qcow file to load
            os="linux",
            generic=None, # Helper: specify a generic qcow to use and set other arguments. Supported values: arm/ppc/x86_64/i386. Will download qcow automatically
            raw_monitor=False, # When set, don't specify a -monitor. arg Allows for use of -nographic in args with ctrl-A+C for interactive qemu prompt.
            extra_args=None,
            catch_exceptions=True, # Should we catch and end_analysis() when python code raises an exception?
            libpanda_path=None,
            biospath=None,
            plugin_path=None):
        '''
        Construct a new `Panda` object.  Note that multiple Panda objects cannot coexist in the same Python instance.
        Args:
            arch: architecture string (e.g. "i386", "x86_64", "arm", "mips", "mipsel")
            generic: specify a generic qcow to use from `pandare.qcows.SUPPORTED_IMAGES` and set all subsequent arguments. Will automatically download qcow if necessary.
            mem: size of memory for machine (e.g. "128M", "1G")
            expect_prompt: Regular expression describing the prompt exposed by the guest
                    on a serial console. Used so we know when a running command has finished
                    with its output.
            serial_kwargs: dict of additional arguments to pass to pandare.Expect (see signature of its constructor).
                    Note that `expect_prompt` is already passed to Expect as "expectation".
                    If not explicitly given, "unansi" is set to True (simulates a subset of ANSI codes and attempts to
                    remove command strings repeated by the shell from the shell output).
            os_version: analagous to PANDA's -os argument (e.g, linux-32-debian:3.2.0-4-686-pae")
            os: type of OS (e.g. "linux")
            qcow: path to a qcow file to load
            catch_exceptions: Should we catch exceptions raised by python code and end_analysis() and then print a backtrace (Default: True)
            raw_monitor: When set, don't specify a -monitor. arg Allows for use of
                    -nographic in args with ctrl-A+C for interactive qemu prompt. Experts only!
            extra_args: extra arguments to pass to PANDA as either a string or an
                    array. (e.g. "-nographic" or ["-nographic", "-net", "none"])
            libpanda_path: path to panda shared object to load
            biospath: directory that contains "pc-bios" files
            plugin_path: directory that contains panda plugins
        Returns:
            Panda: the created panda object
        '''
        self.arch_name = arch
        self.mem = mem
        self.os = os_version
        self.os_type = os
        self.qcow = qcow
        self.plugins = plugin_list(self)
        self.expect_prompt = expect_prompt
        self.lambda_cnt = 0
        self.__sighandler = None
        self.ending = False # True during end_analysis
        self.cdrom = None
        self.catch_exceptions=catch_exceptions
        self.qlog = QEMU_Log_Manager(self)
        self.build_dir = None
        self.plugin_path = plugin_path

        self.serial_unconsumed_data = b''

        if isinstance(extra_args, str): # Extra args can be a string or array. Use shlex to preserve quoted substrings
            extra_args = shlex_split(extra_args)
        elif extra_args is None:
            extra_args = []

        # If specified, use a generic (x86_64, i386, arm, etc) qcow from MIT and ignore
        if generic:                                 # other args. See details in qcows.py
            print("using generic " +str(generic))
            q = Qcows.get_qcow_info(generic)
            self.arch_name     = q.arch
            self.os       = q.os
            self.mem      = q.default_mem # Might clobber a specified argument, but required if you want snapshots
            self.qcow     = Qcows.get_qcow(generic)
            self.expect_prompt = q.prompt
            self.cdrom    = q.cdrom
            if q.extra_args:
                extra_args.extend(shlex_split(q.extra_args))

        if self.qcow: # Otherwise we shuld be able to do a replay with no qcow but this is probably broken
            if not (exists(self.qcow)):
                print("Missing qcow '{}' Please go create that qcow and give it to the PANDA maintainers".format(self.qcow))

        # panda.arch is a subclass with architecture-specific functions

        self.arch = None # Keep this with the following docstring such that pydoc generats good docs for it; this is a useful variable!
        """
        A reference to an auto-instantiated `pandare.arch.PandaArch` subclass (e.g., `pandare.arch.X86Arch`)
        """

        if self.arch_name == "i386":
            self.arch = X86Arch(self)
        elif self.arch_name == "x86_64":
            self.arch = X86_64Arch(self)
        elif self.arch_name in ["arm"]:
            self.arch = ArmArch(self)
        elif self.arch_name in ["aarch64"]:
            self.arch = Aarch64Arch(self)
        elif self.arch_name in ["mips", "mipsel"]:
            self.arch = MipsArch(self)
        elif self.arch_name in ["mips64"]:
            self.arch = Mips64Arch(self)
        else:
            raise ValueError(f"Unsupported architecture {self.arch_name}")
        self.bits, self.endianness, self.register_size = self.arch._determine_bits()

        if libpanda_path:
            environ["PANDA_LIB"] = self.libpanda_path = libpanda_path
        else:
            build_dir = self.get_build_dir()
            lib_paths = ["libpanda-{0}.so".format(self.arch_name), "{0}-softmmu/libpanda-{0}.so".format(self.arch_name)]
            # Select the first path that exists - we'll have libpanda-{arch}.so for a system install versus arch-softmmu/libpanda-arch.so for a build
            for p in lib_paths:
                if isfile(pjoin(build_dir, p)):
                    self.libpanda_path = pjoin(build_dir, p)
                    break
            else:
                raise RuntimeError("Couldn't find libpanda-{0}.so in {1} (in either root or {0}-libpanda directory)".format(self.arch_name, build_dir))

        self.panda = self.libpanda_path # Necessary for realpath to work inside core-panda, may cause issues?

        self.ffi = self._do_types_import()

        self.libpanda = self.ffi.dlopen(self.libpanda_path)
        self.C = self.ffi.dlopen(None)

        # set OS name if we have one
        if self.os:
            self.set_os_name(self.os)

        # Setup argv for panda
        self.panda_args = [self.panda]

        if biospath is None:
            biospath = realpath(pjoin(self.get_build_dir(), "pc-bios")) # XXX: necessary for network drivers for arm/mips, so 'pc-bios' is a misleading name
        self.panda_args.append("-L")
        self.panda_args.append(biospath)

        if self.qcow:
            if self.arch_name == 'mips64':
                # XXX: mips64 needs virtio interface for the qcow
                self.panda_args.extend(["-drive", f"file={self.qcow},if=virtio"])
            else:
                self.panda_args.append(self.qcow)

        self.panda_args += extra_args

        # Configure memory options
        self.panda_args.extend(['-m', self.mem])

        # Configure serial - if we have an expect_prompt set. Otherwise how can we know what guest cmds are outputting?
        if self.expect_prompt or (serial_kwargs is not None and serial_kwargs.get('expectation')):
            self.serial_file = NamedTemporaryFile(prefix="pypanda_s").name
            self.serial_socket = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
            expect_kwargs = {'expectation': self.expect_prompt, 'consume_first': False, 'unansi': True}
            if serial_kwargs:
                expect_kwargs.update(serial_kwargs)
            self.serial_console = Expect('serial', **expect_kwargs)
            self.panda_args.extend(['-serial', 'unix:{},server,nowait'.format(self.serial_file)])
        else:
            self.serial_file = None
            self.serial_socket = None
            self.serial_console = None

        # Configure monitor - Always enabled for now
        self.monitor_file = NamedTemporaryFile(prefix="pypanda_m").name
        self.monitor_socket = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)
        self.raw_monitor = raw_monitor
        if not self.raw_monitor:
            # XXX don't forget to escape expectation regex parens!
            self.monitor_console = Expect('monitor', expectation=rb"\(qemu\) ", consume_first=True)
            self.panda_args.extend(['-monitor', 'unix:{},server,nowait'.format(self.monitor_file)])

        self.running = threading.Event()
        self.started = threading.Event()
        self.initializing = threading.Event()
        self.athread = AsyncThread(self.started) # athread manages actions that need to occur outside qemu's CPU loop

        # Callbacks
        self.register_cb_decorators()
        self.plugin_register_count = 0
        self.registered_callbacks = {} # name -> {procname: "bash", enabled: False, callback: None}

        # Register asid_changed CB if and only if a callback requires procname
        self._registered_asid_changed_internal_cb = False
        self._registered_mmap_cb = False

        self._initialized_panda = False
        self.disabled_tb_chaining = False
        self.named_hooks = {}
        self.hook_list = []
        self.hook_list2 = {}
        self.mem_hooks = {}
        self.sr_hooks = []

        # Asid stuff
        self.current_asid_name = None
        self.asid_mapping = {}

        # Shutdown stuff
        self.exception = None # When set to an exn, we'll raise and exit
        self._in_replay = False

        # cosi
        self.cosi = Cosi(self)

        # main_loop_wait functions and callbacks
        self.main_loop_wait_fnargs = [] # [(fn, args), ...]
        progress ("Panda args: [" + (" ".join(self.panda_args)) + "]")
    # /__init__

    def get_plugin_path(self):
        if self.plugin_path is None:
            build_dir = self.get_build_dir()
            rel_dir = pjoin(*[build_dir, self.arch_name+"-softmmu", "panda", "plugins"])

            if build_dir == "/usr/local/bin/":
                # Installed - use /usr/local/lib/panda/plugins
                self.plugin_path = f"/usr/local/lib/panda/{self.arch_name}"
            elif isdir(rel_dir):
                self.plugin_path = rel_dir
            else:
                raise ValueError(f"Could not find plugin path. Build dir={build_dir}")
        return self.plugin_path

    def get_build_dir(self):
        if self.build_dir is None:
            self.build_dir  = find_build_dir(self.arch_name)
            environ["PANDA_DIR"] = self.build_dir
        return self.build_dir

    def _do_types_import(self):
        '''
        Import objects from panda_datatypes which are configured by the environment variables(?)
        Check the DATATTYPES_VERSION to detect if panda_datatypes.py has gotten stale.

        Store these objects in self.callback and self.callback_dictionary

        Returns a handle to the FFI object for the libpanda object
        '''

        required_datatypes_version = 1.1
        version_err = "Your panda_datatypes.py is out of date (has version {} but PANDA " \
                      "requires version {}). Please reinstall pypanda or re-run "\
                      "create_panda_datatypes.py."
        try:
            from .autogen.panda_datatypes import DATATYPES_VERSION
        except ImportError:
            raise RuntimeError(version_err.format(None, required_datatypes_version))

        if required_datatypes_version != DATATYPES_VERSION:
            raise RuntimeError(version_err.format(DATATYPES_VERSION, required_datatypes_version))


        from importlib import import_module
        from .autogen.panda_datatypes import get_cbs
        panda_arch_support = import_module(f".autogen.panda_{self.arch_name}_{self.bits}",package='pandare')

        ffi = panda_arch_support.ffi
        self.callback, self.callback_dictionary = get_cbs(ffi)

        return ffi

    def _initialize_panda(self):
        '''
        After initializing the class, the user has a chance to do something
        (TODO: what? register callbacks? It's something important...) before we finish initializing
        '''
        self.libpanda._panda_set_library_mode(True)

        cenvp = self.ffi.new("char**", self.ffi.new("char[]", b""))
        len_cargs = self.ffi.cast("int", len(self.panda_args))
        panda_args_ffi = [self.ffi.new("char[]", bytes(str(i),"utf-8")) for i in self.panda_args]
        self.libpanda.panda_init(len_cargs, panda_args_ffi, cenvp)

        # Now we've run qemu init so we can connect to the sockets for the monitor and serial
        if self.serial_console and not self.serial_console.is_connected():
            self.serial_socket.connect(self.serial_file)
            self.serial_socket.settimeout(None)
            self.serial_console.connect(self.serial_socket)
        if not self.raw_monitor and not self.monitor_console.is_connected():
            self.monitor_socket.connect(self.monitor_file)
            self.monitor_console.connect(self.monitor_socket)

        # Register __main_loop_wait_callback
        self.register_callback(self.callback.main_loop_wait,
                self.callback.main_loop_wait(self.__main_loop_wait_cb), '__main_loop_wait')

        self._initialized_panda = True

    def __main_loop_wait_cb(self):
        '''
        __main_loop_wait_cb is called at the start of the main cpu loop in qemu.
        This is a fairly safe place to call into qemu internals but watch out for deadlocks caused
        by your request blocking on the guest's execution. Here any functions in main_loop_wait_fnargs will be called
        '''
        try:
            # Then run any and all requested commands
            if len(self.main_loop_wait_fnargs) == 0: return
            #progress("Entering main_loop_wait_cb")
            for fnargs in self.main_loop_wait_fnargs:
                (fn, args) = fnargs
                ret = fn(*args)
            self.main_loop_wait_fnargs = []
        except KeyboardInterrupt:
            self.end_analysis()

    def queue_main_loop_wait_fn(self, fn, args=[]):
        '''
        Queue a function to run at the next main loop
        fn is a function we want to run, args are arguments to apss to it
        '''
        self.main_loop_wait_fnargs.append((fn, args))

    def exit_cpu_loop(self):
        '''
        Stop cpu execution at nearest juncture.
        '''
        self.libpanda.panda_exit_loop = True

    def revert_async(self, snapshot_name): # In the next main loop, revert
        '''
        Request a snapshot revert, eventually. This is fairly dangerous
        because you don't know when it finishes. You should be using revert_sync
        from a blocking function instead
        '''
        if not hasattr(self, 'warned_async'):
            self.warned_async = True
            print("WARNING: panda.revert_async may be deprecated in the near future")
        if debug:
            progress ("Loading snapshot " + snapshot_name)

        # Stop guest, queue up revert, then continue
        timer_start = time()
        self.vm_stop()
        charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
        self.queue_main_loop_wait_fn(self.libpanda.panda_revert, [charptr])
        self.queue_main_loop_wait_fn(self.libpanda.panda_cont)
        if debug:
            self.queue_main_loop_wait_fn(self._finish_timer, [timer_start, "Loaded snapshot"])

    def reset(self):
        """In the next main loop, reset to boot"""
        if debug:
            progress ("Resetting machine to start state")

        # Stop guest, queue up revert, then continue
        self.vm_stop()
        self.queue_main_loop_wait_fn(self.libpanda.panda_reset)
        self.queue_main_loop_wait_fn(self.libpanda.panda_cont)

    def cont(self):
        ''' Continue execution (run after vm_stop) '''
        self.libpanda.panda_cont()
        self.running.set()

    def vm_stop(self, code=4):
        ''' Stop execution, default code means RUN_STATE_PAUSED '''
        self.libpanda.panda_stop(code)

    def snap(self, snapshot_name):
        '''
        Create snapshot with specified name

        Args:
            snapshot_name (str): name of the snapshot

        Returns:
            None
        '''
        if debug:
            progress ("Creating snapshot " + snapshot_name)

        # Stop guest execution, queue up a snapshot, then continue
        timer_start = time()
        self.vm_stop()
        charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
        self.queue_main_loop_wait_fn(self.libpanda.panda_snap, [charptr])
        self.queue_main_loop_wait_fn(self.libpanda.panda_cont)
        if debug:
            self.queue_main_loop_wait_fn(self._finish_timer, [timer_start, "Saved snapshot"])

    def delvm(self, snapshot_name):
        '''
        Delete snapshot with specified name
        Args:
            snapshot_name (str): name of the snapshot

        Returns:
            None
        '''

        if debug:
            progress ("Deleting snapshot " + snapshot_name)

        # Stop guest, queue up delete, then continue
        self.vm_stop()
        charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
        self.queue_main_loop_wait_fn(self.libpanda.panda_delvm, [charptr])

    def _finish_timer(self, start, msg):
        ''' Print how long some (main_loop_wait) task took '''
        t = time() - start
        print("{} in {:.08f} seconds".format(msg, t))


    def enable_tb_chaining(self):
        '''
        This function enables translation block chaining in QEMU
        '''
        if debug:
            progress("Enabling TB chaining")
        self.disabled_tb_chaining = False
        self.libpanda.panda_enable_tb_chaining()

    def disable_tb_chaining(self):
        '''
        This function disables translation block chaining in QEMU
        '''
        if not self.disabled_tb_chaining:
            if debug:
                progress("Disabling TB chaining")
            self.disabled_tb_chaining = True
            self.libpanda.panda_disable_tb_chaining()

    def _setup_internal_signal_handler(self, signal_handler=None):
        def SigHandler(SIG,a,b):
            from signal import SIGINT, SIGHUP, SIGTERM
            if SIG == SIGINT:
                self.exit_exception = KeyboardInterrupt
                self.end_analysis()
            elif SIG == SIGHUP:
                self.exit_exception = KeyboardInterrupt
                self.end_analysis()
            elif SIG == SIGTERM:
                self.exit_exception = KeyboardInterrupt
                self.end_analysis()
            else:
                print(f"PyPanda Signal handler received unhandled signal {SIG}")


        if signal_handler is not None:
            # store custom signal handler if requested1
            self.__sighandler = signal_handler

        if self._initialized_panda:
            # initialize and register signal handler only if panda is initialized
            self.__sighandler = (self.ffi.callback("void(int,void*,void*)", SigHandler)
                       if signal_handler is None and self.__sighandler is None
                       else self.ffi.callback("void(int,void*,void*)", self.__sighandler))

            self.libpanda.panda_setup_signal_handling(self.__sighandler)


    def run(self):
        '''
        This function starts our running PANDA instance from Python. At termination this function returns and the script continues to run after it.

        This function starts execution of the guest. It blocks until guest finishes.
        It also initializes panda object, clears main_loop_wait fns, and sets up internal callbacks.

        Args:
            None

        Returns:
            None: When emulation has finished due to guest termination, replay conclusion or a call to `Panda.end_analysis`
        '''

        if len(self.main_loop_wait_fnargs):
            if debug:
                print("Clearing prior main_loop_wait fns:", self.main_loop_wait_fnargs)
            self.main_loop_wait_fnargs = [] # [(fn, args), ...]

        self.ending = False

        if debug:
            progress ("Running")

        self.initializing.set()
        if not self._initialized_panda:
            self._initialize_panda()
        self.initializing.clear()

        if not self.started.is_set():
            self.started.set()

        self.athread.ending = False

        # Ensure our internal CBs are always enabled
        self.enable_internal_callbacks()
        self._setup_internal_signal_handler()
        self.running.set()
        self.libpanda.panda_run() # Give control to panda
        self.running.clear() # Back from panda's execution (due to shutdown or monitor quit)
        self.unload_plugins() # Unload pyplugins and C plugins
        self.delete_callbacks() # Unload any registered callbacks
        self.plugins = plugin_list(self)
        # Write PANDALOG, if any
        #self.libpanda.panda_cleanup_record()
        if self._in_replay:
            self.reset()
        if hasattr(self, "exit_exception"):
            saved_exception = self.exit_exception
            del self.exit_exception
            raise saved_exception


    def end_analysis(self):
        '''
        Stop running machine.

        Call from any thread to unload all plugins and stop all queued functions.
        If called from async thread or a callback, it will also unblock panda.run()

        Note here we use the async class's internal thread to process these
        without needing to wait for tasks in the main async thread
        '''
        self.athread.ending = True
        self.ending = True
        self.unload_plugins()
        if self.running.is_set() or self.initializing.is_set():

            # If we were running, stop the execution and check if we crashed
            self.queue_async(self.stop_run, internal=True)

    def record(self, recording_name, snapshot_name=None):
        """Begins active recording with name provided.

        Args:
            recording_name (string): name of recording to save.
            snapshot_name (string, optional): Before recording starts restore to this snapshot name. Defaults to None.

        Raises:
            Exception: raises exception if there was an error starting recording.
        """
        if snapshot_name == None:
            snapshot_name_ffi = self.ffi.NULL
        else:
            snapshot_name_ffi = self.ffi.new("char[]",snapshot_name.encode())
        recording_name_ffi = self.ffi.new("char[]", recording_name.encode())
        result = self.libpanda.panda_record_begin(recording_name_ffi,snapshot_name_ffi)
        res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
        if res_string_enum != "RRCTRL_OK":
           raise Exception(f"record method failed with RTCTL_ret {res_string_enum} ({result})")

    def end_record(self):
        """Stop active recording.

        Raises:
            Exception: raises exception if there was an error stopping recording.
        """
        result = self.libpanda.panda_record_end()
        res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
        if res_string_enum != "RRCTRL_OK":
           raise Exception(f"record method failed with RTCTL_ret {res_string_enum} ({result})")

    def recording_exists(self, name):
        '''
        Checks if a recording file exists on disk.

        Args:
            name (str): name of the recording to check for (e.g., `foo` which uses `foo-rr-snp` and `foo-rr-nondet.log`)
        
        Returns:
            boolean: true if file exists, false otherwise
        '''
        if exists(name + "-rr-snp") or rr2_contains_member(name, "snapshot"):
            return True

    def run_replay(self, replaypfx):
        '''
        Load a replay and run it. Starts PANDA execution and returns after end of VM execution.

        Args:
            replaypfx (str): Replay name/path (e.g., "foo" or "./dir/foo")

        Returns:
            None
        '''
        if (not isfile(replaypfx+"-rr-snp") or not isfile(replaypfx+"-rr-nondet.log")) and not rr2_recording(replaypfx):
            raise ValueError("Replay files not present to run replay of {}".format(replaypfx))

        self.ending = False

        if debug:
            progress ("Replaying %s" % replaypfx)

        charptr = self.ffi.new("char[]",bytes(replaypfx,"utf-8"))
        self.libpanda.panda_replay_begin(charptr)
        self._in_replay = True
        self.run()
        self._in_replay = False


    def end_replay(self):
        '''
        Terminates a currently running replay

            Returns:
                None

            Raises:
                Exception: raises exception if no replay is active or termination failed.
        '''

        if self._in_replay is False:
            raise Exception("Tried to terminate replay while not in replay mode!")

        result = self.libpanda.panda_replay_end()

        res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
        if res_string_enum != "RRCTRL_OK":
           raise Exception(f"ending record method failed with RTCTL_ret {res_string_enum} ({result})")


    def require(self, name):
        '''
        Load a C plugin with no arguments. Deprecated. Use load_plugin
        '''
        self.load_plugin(name, args={})
    
    def _plugin_loaded(self, name):
        name_c = self.ffi.new("char[]", bytes(name, "utf-8"))
        return self.libpanda.panda_get_plugin_by_name(name_c) != self.ffi.NULL

    def load_plugin(self, name, args={}):
        '''
        Load a C plugin, optionally with arguments

        Args:
            name (str): Name of plugin
            args (dict): Arguments matching key to value. e.g. {"key": "value"} sets option `key` to `value`.

        Returns:
            None.
        '''
        if debug:
            progress ("Loading plugin %s" % name),

        argstrs_ffi = []
        if isinstance(args, dict):
            for k,v in args.items():
                this_arg_s = "{}={}".format(k,v)
                this_arg = self.ffi.new("char[]", bytes(this_arg_s, "utf-8"))
                argstrs_ffi.append(this_arg)

            n = len(args.keys())
        elif isinstance(args, list):
            for arg in args:
                this_arg = self.ffi.new("char[]", bytes(arg, "utf-8"))
                argstrs_ffi.append(this_arg)
            n = len(args)

        else:
            raise ValueError("Arguments to load plugin must be a list or dict of key/value pairs")

        # First set qemu_path so plugins can load (may be unnecessary after the first time)
        assert(self.panda), "Unknown location of PANDA"
        panda_name_ffi = self.ffi.new("char[]", bytes(self.panda,"utf-8"))
        self.libpanda.panda_set_qemu_path(panda_name_ffi)

        if len(argstrs_ffi):
            plugin_args = argstrs_ffi
        else:
            plugin_args = self.ffi.NULL

        charptr = self.ffi.new("char[]", bytes(name,"utf-8"))
        self.libpanda.panda_require_from_library(charptr, plugin_args, len(argstrs_ffi))
        self._load_plugin_library(name)

    def _procname_changed(self, cpu, name):
        for cb_name, cb in self.registered_callbacks.items():
            if not cb["procname"]:
                continue
            if name == cb["procname"] and not cb['enabled']:
                self.enable_callback(cb_name)
            if name != cb["procname"] and cb['enabled']:
                self.disable_callback(cb_name)

    def unload_plugin(self, name):
        '''
        Unload plugin with given name.

        Args:
            name (str): Name of plug

        Returns:
            None
        '''
        if debug:
            progress ("Unloading plugin %s" % name),
        name_ffi = self.ffi.new("char[]", bytes(name,"utf-8"))
        self.libpanda.panda_unload_plugin_by_name(name_ffi)

    def _unload_pyplugins(self):
        # First unload python plugins, should be safe to do anytime
        while len(list(self.registered_callbacks)) > 0:
            try:
                self.delete_callback(list(self.registered_callbacks.keys())[0])
            except IndexError:
                continue
            #self.disable_callback(name)

        # Next, unload any pyplugins
        if hasattr(self, "_pyplugin_manager"):
            self.pyplugins.unload_all()

    def unload_plugins(self):
        '''
        Disable all python plugins and request to unload all c plugins
        at the next main_loop_wait.

        XXX: If called during shutdown/exit, c plugins won't be unloaded
        because the next main_loop_wait will never happen. Instead, call
        panda.panda_finish directly (which is done at the end of panda.run())
        '''
        if debug:
            progress ("Disabling all python plugins, unloading all C plugins")

        # In next main loop wait, unload all python plugin
        self.queue_main_loop_wait_fn(self._unload_pyplugins)

        # Then unload C plugins. May be unsafe to do except from the top of the main loop (taint segfaults otherwise)
        self.queue_main_loop_wait_fn(self.libpanda.panda_unload_plugins)

    def memsavep(self, file_out):
        '''
        Calls QEMU memsavep on your specified python file.
        '''
        # this part was largely copied from https://cffi.readthedocs.io/en/latest/ref.html#support-for-file

        file_out.flush()                 # make sure the file is flushed
        newfd = dup(file_out.fileno())   # make a copy of the file descriptor
        fileptr = self.C.fdopen(newfd, b"w")
        self.libpanda.panda_memsavep(fileptr)
        self.C.fclose(fileptr)

    def physical_memory_read(self, addr, length, fmt='bytearray'):
        '''
        Read guest physical memory. In the specified format. Note that the `ptrlist` format
        returns a list of integers, each of the specified architecture's pointer size.

        Args:
            addr (int): Address
            length (int): length of array you would like returned
            fmt (str): format for returned array. Options: 'bytearray', 'int', 'str', 'ptrlist'

        Returns:
            Union[bytearray, int, str, list[int]]: memory data

        Raises:
            ValueError if memory access fails or fmt is unsupported
        '''
        return self._memory_read(None, addr, length, physical=True, fmt=fmt)

    def virtual_memory_read(self, cpu, addr, length, fmt='bytearray'):
        '''
        Read guest virtual memory.

        Args:
            cpu (CPUState): CPUState structure
            addr (int): Address
            length (int): length of data you would like returned
            fmt: format for returned array. See `physical_memory_read`.

        Returns:
            Union[bytearray, int, str, list[int]]: memory data

        Raises:
            ValueError if memory access fails or fmt is unsupported
        '''

        return self._memory_read(cpu, addr, length, physical=False, fmt=fmt)

    def _memory_read(self, env, addr, length, physical=False, fmt='bytearray'):
        '''
        Read but with an autogen'd buffer
        Supports physical or virtual addresses
        Raises ValueError if read fails
        '''
        if not isinstance(addr, int):
            raise ValueError(f"Unsupported read from address {repr(addr)}")

        buf = self.ffi.new("char[]", length)

        # Force CFFI to parse addr as an unsigned value. Otherwise we get OverflowErrors
        # when it decides that it's negative
        ptr_typ = f'uint{self.bits}_t'
        addr_u = int(self.ffi.cast(ptr_typ, addr))

        buf_a = self.ffi.cast("char*", buf)
        length_a = self.ffi.cast("int", length)
        if physical:
            err = self.libpanda.panda_physical_memory_read_external(addr_u, buf_a, length_a)
        else:
            if "osi_linux" in self.plugins.keys() or self._plugin_loaded("osi_linux"):
                err = self.plugins["osi_linux"].osi_linux_virtual_memory_read(env, addr_u, buf_a, length_a)
            else:
                err = self.libpanda.panda_virtual_memory_read_external(env, addr_u, buf_a, length_a)

        if err < 0:
            # TODO: We should support a custom error class instead of a generic ValueError
            raise ValueError(f"Failed to read guest memory at {addr:x} got err={err}")

        r = self.ffi.unpack(buf, length)
        if fmt == 'bytearray':
            return r
        elif fmt=='int':
            return int.from_bytes(r, byteorder=self.endianness)  # XXX size better be small enough to pack into an int!
        elif fmt=='str':
            return self.ffi.string(buf, length)
        elif fmt=='ptrlist':
            # This one is weird. Chunk the memory into byte-sequences of (self.bits/8) bytes and flip endianness as approperiate
            # return a list
            bytelen = int(self.bits/8)
            if (length % bytelen != 0):
                raise ValueError(f"Memory of size {length} does not evenly divide into {bytelen} byte chunks")
            chunks = []
            for start in range(0, length, bytelen):
                data = r[start:start+bytelen]
                int_data = int.from_bytes(data, byteorder=self.endianness)
                chunks.append(int_data)
            return chunks

        else:
            raise ValueError("fmt={} unsupported".format(fmt))

    def physical_memory_write(self, addr, buf):
        '''
        Write guest physical memory.

        Args:
            addr (int): Address
            buf (bytestring):  byte string to write into memory

        Returns:
            None

        Raises:
            ValueError if the call to panda.physical_memory_write fails (e.g., if you pass a pointer to an invalid memory region)
        '''
        self._memory_write(None, addr, buf, physical=True)

    def virtual_memory_write(self, cpu, addr, buf):
        '''
        Write guest virtual memory.

        Args:
            cpu (CPUState): CPUState structure
            address (int): Address
            buf (bytestr): byte string to write into memory

        Returns:
            None

        Raises:
            ValueError if the call to panda.virtual_memory_write fails (e.g., if you pass a pointer to an unmapped page)
        '''
        self._memory_write(cpu, addr, buf, physical=False)

    def _memory_write(self, cpu, addr, buf, physical=False):
        '''
        Write a bytearray into memory at the specified physical/virtual address
        '''
        length = len(buf)
        c_buf = self.ffi.new("char[]",buf)
        buf_a = self.ffi.cast("char*", c_buf)
        length_a = self.ffi.cast("int", length)

        if not hasattr(self, "_memcb"): # XXX: Why do we enable memcbs for memory writes?
            self.enable_memcb()

        if physical:
            err = self.libpanda.panda_physical_memory_write_external(addr, buf_a, length_a)
        else:
            err = self.libpanda.panda_virtual_memory_write_external(cpu, addr, buf_a, length_a)

        if err < 0:
            raise ValueError(f"Memory write failed with err={err}") # TODO: make a PANDA Exn class

    def callstack_callers(self, lim, cpu): # XXX move into new directory, 'callstack' ?
        '''
        Helper function for callstack_instr plugin
        Handle conversion and return get_callers from callstack_instr.
        '''
        if not "callstack_instr" in self.plugins:
            progress("enabling callstack_instr plugin")
            self.load_plugin("callstack_instr")

        callers = self.ffi.new("uint%d_t[%d]" % (self.bits, lim))
        n = self.plugins['callstack_instr'].get_callers(callers, lim, cpu)
        c = []
        for pc in callers:
            c.append(pc)
        return c

    def _load_plugin_library(self, name):
        if hasattr(self,"__did_load_libpanda"):
            libpanda_path_chr = self.ffi.new("char[]",bytes(self.libpanda_path, "UTF-8"))
            self.__did_load_libpanda = self.libpanda.panda_load_libpanda(libpanda_path_chr)
        if not name in self.plugins.keys():
            plugin = pjoin(*[self.get_plugin_path(), f"panda_{name}.so"])
            assert(isfile(plugin))
            self.plugins[name] = self.ffi.dlopen(plugin)

    def queue_async(self, f, internal=False):
        '''
        Explicitly queue work in the asynchronous work queue.

        Args:
            f: A python function with no arguments to be called at a later time. The function should
            be decorated with `@pandare.blocking`. You generally want to use `panda.queue_blocking` over this function.

        Returns:
            None
        '''

        # this takes the blocking function and handles errors
        @blocking
        def wrapper():
            try:
                f()
            except Exception as e:
                if self.catch_exceptions:
                    self.exit_exception = e
                    self.end_analysis()
                else:
                    raise e

        # Keep the original function name instead of replacing it with 'wrapper'
        wrapper.__name__ = f.__name__
        self.athread.queue(wrapper, internal=internal)

    def map_memory(self, name, size, address):

        '''
        Make a new memory region.

        Args:
            name (str): This is an internal reference name for this region. Must be unique.
            size (int): number of bytes the region should be.
            address (int): start address of region

        Returns:
            None
        '''

        name_c = self.ffi.new("char[]", bytes(name, "utf-8"))
        size = ceil(size/1024)*1024 # Must be page-aligned
        return self.libpanda.map_memory(name_c, size, address)

    def read_str(self, cpu, ptr, max_length=None):
        '''
        Helper to read a null-terminated string from guest memory given a pointer and CPU state
        May return an exception if the call to panda.virtual_memory_read fails (e.g., if you pass a
        pointer to an unmapped page)

        Args:
            cpu (CPUState): CPUState structure
            ptr (int): Pointer to start of string
            max_length (int): Optional length to stop reading at

        Returns:
            string: Data read from memory

        '''
        r = b""
        idx = 0
        while (max_length is None or idx < max_length):
            next_char = self.virtual_memory_read(cpu, ptr, 1) # If this raises an exn, don't mask it
            if next_char == b"\x00":
                break
            r += next_char
            ptr += 1
            idx += 1
        return r.decode("utf8", "ignore")

    def to_unsigned_guest(self, x):
        '''
        Convert a singed python int to an unsigned int32/unsigned int64
        depending on guest bit-size

        Args:
            x (int): Python integer

        Returns:
            int: Python integer representing x as an unsigned value in the guest's pointer-size.
        '''
        import ctypes
        if self.bits == 32:
            return ctypes.c_uint32(x).value
        elif self.bits == 64:
            return ctypes.c_uint64(x).value
        else:
            raise ValueError("Unsupported number of bits")

    def from_unsigned_guest(self, x):
        '''
        Convert an unsigned int32/unsigned int64 from the guest
        (depending on guest bit-size) to a (signed) python int

        Args:
            x (int): Python integer representing an unsigned value in the guest's pointer-size

        Returns:
            int: Python integer representing x as a signed value
        '''
        if x >= 2**(self.bits-1): # If highest bit is set, it's negative
            return (x - 2**self.bits)
        else: # Else it's positive
            return x

    def queue_blocking(self, func, queue=True):
        """
        Decorator to mark a function as `blocking`, and (by default) queue it to run asynchronously.
        This should be used to mark functions that will drive guest execution. Functions will be run
        in the order they are defined. For more precise control, use `panda.queue_async`.


        ```
        @panda.queue_blocking
        def do_something():
            panda.revert_sync('root')
            print(panda.run_serial_cmd('whoami'))
            panda.end_analysis()
        ```

        is equivalent to

        ```
        @blocking
        def run_whoami():
            panda.revert_sync('root')
            print(panda.run_serial_cmd('whoami'))
            panda.end_analysis()

        panda.queue_async(run_whoami)
        ```

        Args:
            func (function): Function to queue
            queue (bool): Should function automatically be queued

        Returns:
            None

        """
        f = blocking(func)
        if queue:
            self.queue_async(f)
        return f

    # PyPlugin helpers
    @property
    def pyplugins(self):
        """
        A reference to an auto-instantiated `pandare.pyplugin.PyPluginManager` class.
        """
        if not hasattr(self, "_pyplugin_manager"):
            from .pypluginmanager import PyPluginManager
            self._pyplugin_manager = PyPluginManager(self)
        return self._pyplugin_manager


    ########################## LIBPANDA FUNCTIONS ########################
    # Methods that directly pass data to/from PANDA with no extra logic beyond argument reformatting.
    def set_pandalog(self, name):
        '''
        Enable recording to a pandalog (plog) named `name`

        Args:
            name (str): filename to output data to

        Returns:
            None
        '''
        charptr = self.ffi.new("char[]", bytes(name, "utf-8"))
        self.libpanda.panda_start_pandalog(charptr)

    def enable_memcb(self):
        '''
        Enable memory callbacks. Must be called for memory callbacks to work.
        pypanda enables this automatically with some callbacks.
        '''
        self._memcb = True
        self.libpanda.panda_enable_memcb()

    def disable_memcb(self):
        '''
        Disable memory callbacks. Must be enabled for memory callbacks to work.
        pypanda enables this automatically with some callbacks.
        '''
        self._memcb = False
        self.libpanda.panda_disable_memcb()

    def virt_to_phys(self, cpu, addr):
        '''
        Convert virtual address to physical address.

        Args:
            cpu (CPUState): CPUState struct
            addr (int): virtual address to convert

        Return:
            int: physical address
        '''
        if "osi_linux" in self.plugins.keys() or self._plugin_loaded("osi_linux"):
            return self.plugins["osi_linux"].osi_linux_virt_to_phys(cpu, addr)
        else:
            return self.libpanda.panda_virt_to_phys_external(cpu, addr)

    def enable_plugin(self, handle):
        '''
        Enable plugin.

        Args:
            handle (int): pointer to handle returned by plugin

        Return:
            None
        '''
        self.libpanda.panda_enable_plugin(handle)

    def disable_plugin(self, handle):
        '''
        Disable plugin.

        Args:
            handle (int): pointer to handle returned by plugin

        Return:
            None
        '''
        self.libpanda.panda_disable_plugin(handle)

    def enable_llvm(self):
        '''
        Enables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
        '''
        self.libpanda.panda_enable_llvm()

    def disable_llvm(self):
        '''
        Disables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
        '''
        self.libpanda.panda_disable_llvm()

    def enable_llvm_helpers(self):
        '''
        Enables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
        '''
        self.libpanda.panda_enable_llvm_helpers()

    def disable_llvm_helpers(self):
        '''
        Disables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
        '''
        self.libpanda.panda_disable_llvm_helpers()

    def flush_tb(self):
        '''
        This function requests that the translation block cache be flushed as soon as possible. If running with translation block chaining turned off (e.g. when in LLVM mode or replay mode), this will happen when the current translation block is done executing.
        Flushing the translation block cache is additionally necessary if the plugin makes changes to the way code is translated. For example, by using panda_enable_precise_pc.
        '''
        return self.libpanda.panda_do_flush_tb()

    def break_exec(self):
        '''
        If called from a start block exec callback, will cause the emulation to bail *before* executing
        the rest of the current block.
        '''
        return self.libpanda.panda_do_break_exec()

    def enable_precise_pc(self):
        '''
        By default, QEMU does not update the program counter after every instruction.
        This function enables precise tracking of the program counter. After enabling precise PC tracking, the program counter will be available in env->panda_guest_pc and can be assumed to accurately reflect the guest state.
        '''
        self.libpanda.panda_enable_precise_pc()

    def disable_precise_pc(self):
        '''
        By default, QEMU does not update the program counter after every instruction.
        This function disables precise tracking of the program counter.
        '''
        self.libpanda.panda_disable_precise_pc()

    def in_kernel(self, cpustate):
        '''
        Returns true if the processor is in the privilege level corresponding to kernel mode for any of the PANDA supported architectures.
        Legacy alias for in_kernel_mode().
        '''
        return self.libpanda.panda_in_kernel_external(cpustate)

    def in_kernel_mode(self, cpustate):
        '''
        Check if the processor is running in priviliged mode.

        Args:
            cpu (CPUState): CPUState structure

        Returns:
            Bool: If the processor is in the privilege level corresponding to kernel mode
                  for the given architecture
        '''
        return self.libpanda.panda_in_kernel_mode_external(cpustate)

    def in_kernel_code_linux(self, cpustate):
        '''
        Check if the processor is running in linux kernelspace.

        Args:
            cpu (CPUState): CPUState structure

        Returns:
            Bool: If the processor is running in Linux kernel space code.
        '''
        return self.libpanda.panda_in_kernel_code_linux_external(cpustate)

    def g_malloc0(self, size):
        '''
        Helper function to call glib malloc

        Args:
            size (int): size to call with malloc

        Returns:
            buffer of the requested size from g_malloc
        '''
        return self.libpanda.g_malloc0(size)

    def current_sp(self, cpu):
        '''
        Get current stack pointer

        Args:
            cpu (CPUState): CPUState structure

        Return:
            int: Value of stack pointer
        '''
        return self.libpanda.panda_current_sp_external(cpu)

    def current_pc(self, cpu):
        '''
        Get current program counter

        Args:
            cpu (CPUState): CPUState structure

        Return:
            integer value of current program counter

        .. Deprecated:: Use panda.arch.get_pc(cpu) instead
        '''
        return self.libpanda.panda_current_pc(cpu)

    def current_asid(self, cpu):
        '''
        Get current Application Specific ID

        Args:
            cpu (CPUState): CPUState structure

        Returns:
            integer: value of current ASID
        '''
        return self.libpanda.panda_current_asid(cpu)
    
    def get_id(self, cpu):
        '''
        Get current hw_proc_id ID

        Args:
            cpu (CPUState): CPUState structure
        
        Returns:
            integer: value of current hw_proc_id
        '''
        return self.plugins["hw_proc_id"].get_id(cpu)

    def disas2(self, code, size):
        '''
        Call panda_disas to diasassemble an amount of code at a pointer.
        FIXME: seem to not match up to PANDA definition
        '''
        self.libpanda.panda_disas(code, size)

    def cleanup(self):
        '''
        Unload all plugins and close pandalog.

        Returns:
            None
        '''
        self.libpanda.panda_cleanup()

    def was_aborted(self):
        '''
        Returns true if panda was aborted.
        '''
        return self.libpanda.panda_was_aborted()

    def get_cpu(self):
        '''
        This function returns first_cpu CPUState object from QEMU.
        XXX: You rarely want this

        Returns:
            CPUState: cpu
        '''
        return self.libpanda.get_cpu()

    def garray_len(self, garray):
        '''
        Convenience function to get array length of glibc array.

        Args:
            g (garray): Pointer to a glibc array
                
        Returns:
            int: length of the array
        '''
        return self.libpanda.garray_len(garray)

    def panda_finish(self):
        '''
        Final stage call to underlying panda_finish with initialization.
        '''
        return self.libpanda.panda_finish()

    def rr_get_guest_instr_count(self):
        '''
        Returns record/replay guest instruction count.

        Returns:
            int: Current instruction count
        '''
        return self.libpanda.rr_get_guest_instr_count_external()

    ################### LIBQEMU Functions ############
    #Methods that directly pass data to/from QEMU with no extra logic beyond argument reformatting.
    #All QEMU function can be directly accessed by Python. These are here for convenience.
    # It's usally better to find a function name and look at the QEMU source for these functions.

    def drive_get(self, blocktype, bus, unit):
        '''
        Gets DriveInfo struct from user specified information.

        Args:
            blocktype: BlockInterfaceType structure
            bus: integer bus
            unit: integer unit

        Returns:
            DriveInfo struct
        '''
        return self.libpanda.drive_get(blocktype,bus,unit)

    def sysbus_create_varargs(self, name, addr):
        '''
        Returns DeviceState struct from user specified information
        Calls sysbus_create_varargs QEMU function.

        Args:
            name (str):
            addr (int): hwaddr

        Returns:
            DeviceState struct
        '''
        return self.libpanda.sysbus_create_varargs(name,addr, self.ffi.NULL)

    def cpu_class_by_name(self, name, cpu_model):
        '''
        Gets cpu class from name.
        Calls cpu_class_by_name QEMU function.

        Args:
            name: typename from python string
            cpu_model: string specified cpu model

        Returns:
            ObjectClass struct
        '''
        return self.libpanda.cpu_class_by_name(name, cpu_model)

    def object_class_by_name(self, name):
        '''
        Returns class as ObjectClass from name specified.
        Calls object_class_by_name QEMU function.

        Args
            name (str): string defined by user

        Returns:
            struct as specified by name
        '''
        return self.libpanda.object_class_by_name(name)

    def object_property_set_bool(self, obj, value, name):
        '''
        Writes a bool value to a property.
        Calls object_property_set_bool QEMU function.

        Args::
            value: the value to be written to the property
            name: the name of the property
            errp: returns an error if this function fails

        Returns:
            None
        '''
        return self.libpanda.object_property_set_bool(obj,value,name,self.libpanda.error_abort)

    def object_class_get_name(self, objclass):
        '''
        Gets String QOM typename from object class.
        Calls object_class_get_name QEMU function.

        Args::
            objclass: class to obtain the QOM typename for.

        Returns:
            String QOM typename for klass.
        '''
        return self.libpanda.object_class_get_name(objclass)

    def object_new(self, name):
        '''
        Creates a new QEMU object from typename.
        This function will initialize a new object using heap allocated memory.
        The returned object has a reference count of 1, and will be freed when
        the last reference is dropped.
        Calls object_new QEMU function.

        Args:
            name (str): The name of the type of the object to instantiate.

        Returns:
            The newly allocated and instantiated object.
        '''
        return self.libpanda.object_new(name)

    def object_property_get_bool(self, obj, name):
        '''
        Pull boolean from object.
        Calls object_property_get_bool QEMU function.

        Args:
            obj: the object
            name: the name of the property

        Returns:
            the value of the property, converted to a boolean, or NULL if an error occurs (including when the property value is not a bool).
        '''
        return self.libpanda.object_property_get_bool(obj,name,self.libpanda.error_abort)

    def object_property_set_int(self,obj, value, name):
        '''
        Set integer in QEMU object. Writes an integer value to a property.
        Calls object_property_set_int QEMU function.

        Args:
            value: the value to be written to the property
            name: the name of the property

        Returns:
            None
        '''
        return self.libpanda.object_property_set_int(obj, value, name, self.libpanda.error_abort)

    def object_property_get_int(self, obj, name):
        '''
        Gets integer in QEMU object. Reads an integer value from this property.
        Calls object_property_get_int QEMU function.

            Paramaters:
                obj: the object
                name: the name of the property

            Returns:
                the value of the property, converted to an integer, or negative if an error occurs (including when the property value is not an integer).
        '''
        return self.libpanda.object_property_get_int(obj, name, self.libpanda.error_abort)

    def object_property_set_link(self, obj, val, name):
        '''
        Writes an object's canonical path to a property.
        Calls object_property_set_link QEMU function.

        Args:
            value: the value to be written to the property
            name: the name of the property
            errp: returns an error if this function fails

        Returns:
            None
        '''
        return self.libpanda.object_property_set_link(obj,val,name,self.libpanda.error_abort)

    def object_property_get_link(self, obj, name):
        '''
        Reads an object's canonical path to a property.
        Calls object_property_get_link QEMU function.

        Args:
            obj: the object
            name: the name of the property
            errp: returns an error if this function fails

        Returns:
            the value of the property, resolved from a path to an Object, or NULL if an error occurs (including when the property value is not a string or not a valid object path).
        '''
        return self.libpanda.object_property_get_link(obj,name,self.libpanda.error_abort)

    def object_property_find(self, obj, name):
        '''
        Look up a property for an object and return its #ObjectProperty if found.
        Calls object_property_find QEMU function.

        Args:
            obj: the object
            name: the name of the property
            errp: returns an error if this function fails

        Returns:
            struct ObjectProperty pointer
        '''
        return self.libpanda.object_property_find(obj,name, self.ffi.NULL)

    def memory_region_allocate_system_memory(self, mr, obj, name, ram_size):
        '''
        Allocates Memory region by user specificiation.
        Calls memory_region_allocation_system_memory QEMU function.

        Args:
            mr: MemoryRegion struct
            obj: Object struct
            name (str): Region name
            ram_size (int): RAM size

        Returns:
            None
        '''
        return self.libpanda.memory_region_allocate_system_memory(mr, obj, name, ram_size)

    def memory_region_add_subregion(self, mr, offset, sr):
        '''
        Calls memory_region_add_subregion from QEMU.
        memory_region_add_subregion: Add a subregion to a container.

        Adds a subregion at @offset.  The subregion may not overlap with other
        subregions (except for those explicitly marked as overlapping).  A region
        may only be added once as a subregion (unless removed with
        memory_region_del_subregion()); use memory_region_init_alias() if you
        want a region to be a subregion in multiple locations.

        Args:
            mr: the region to contain the new subregion; must be a container initialized with memory_region_init().
            offset: the offset relative to @mr where @subregion is added.
            subregion: the subregion to be added.

        Returns:
            None
        '''
        return self.libpanda.memory_region_add_subregion(mr,offset,sr)

    def memory_region_init_ram_from_file(self, mr, owner, name, size, share, path):
        '''
        Calls memory_region_init_ram_from_file from QEMU.
        memory_region_init_ram_from_file:  Initialize RAM memory region with a mmap-ed backend.

        Args:
            mr: the #MemoryRegion to be initialized.
            owner: the object that tracks the region's reference count
            name: the name of the region.
            size: size of the region.
            share: %true if memory must be mmaped with the MAP_SHARED flag
            path: the path in which to allocate the RAM.
            errp: pointer to Error*, to store an error if it happens.

        Returns:
            None
        '''
        return self.libpanda.memory_region_init_ram_from_file(mr, owner, name, size, share, path, self.libpanda.error_fatal)

    def create_internal_gic(self, vbi, irqs, gic_vers):
        return self.libpanda.create_internal_gic(vbi, irqs, gic_vers)

    def create_one_flash(self, name, flashbase, flashsize, filename, mr):
        return self.libpanda.create_one_flash(name, flashbase, flashsize, filename, mr)

    def create_external_gic(self, vbi, irqs, gic_vers, secure):
        return self.libpanda.create_external_gic(vbi, irqs, gic_vers, secure)

    def create_virtio_devices(self, vbi, pic):
        return self.libpanda.create_virtio_devices(vbi, pic)

    def arm_load_kernel(self, cpu, bootinfo):
        return self.libpanda.arm_load_kernel(cpu, bootinfo)

    def error_report(self, s):
        return self.libpanda.error_report(s)

    def get_system_memory(self):
        return self.libpanda.get_system_memory()

    def lookup_gic(self,n):
        return self.libpanda.lookup_gic(n)

    ##################### OSI FUNCTIONS ###########
    #Convenience functions to interact with the Operating System Instrospection (OSI) class of plugins.

    def set_os_name(self, os_name):
        """
        Set OS target. Equivalent to "-os" flag on the command line. Matches the form of:

            "windows[-_]32[-_]xpsp[23]",
            "windows[-_]32[-_]2000",
            "windows[-_]32[-_]7sp[01]",
            "windows[-_]64[-_]7sp[01]",
            "linux[-_]32[-_].+",
            "linux[-_]64[-_].+",
            "freebsd[-_]32[-_].+",
            "freebsd[-_]64[-_].+",

            Args:
                os_name (str): Name that matches the format for the os flag.

            Returns:
                None
        """
        print ("os_name=[%s]" % os_name)
        os_name_new = self.ffi.new("char[]", bytes(os_name, "utf-8"))
        self.libpanda.panda_set_os_name(os_name_new)

    def get_os_family(self):
        '''
        Get the current OS family name. Valid values are the entries in `OSFamilyEnum`

        Returns:
            string: one of OS_UNKNOWN, OS_WINDOWS, OS_LINUX, OS_FREEBSD
        '''

        family_num = self.libpanda.panda_os_familyno
        family_name = self.ffi.string(self.ffi.cast("PandaOsFamily", family_num))
        return family_name
    
    def get_file_name(self, cpu, fd):
        '''
        Get the name of a file from a file descriptor.

        Returns:
            string: file name
            None: on failure
        '''
        proc = self.plugins['osi'].get_current_process(cpu)
        if proc == self.ffi.NULL:
            return None
        try:
            fname_ptr = self.plugins['osi_linux'].osi_linux_fd_to_filename(cpu, proc, fd)
        except OverflowError:
            return None
        if fname_ptr == self.ffi.NULL:
            return None
        return self.ffi.string(fname_ptr)

    def get_current_process(self, cpu):
        '''
        Get the current process as an OsiProc struct.

        Returns:
            string: process name
            None: on failure
        '''
        proc = self.plugins['osi'].get_current_process(cpu)
        if proc == self.ffi.NULL:
            return None
        return proc

    def get_mappings(self, cpu):
        '''
        Get all active memory mappings in the system.

        Requires: OSI

        Args:
            cpu: CPUState struct

        Returns:
            pandare.utils.GArrayIterator: iterator of OsiModule structures
        '''
        current = self.plugins['osi'].get_current_process(cpu)
        maps = self.plugins['osi'].get_mappings(cpu, current)
        map_len = self.garray_len(maps)
        return GArrayIterator(self.plugins['osi'].get_one_module, maps, map_len, self.plugins['osi'].cleanup_garray)

    def get_mapping_by_addr(self, cpu, addr):
        '''
        Return the OSI mapping that matches the address specified.

        Requires: OSI

        Args:
            cpu: CPUState struct
            addr: int

        Returns:
            OsiModule: dataclass representation of OsiModule structure with strings converted to python strings
                Note that the strings will be None if their pointer was null
            None: on failure
        '''
        @dataclass
        class OsiModule:
            '''dataclass representation of OsiModule structu'''
            base: int
            file: str
            modd: int
            name: str
            size: int
        mappings = self.get_mappings(cpu)
        for m in mappings:
            if m == self.ffi.NULL:
                continue
            if addr >= m.base and addr < m.base+m.size:
                if m.name != self.ffi.NULL:
                    name = self.ffi.string(m.name).decode("utf-8")
                else:
                    name = None
                if m.file != self.ffi.NULL:
                    file = self.ffi.string(m.file).decode("utf-8")
                else:
                    file = None
                return OsiModule(m.base, file, m.modd, name, m.size)
        return None

    def get_processes(self, cpu):
        '''
        Get all running processes in the system. Includes kernel modules on Linux.

        Requires: OSI

        Args:
            cpu: CPUState struct

        Returns:
            pandare.utils.GArrayIterator: iterator of OsiProc structures
        '''
        processes = self.plugins['osi'].get_processes(cpu)
        processes_len = self.garray_len(processes)
        return GArrayIterator(self.plugins['osi'].get_one_proc, processes, processes_len, self.plugins['osi'].cleanup_garray)

    def get_processes_dict(self, cpu):
        '''
        Get all running processes for the system at this moment in time as a dictionary.

        The dictionary maps proceses by their PID. Each mapping returns a dictionary containing the process name, its pid,
        and its parent pid (ppid).

        Requires: OSI

        Args:
            cpu: CPUState struct

        Returns:
            Dict: processes as described above
        '''

        procs = {} #pid: {name: X, pid: Y, parent_pid: Z})

        for proc in self.get_processes(cpu):
            assert(proc != self.ffi.NULL)
            assert(proc.pid not in procs)
            procs[proc.pid] = {'name': self.ffi.string(proc.name).decode('utf8', 'ignore'),
                               'pid': proc.pid,
                               'parent_pid': proc.ppid,
                               'create_time': proc.create_time}
            assert(not (proc.pid != 0 and proc.pid == proc.ppid)) # No cycles allowed other than at 0
        return procs

    def get_process_name(self, cpu):
        '''
        Get the name of the current process. May return None if OSI cannot identify the current process
        '''
        proc = self.plugins['osi'].get_current_process(cpu)
        if proc == self.ffi.NULL or proc.name == self.ffi.NULL:
            return None

        procname = self.ffi.string(proc.name).decode('utf8', 'ignore')
        return self.ffi.string(proc.name).decode('utf8', 'ignore')


    ################## PYPERIPHERAL FUNCTIONS #####################
    # Pyperipherals are objects which handle mmio read/writes using the PANDA callback infrastructure.
    # Under the hood, they use the cb_unassigned_io_read/cb_unassigned_io_write callbacks.
    # A python peripheral itself is an object which exposes the following functions:
    #     write_memory(self, address, size, value)
    #     read_memory(self, address, size)
    # And has at least the following attributes:
    #     address
    #     size

    # One example for such a python object are avatar2's AvatarPeripheral.
    def _addr_to_pyperipheral(self, address):
        """
        Returns the python peripheral for a given address, or None if no
        peripheral is registered for that address
        """

        for pp in self.pyperipherals:
            if pp.address <= address < pp.address + pp.size:
                return pp
        return None

    def _validate_object(self, object):
        # This function makes sure that the object exposes the right interfaces

        if not hasattr(object, "address") or not isinstance(object.address, int):
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Missing or non-int `address` attribute"
                ).format(str(object.__repr__()))
            )

        if not hasattr(object, "size") or not isinstance(object.size, int):
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Missing or non-int `address` attribute"
                ).format(object.__repr__())
            )

        if not hasattr(object, "read_memory"):
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Missing read_memory function"
                ).format(object.__repr__())
            )

        params = list(signature(object.read_memory).parameters)
        if params[0] != "address" or params[1] != "size":
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Invalid function signature for read_memory"
                ).format(object.__repr__())
            )

        if not hasattr(object, "write_memory"):
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Missing write_memory function"
                ).format(object.__repr__())
            )

        params = list(signature(object.write_memory).parameters)
        if params[0] != "address" or params[1] != "size" or params[2] != "value":
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n"
                    "Invalid function signature for write_memory"
                ).format(object.__repr__())
            )

        # Ensure object is not overlapping with any other pyperipheral
        if (
            self._addr_to_pyperipheral(object.address) is not None
            or self._addr_to_pyperipheral(object.address + object.size) is not None
        ):
            raise RuntimeError(
                (
                    "Registering PyPeripheral {} failed:\n" "Overlapping memories!"
                ).format(object.__repr__())
            )

        return True

    def pyperiph_read_cb(self, cpu, pc, physaddr, size, val_ptr):
        pp = self._addr_to_pyperipheral(physaddr)
        if pp is None:
            return False

        val = pp.read_memory(physaddr, size)
        buf = self.ffi.buffer(val_ptr, size)

        fmt = "{}{}".format(self._end2fmt[self.endianness], self._num2fmt[size])

        pack_into(fmt, buf, 0, val)

        return True

    def pyperiph_write_cb(self, cpu, pc, physaddr, size, val):
        pp = self._addr_to_pyperipheral(physaddr)
        if pp is None:
            return False

        pp.write_memory(physaddr, size, val)
        return True

    def register_pyperipheral(self, object):
        """
        Registers a python peripheral, and the necessary attributes to the
        panda-object, if not present yet.
        """

        # if we are the first pyperipheral, register the pp-dict
        if not hasattr(self, "pyperipherals"):
            self.pyperipherals = []
            self.pyperipherals_registered_cb = False
            self._num2fmt = {1: "B", 2: "H", 4: "I", 8: "Q"}
            self._end2fmt = {"little": "<", "big": ">"}

        self._validate_object(object)

        if self.pyperipherals_registered_cb is False:
            self.register_callback(
                self.callback.unassigned_io_read,
                self.callback.unassigned_io_read(self.pyperiph_read_cb),
                "pyperipheral_read_callback",
            )

            self.register_callback(
                self.callback.unassigned_io_write,
                self.callback.unassigned_io_write(self.pyperiph_write_cb),
                "pyperipheral_write_callback",
            )

            self.pyperipherals_registered_cb = True

        self.pyperipherals.append(object)

    def unregister_pyperipheral(self, pyperiph):
        """
        deregisters a python peripheral.
        The pyperiph parameter can be either an object, or an address
        Returns true if the pyperipheral was successfully removed, else false.
        """

        if isinstance(pyperiph, int) is True:
            pp = self._addr_to_pyperipheral(pyperiph)
            if pp is None:
                return False
        else:
            if pyperiph not in self.pyperipherals:
                return False
            pp = pyperiph

        self.pyperipherals.remove(pp)

        # If we dont have any pyperipherals left, unregister callbacks
        if len(self.pyperipherals) == 0:
            self.disable_callback("pyperipheral_read_callback", forever=True)
            self.disable_callback("pyperipheral_write_callback", forever=True)
            self.pyperipherals_registered_cb = False
        return True
    

    ############## TAINT FUNCTIONS ###############
    # Convenience methods for interacting with the taint subsystem.

    def taint_enabled(self):
        '''
        Checks to see if taint2 plugin has been loaded
        '''
        return self._plugin_loaded("taint2") and self.plugins["taint2"].taint2_enabled()

    def taint_enable(self):
        '''
        Enable taint.
        '''
        self.plugins["taint2"].taint2_enable_taint()
    
    def _assert_taint_enabled(self):
        if not self.taint_enabled():
            raise Exception("taint2 must be loaded before tainting values")

    def taint_label_reg(self, reg_num, label):
        '''
        Labels taint register reg_num with label.
        '''
        self._assert_taint_enabled()
        for i in range(self.register_size):
            self.plugins["taint2"].taint2_label_reg(reg_num, i, label)

    def taint_label_ram(self, addr, label):
        '''
        Labels ram at address with label.
        '''
        self._assert_taint_enabled()
        self.plugins["taint2"].taint2_label_ram(addr, label)

    def taint_check_reg(self, reg_num):
        '''
        Checks if register reg_num is tainted. Returns boolean.
        '''
        self._assert_taint_enabled()
        for offset in range(self.register_size):
            if self.plugins['taint2'].taint2_query_reg(reg_num, offset) > 0:
                return True
        return False

    def taint_check_ram(self, addr):
        '''
        returns boolean representing if physical address is tainted.
        '''
        self._assert_taint_enabled()
        return self.plugins['taint2'].taint2_query_ram(addr) > 0

    def taint_get_reg(self, reg_num):
        '''
        Returns array of results, one for each byte in this register
        None if no taint.  QueryResult struct otherwise
        '''
        self._assert_taint_enabled()
        res = []
        for offset in range(self.register_size):
            if self.plugins['taint2'].taint2_query_reg(reg_num, offset) > 0:
                query_res = self.ffi.new("QueryResult *")
                self.plugins['taint2'].taint2_query_reg_full(reg_num, offset, query_res)
                tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
                res.append(tq)
            else:
                res.append(None)
        return res

    def taint_get_ram(self, addr):
        '''
        returns array of results, one for each byte in this register
        None if no taint.  QueryResult struct otherwise
        '''
        self._assert_taint_enabled()
        if self.plugins['taint2'].taint2_query_ram(addr) > 0:
            query_res = self.ffi.new("QueryResult *")
            self.plugins['taint2'].taint2_query_ram_full(addr, query_res)
            tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
            return tq
        else:
            return None

    def taint_check_laddr(self, addr, off):
        '''
        returns boolean result checking if this laddr is tainted
        '''
        self._assert_taint_enabled()
        return self.plugins['taint2'].taint2_query_laddr(addr, off) > 0

    def taint_get_laddr(self, addr, offset):
        '''
        returns array of results, one for each byte in this laddr
        None if no taint.  QueryResult struct otherwise
        '''
        self._assert_taint_enabled()
        if self.plugins['taint2'].taint2_query_laddr(addr, offset) > 0:
            query_res = self.ffi.new("QueryResult *")
            self.plugins['taint2'].taint2_query_laddr_full(addr, offset, query_res)
            tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
            return tq
        else:
            return None
    
    def address_to_ram_offset(self, hwaddr, is_write):
        '''
        Convert physical address to ram offset

        Args:
            hwaddr (int): physical address
            is_write (bool): boolean representing if this is a write

        Returns:
            ram offset (int)

        Raises:
            ValueError if memory access fails or fmt is unsupported
        '''
        
        out = self.ffi.new("ram_addr_t*", self.ffi.cast("ram_addr_t", 0))
        value = self.libpanda.PandaPhysicalAddressToRamOffset_external(out, hwaddr, is_write)
        if value != 0:
            raise ValueError(f"address_to_ram_offset returned {value}")
        return out[0]

    # enables symbolic tracing
    def taint_sym_enable(self):
        """
        Inform python that taint is enabled.
        """
        if not self.taint_enabled():
            self.taint_enable()
            progress("taint symbolic not enabled -- enabling")
        self.plugins["taint2"].taint2_enable_sym()
    
    def _assert_taint_sym_enabled(self):
        self._assert_taint_enabled()
        self.plugins['taint2'].taint2_enable_sym()

    def taint_sym_label_ram(self, addr, label):
        self._assert_taint_sym_enabled()
        self.plugins['taint2'].taint2_sym_label_ram(addr,label)

    def taint_sym_label_reg(self, reg_num, label):
        # label all bytes in this register.
        # or at least four of them
        # XXX label must increment by panda.register_size after the call
        self._assert_taint_sym_enabled()
        self.taint_sym_enable()
        for i in range(self.register_size):
            self.plugins['taint2'].taint2_sym_label_reg(reg_num, i, label+i)
    
    # Deserialize a z3 solver
    # Lazy import z3. 
    def string_to_solver(self, string: str):
        from z3 import Solver
        s = Solver()
        s.from_string(string)
        return s

    # Get the first condition in serialized solver str
    def string_to_condition(self, string: str):
        s = self.string_to_solver(string)
        asrts = s.assertions()
        if len(asrts) == 0:
            return None 
        return asrts[0]

    # Get the expr in serialized solver str
    # (https://github.com/Z3Prover/z3/issues/2674) 
    def string_to_expr(self, string: str):
        eq = self.string_to_condition(string)
        if eq and len(eq.children()) > 0:
            return eq.children()[0]
        return None

    # Query the ram addr with given size
    def taint_sym_query_ram(self, addr, size=1):
        # Prepare ptr for returned string
        str_ptr_ffi = self.ffi.new('char**')
        # Prepare ptr for string size
        n_ptr_ffi = self.ffi.new('uint32_t *', 0)

        self.plugins['taint2'].taint2_sym_query_ram(addr, size, n_ptr_ffi, str_ptr_ffi)
        # Unpack size
        n = self.ffi.unpack(n_ptr_ffi, 1)[0]
        if n == 0:
            return None
        # Unpack cstr
        str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
        str_bs = self.ffi.unpack(str_ptr, n)
        expr_str = str(str_bs, 'utf-8')
        return self.string_to_expr(expr_str)

    # Query all bytes in this register.
    def taint_sym_query_reg(self, addr):
        # Prepare ptr for returned string
        str_ptr_ffi = self.ffi.new('char**')
        # Prepare ptr for string size
        n_ptr_ffi = self.ffi.new('uint32_t *', 0)

        self.plugins['taint2'].taint2_sym_query_reg(addr, n_ptr_ffi, str_ptr_ffi)
        # Unpack size
        n = self.ffi.unpack(n_ptr_ffi, 1)[0]
        if n == 0:
            return None
        # Unpack cstr
        str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
        str_bs = self.ffi.unpack(str_ptr, n)
        expr_str = str(str_bs, 'utf-8')
        return self.string_to_expr(expr_str)

    def taint_sym_path_constraints(self):
        # Prepare ptr for returned string
        str_ptr_ffi = self.ffi.new('char**')
        # Prepare ptr for string size
        n_ptr_ffi = self.ffi.new('uint32_t *', 0)

        self.plugins['taint2'].taint2_sym_path_constraints(n_ptr_ffi, str_ptr_ffi)
        # Unpack size
        n = self.ffi.unpack(n_ptr_ffi, 1)[0]
        if n == 0:
            return []
        # Unpack cstr
        str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
        str_bs = self.ffi.unpack(str_ptr, n)
        expr_str = str(str_bs, 'utf-8')
        solver = self.string_to_solver(expr_str)
        return solver.assertions() if solver != None else []

    def taint_sym_branch_meta(self):
        branch_meta_ptr_ffi = self.ffi.new('SymbolicBranchMeta **')
        n_ptr_ffi = self.ffi.new('uint32_t *', 0)

        self.plugins['taint2'].taint2_sym_branch_meta(n_ptr_ffi, branch_meta_ptr_ffi)
        # Unpack size
        n = self.ffi.unpack(n_ptr_ffi, 1)[0]
        if n == 0:
            return []
        meta_ptr = self.ffi.unpack(branch_meta_ptr_ffi, 1)[0]
        metas_ffi = self.ffi.unpack(meta_ptr, n)
        # Meta only has a pc field now
        metas = [
            meta_ffi.pc
            for meta_ffi in metas_ffi
        ]
        return metas



    ############ Volatility mixins
    """
    Utilities to integrate Volatility with PANDA. Highly experimental.
    """

    def make_panda_file_handler(self, debug=False):
        '''
        Constructs a file and file handler that volatility can't ignore to back by PANDA physical memory
        '''
        from urllib.request import BaseHandler
        if 'PandaFileHandler' in globals():  # already initialized
            return
        panda = self

        class PandaFile(object):
            def __init__(self, length, panda):
                self.pos = 0
                self.length = length
                self.closed = False
                self.mode = "rb"
                self.name = "/tmp/panda.panda"
                self.panda = panda
                self.classname = type(self).__name__

            def readable(self):
                return self.closed

            def read(self, size=1):
                if self.panda.bits == 32 and self.panda.arch_name == "i386":
                    data = self.panda.physical_memory_read(
                        self.pos & 0xfffffff, size)
                else:
                    data = self.panda.physical_memory_read(self.pos, size)
                if debug:
                    print(self.classname+": Reading " +
                          str(size)+" bytes from "+hex(self.pos))
                self.pos += size
                return data

            def peek(self, size=1):
                return self.panda.physical_memory_read(self.pos, size)

            def seek(self, pos, whence=0):
                if whence == 0:
                    self.pos = pos
                elif whence == 1:
                    self.pos += pos
                else:
                    self.pos = self.length - pos
                if self.pos > self.length:
                    print(self.classname+": We've gone off the deep end")
                if debug:
                    print(self.classname+" Seeking to address "+hex(self.pos))

            def tell(self):
                return self.pos

            def close(self):
                self.closed = True

        class PandaFileHandler(BaseHandler):
            def default_open(self, req):
                if 'panda.panda' in req.full_url:
                    length = panda.libpanda.ram_size
                    if length > 0xc0000000:
                        length += 0x40000000  # 3GB hole
                    if debug:
                        print(type(self).__name__ +
                              ": initializing PandaFile with length="+hex(length))
                    return PandaFile(length=length, panda=panda)
                else:
                    return None

            def file_close(self):
                return True

        globals()["PandaFileHandler"] = PandaFileHandler

    def get_volatility_symbols(self, debug=False):
        try:
            from .volatility_cli_classes import CommandLineMoreEfficient
            from volatility.framework import contexts
            from volatility.framework.layers.linear import LinearlyMappedLayer
            from volatility.framework.automagic import linux
        except ImportError:
            print("Warning: Failed to import volatility")
            return None
        if "linux" in self.os_type:
            if not hasattr(self, "_vmlinux"):
                self.make_panda_file_handler(debug=debug)
                constructed_original = CommandLineMoreEfficient().run()
                linux.LinuxUtilities.aslr_mask_symbol_table(
                    constructed_original.context, constructed_original.config['vmlinux'], constructed_original.config['primary'])
                self._vmlinux = contexts.Module(
                    constructed_original.context, constructed_original.config['vmlinux'], constructed_original.config['primary'], 0)
            else:
                LinearlyMappedLayer.read.cache_clear()  # smearing technique
            return self._vmlinux
        else:
            print("Unsupported.")
            return None

    def run_volatility(self, plugin, debug=False):
        try:
            from .volatility_cli_classes import CommandLineRunFullCommand, StringTextRenderer
        except ImportError:
            print("Warning: Failed to import volatility")
            return None
        self.make_panda_file_handler(debug=debug)
        cmd = CommandLineRunFullCommand().run("-q -f panda.panda " + plugin)
        output = StringTextRenderer().render(cmd.run())
        return output

    ########## BLOCKING MIXINS ############
    '''
    Utilities to provide blocking interactions with PANDA. This includes serial and monitor interactions as well as file copy to the guest.
    XXX: Do not call any of the following from the main thread- they depend on the CPU loop running
    '''
    @blocking
    def stop_run(self):
        '''
        From a blocking thread, request vl.c loop to break. Returns control flow in main thread.
        In other words, once this is called, panda.run() will finish and your main thread will continue.
        If you also want to unload plugins, use end_analysis instead

        XXX: This doesn't work in replay mode
        '''
        self.libpanda.panda_break_vl_loop_req = True

    @blocking
    def run_serial_cmd(self, cmd, no_timeout=False, timeout=None):
        '''
        Run a command inside the guest through a terminal exposed over a serial port. Can only be used if your guest is configured in this way

        Guest output will be analyzed until we see the expect_prompt regex printed (i.e., the PS1 prompt)

        Args:
            cmd: command to run.
            timeout: maximum time to wait for the command to finish
            no_timeout: if set, don't ever timeout

        Returns:
            String: all the output (stdout + stderr) printed after typing your command and pressing enter until the next prompt was printed.
        '''

        if timeout is None:
            timeout = 30

        if self.serial_console is None:
            raise RuntimeError("Cannot run serial commands without providing PANDA an expect_prompt")
        self.running.wait() # Can only run serial when guest is running
        self.serial_console.sendline(cmd.encode("utf8"))
        if no_timeout:
            result = self.serial_console.expect(timeout=9999) # "Don't ever timeout" above is a bit of an exaggeration
        else:
            result = self.serial_console.expect(timeout=timeout)
        return result

    @blocking
    def serial_read_until(self, byte_sequence):
        if len(self.serial_unconsumed_data) > 0:
            found_idx = self.serial_unconsumed_data.find(byte_sequence)
            if found_idx >= 0:
                match = self.serial_unconsumed_data[ : found_idx]
                self.serial_unconsumed_data = self.serial_unconsumed_data[found_idx + 1 : ]
                return match
        while self.serial_socket != None:
            try:
                readable, _, _ = select.select([self.serial_socket], [], [], 0.5)
                if len(readable) == 0:
                    continue
                data = self.serial_socket.recv(65535)
            except Exception as e:
                if '[Errno 11]' in str(e) or '[Errno 35]' in str(e):
                    # EAGAIN
                    continue
                raise Exception("Data Read Error: {}".format(e.message))
            if not data:
                raise Exception('Connection Closed by Server')

            self.serial_unconsumed_data += data
            found_idx = self.serial_unconsumed_data.find(byte_sequence)
            if found_idx >= 0:
                match = self.serial_unconsumed_data[ : found_idx]
                self.serial_unconsumed_data = self.serial_unconsumed_data[found_idx + 1 : ]
                return match
        return None
            
    
    @blocking
    def run_serial_cmd_async(self, cmd, delay=1):
        '''
        Type a command and press enter in the guest. Return immediately. No results available
        Only use this if you know what you're doing!
        '''
        self.running.wait() # Can only run serial when guest is running
        self.serial_console.sendline(cmd.encode("utf8"))
        if delay:
            sleep(delay) # Ensure it has a chance to run

    @blocking
    def type_serial_cmd(self, cmd):
        #Can send message into socket without guest running (no self.running.wait())
        if isinstance(cmd, str):
            cmd = cmd.encode('utf8')
        self.serial_console.send(cmd) # send, not sendline

    def finish_serial_cmd(self):
        result = self.serial_console.send_eol()
        result = self.serial_console.expect()
        return result

    @blocking
    def run_monitor_cmd(self, cmd):
        self.monitor_console.sendline(cmd.encode("utf8"))
        result = self.monitor_console.expect()
        return result

    @blocking
    def revert_sync(self, snapshot_name):
        '''
        Args:
            snapshot_name: name of snapshot in the current qcow to load

        Returns:
            String: error message. Empty on success.
        '''
        result = self.run_monitor_cmd("loadvm {}".format(snapshot_name))
        # On success we should get no result

        if result.startswith("Length mismatch"):
            raise RuntimeError("QEMU machine's RAM size doesn't match snapshot RAM size!")

        if "does not have the requested snapshot" in result:
            raise ValueError(f"Snapshot '{snapshot_name}' not present in {self.qcow}")

        result = result.strip()
        if len(result):
            warn(f"snapshot load returned error {result}")

        return result

    @blocking
    def delvm_sync(self, snapshot_name):
        self.run_monitor_cmd("delvm {}".format(snapshot_name))

    @blocking
    def copy_to_guest(self, copy_directory, iso_name=None, absolute_paths=False, setup_script="setup.sh", timeout=None, cdrom=None):
        '''

        Copy a directory from the host into the guest by
        1) Creating an .iso image of the directory on the host
        2) Run a bash command to mount it at the exact same path + .ro and then copy the files to the provided path
        3) If the directory contains setup.sh, run it

        Args:
            copy_directory: Local directory to copy into guest
            iso_name: Name of iso file that will be generated. Defaults to [copy_directory].iso
            absolute_paths: is copy_directory an absolute or relative path
            seutp_script: name of a script which, if present inside copy_directory, will be automatically run after the copy
            timeout: maximum time each copy command will be allowed to run for, will use the `run_serial_cmd` default value unless another is provided

        Returns:
            None
        '''

        if not iso_name:
            iso_name = copy_directory + '.iso'
        make_iso(copy_directory, iso_name)

        if not absolute_paths:
            copy_directory = path.split(copy_directory)[-1] # Copy directory relative, not absolutely


        # Drive the guest to mount the drive
        # setup_sh:
        #   Make sure cdrom didn't automount
        #   Make sure guest path mirrors host path
        #   if there is a setup.sh script in the directory,
        #   then run that setup.sh script first (good for scripts that need to
        #   prep guest environment before script runs)
        mount_dir = shlex_quote(copy_directory)

        mkdir_result = self.run_serial_cmd(f"mkdir -p {mount_dir} {mount_dir}.ro && echo \"mkdir_ok\"; echo \"exit code $?\"", timeout=timeout)

        if 'mkdir_ok' not in mkdir_result:
            raise RuntimeError(f"Failed to create mount directories inside guest: {mkdir_result}")

        # Tell panda to we insert the CD drive
        # TODO: the cd-drive name should be a config option, see the values in qcow.py

        cd_drive_name = cdrom
        if cdrom is None:
            if self.cdrom is not None:
                cd_drive_name = self.cdrom
            else:
                cd_drive_name = "ide1-cd0"

        errs = self.run_monitor_cmd("change {} \"{}\"".format(cd_drive_name, iso_name))
        if len(errs):
            warn(f"Warning encountered when connecting media to guest: {errs}")

        try:
            mount_status = "bad"
            for _ in range(10):
                if 'mount_ok' in mount_status:
                    break
                mount_status = self.run_serial_cmd(f"mount /dev/cdrom {mount_dir}.ro && echo 'mount_ok' || (umount /dev/cdrom; echo 'bad')", timeout=timeout)
                sleep(1)
            else:
                # Didn't ever break
                raise RuntimeError(f"Failed to mount media inside guest: {mount_status}")

            # Note the . after our src/. directory - that's special syntax for cp -a
            copy_result = self.run_serial_cmd(f"cp -a {mount_dir}.ro/. {mount_dir} && echo 'copyok'", timeout=timeout)
            
            # NB: exact match here causing issues so making things more flexible
            if not ('copyok' in copy_result):
                raise RuntimeError(f"Copy to rw directory failed: {copy_result}")

        finally:
            # Ensure we disconnect the CD drive after the mount + copy, even if it fails
            self.run_serial_cmd("umount /dev/cdrom") # This can fail and that's okay, we'll forece eject
            sleep(1)
            errs = self.run_monitor_cmd(f"eject -f {cd_drive_name}")
            if len(errs):
                warn(f"Warning encountered when disconnecting media from guest: {errs}")

        if isfile(pjoin(copy_directory, setup_script)):
            setup_result = self.run_serial_cmd(f"{mount_dir}/{setup_script}", timeout=timeout)
            progress(f"[Setup command]: {setup_result}")

    @blocking
    def record_cmd(self, guest_command, copy_directory=None, iso_name=None, setup_command=None, recording_name="recording", snap_name="root", ignore_errors=False):
        '''
        Take a recording as follows:
            0) Revert to the specified snapshot name if one is set. By default 'root'. Set to `None` if you have already set up the guest and are ready to record with no revert
            1) Create an ISO of files that need to be copied into the guest if copy_directory is specified. Copy them in
            2) Run the setup_command in the guest, if provided
            3) Type the command you wish to record but do not press enter to begin execution. This avoids the recording capturing the command being typed
            4) Begin the recording (name controlled by recording_name)
            5) Press enter in the guest to begin the command. Wait until it finishes.
            6) End the recording
        '''
        # 0) Revert to the specified snapshot
        if snap_name is not None:
            self.revert_sync(snap_name) # Can't use self.revert because that would would run async and we'd keep going before the revert happens

        # 1) Make copy_directory into an iso and copy it into the guest - It will end up at the exact same path
        if copy_directory: # If there's a directory, build an ISO and put it in the cddrive
            # Make iso
            self.copy_to_guest(copy_directory, iso_name)

        # 2) Run setup_command, if provided before we start the recording (good place to CD or install, etc)
        if setup_command:
            print(f"Running setup command {setup_command}")
            r = self.run_serial_cmd(setup_command)
            print(f"Setup command results: {r}")

        # 3) type commmand (note we type command, start recording, finish command)
        self.type_serial_cmd(guest_command)

        # 4) start recording
        self.run_monitor_cmd("begin_record {}".format(recording_name))

        # 5) finish command
        result = self.finish_serial_cmd()

        if debug:
            progress("Result of `{}`:".format(guest_command))
            print("\t"+"\n\t".join(result.split("\n"))+"\n")

        if "No such file or directory" in result and not ignore_errors:
            print("Bad output running command: {}".format(result))
            raise RuntimeError("Command not found while taking recording")

        if "cannot execute binary file" in result and not ignore_errors:
            print("Bad output running command: {}".format(result))
            raise RuntimeError("Could not execute binary while taking recording")

        # 6) End recording
        self.run_monitor_cmd("end_record")

        print("Finished recording")

    @blocking
    def interact(self, confirm_quit=True):
        '''
        Expose console interactively until user types pandaquit
        Must be run in blocking thread.

        TODO: This should probably repace self.serial_console with something
        that directly renders output to the user. Then we don't have to handle
        buffering and other problems. But we will need to re-enable the serial_console
        interface after this returns
        '''
        print("PANDA: entering interactive mode. Type pandaquit to exit")
        prompt = self.expect_prompt.decode("utf8") if self.expect_prompt and isinstance(self.expect_prompt, bytes) else "$ "
        if not prompt.endswith(" "): prompt += " "
        while True:
            cmd = input(prompt) # TODO: Strip all control characters - Ctrl-L breaks things
            if cmd.strip() == 'pandaquit':
                if confirm_quit:
                    q = input("PANDA: Quitting interactive mode. Are you sure? (y/n) ")
                    if len(q) and q.lower()[0] == 'y':
                        break
                    else:
                        continue
                else: # No confirm - just break
                    break
            r = self.run_serial_cmd(cmd) # XXX: may timeout
            print(r)

    @blocking
    def do_panda_finish(self):
        '''
        Call panda_finish. Note this isn't really blocking - the
        guest should have exited by now, but queue this after
        (blocking) shutdown commands in our internal async queue
        so it must also be labeled as blocking.
        '''
#        assert (not self.running.is_set()), "Can't finish while still running"
        self.panda_finish()

    ################## CALLBACK FUNCTIONS ################
    # Mixin for handling callbacks and generation of decorators that allow users to register their own callbacks
    # such as panda.cb_before_block_exec()
    def register_cb_decorators(self):
        '''
        Setup callbacks and generate self.cb_XYZ functions for cb decorators
        XXX Don't add any other methods with names starting with 'cb_'
        Callbacks can be called as @panda.cb_XYZ in which case they'll take default arguments and be named the same as the decorated function
        Or they can be called as @panda.cb_XYZ(name='A', procname='B', enabled=True). Defaults: name is function name, procname=None, enabled=True unless procname set
        '''
        for cb_name, pandatype in zip(self.callback._fields, self.callback):
            def closure(closed_cb_name, closed_pandatype): # Closure on cb_name and pandatype
                def f(*args, **kwargs):
                    if len(args): # Called as @panda.cb_XYZ without ()s- no arguments to decorator but we get the function name instead
                        # Call our decorator with only a name argument ON the function itself
                        fun = args[0]
                        return self._generated_callback(closed_pandatype, **{"name": fun.__name__})(fun)
                    else:
                        # Otherwise, we were called as @panda.cb_XYZ() with potential args - Just return the decorator and it's applied to the function
                        return self._generated_callback(closed_pandatype, *args, **kwargs)
                return f

            setattr(self, 'cb_'+cb_name, closure(cb_name, pandatype))

    def _generated_callback(self, pandatype, name=None, procname=None, enabled=True):
        '''
        Actual implementation of self.cb_XYZ. pandatype is pcb.XYZ
        name must uniquely describe a callback
        if procname is specified, callback will only be enabled when that asid is running (requires OSI support)
        '''

        if procname:
            enabled = False # Process won't be running at time 0 (probably)
            self._register_internal_asid_changed_cb()

        def decorator(fun):
            local_name = name  # We need a new varaible otherwise we have scoping issues with _generated_callback's name
            if name is None:
                local_name = fun.__name__

            # 0 works for all callbacks except void. We check later on
            # to see if we need to return None otherwise we return 0
            return_from_exception = 0

            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                        #assert(isinstance(r, int)), "Invalid return type?"
                        #print(fun, r) # Stuck with TypeError in _run_and_catch? Enable this to find where the bug is.
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        return return_from_exception

            cast_rc = pandatype(_run_and_catch)
            cast_rc_string = str(self.ffi.typeof(cast_rc))
            return_from_exception = 0
            if "void(*)(" in cast_rc_string:
                return_from_exception = None

            self.register_callback(pandatype, cast_rc, local_name, enabled=enabled, procname=procname)
            def wrapper(*args, **kw):
                return _run_and_catch(*args, **kw)
            return wrapper
        return decorator

    def _register_internal_asid_changed_cb(self):
        '''
        Call this function if you need procname filtering for callbacks. It enables
        an internal callback on asid_changed (and sometimes an after_block_exec cb)
        which will deteremine when the process name changes and enable/disable other callbacks
        that filter on process name.
        '''
        if self._registered_asid_changed_internal_cb: # Already registered these callbacks
            return

        @self.ppp("syscalls2", "on_sys_brk_enter")
        def on_sys_brk_enter(cpu, pc, brk):
            name = self.get_process_name(cpu)
            asid = self.libpanda.panda_current_asid(cpu)
            if self.asid_mapping.get(asid, None) != name:
                self.asid_mapping[asid] = name
                self._procname_changed(cpu, name)

        @self.callback.after_block_exec
        def __get_pending_procname_change(cpu, tb, exit_code):
            if exit_code: # Didn't actually execute block
                return None
            if not self.in_kernel(cpu): # Once we're out of kernel code, grab procname
                process = self.plugins['osi'].get_current_process(cpu)
                if process != self.ffi.NULL:
                    name = self.ffi.string(process.name).decode("utf8", "ignore")
                else:
                    return None # Couldn't figure out the process
                asid = self.libpanda.panda_current_asid(cpu)
                self.asid_mapping[asid] = name
                self._procname_changed(cpu, name)
                self.disable_callback('__get_pending_procname_change') # Disabled to begin


        # Local function def
        @self.callback.asid_changed
        def __asid_changed(cpustate, old_asid, new_asid):
            '''
            When the ASID changes, check if we know its procname (in self.asid_mapping),
            if so, call panda._procname_changed(cpu, name). Otherwise, we enable __get_pending_procname_change CB, which
            waits until the procname changes. Then we grab the new procname, update self.asid_mapping and call
            panda._procname_changed(cpu, name)
            '''
            if old_asid == new_asid:
                return 0

            if new_asid not in self.asid_mapping: # We don't know this ASID->procname - turn on __get_pending_procname_change
                if not self.is_callback_enabled('__get_pending_procname_change'):
                    self.enable_callback('__get_pending_procname_change')
            else: # We do know this ASID->procname, just call procname_changed
                self._procname_changed(cpustate, self.asid_mapping[new_asid])

            return 0

        self.register_callback(self.callback.asid_changed, __asid_changed, "__asid_changed") # Always call on ASID change

        # This internal callback is only enabled on-demand (later) when we need to figure out ASID->procname mappings
        self.register_callback(self.callback.after_block_exec, __get_pending_procname_change, "__get_pending_procname_change", enabled=False)

        self._registered_asid_changed_internal_cb = True

    def register_callback(self, callback, function, name, enabled=True, procname=None):
        # CB   = self.callback.main_loop_wait
        # func = main_loop_wait_cb
        # name = main_loop_wait

        if name in self.registered_callbacks:
            print(f"Warning: replacing existing callback '{name}' since it was re-registered")
            self.delete_callback(name)

        cb = self.callback_dictionary[callback]

        # Generate a unique handle for each callback type using the number of previously registered CBs of that type added to a constant
        self.plugin_register_count += 1
        handle = self.ffi.cast('void *', self.plugin_register_count)

        # XXX: We should have another layer of indirection here so we can catch
        #      exceptions raised during execution of the CB and abort analysis
        pcb = self.ffi.new("panda_cb *", {cb.name:function})

        if debug:
            progress("Registered function '{}' to run on callback {}".format(name, cb.name))

        self.libpanda.panda_register_callback_helper(handle, cb.number, pcb)
        self.registered_callbacks[name] = {"procname": procname, "enabled": True, "callback": cb,
                           "handle": handle, "pcb": pcb, "function": function} # XXX: if function is not saved here it gets GC'd and everything breaks! Watch out!

        if not enabled: # Note the registered_callbacks dict starts with enabled true and then we update it to false as necessary here
            self.disable_callback(name)

        if "block" in cb.name and "start" not in cb.name and "end" not in cb.name:
            if not self.disabled_tb_chaining:
                print("Warning: disabling TB chaining to support {} callback".format(cb.name))
                self.disable_tb_chaining()


    def is_callback_enabled(self, name):
        if name not in self.registered_callbacks.keys():
            raise RuntimeError("No callback has been registered with name '{}'".format(name))
        return self.registered_callbacks[name]['enabled']

    def enable_internal_callbacks(self):
        '''
        Enable all our internal callbacks that start with __ such as __main_loop_wait
        and __asid_changed. Important in case user has done a panda.end_analysis()
        and then (re)called run
        '''
        for name in self.registered_callbacks.keys():
            if name.startswith("__") and not self.registered_callbacks[name]['enabled']:
                self.enable_callback(name)

    def enable_all_callbacks(self):
        '''
        Enable all python callbacks that have been disabled
        '''
        for name in self.registered_callbacks.keys():
            self.enable_callback(name)

    def enable_callback(self, name):
        '''
        Enable a panda plugin using its handle and cb.number as a unique ID
        '''

        # During shutdown callback may be deleted before a request to enable comes through
        if self.ending:
            return

        if name not in self.registered_callbacks.keys():
            raise RuntimeError("No callback has been registered with name '{}'".format(name))

        self.registered_callbacks[name]['enabled'] = True
        handle = self.registered_callbacks[name]['handle']
        cb = self.registered_callbacks[name]['callback']
        pcb = self.registered_callbacks[name]['pcb']
        #progress("Enabling callback '{}' on '{}' handle = {}".format(name, cb.name, handle))
        self.libpanda.panda_enable_callback_helper(handle, cb.number, pcb)

    def disable_callback(self, name, forever=False):
        '''
        Disable a panda plugin using its handle and cb.number as a unique ID
        If forever is specified, we'll never reenable the call- useful when
        you want to really turn off something with a procname filter.
        '''
        # During shutdown callback may be deleted before a request to enable comes through
        if self.ending:
            return

        if name not in self.registered_callbacks.keys():
            raise RuntimeError("No callback has been registered with name '{}'".format(name))
        self.registered_callbacks[name]['enabled'] = False
        handle = self.registered_callbacks[name]['handle']
        cb = self.registered_callbacks[name]['callback']
        pcb = self.registered_callbacks[name]['pcb']
        #progress("Disabling callback '{}' on '{}' handle={}".format(name, cb.name, handle))
        self.libpanda.panda_disable_callback_helper(handle, cb.number, pcb)

        if forever:
            del self.registered_callbacks[name]

    def delete_callback(self, name):
        '''
        Completely delete a registered panda callback by name
        '''
        if name not in self.registered_callbacks.keys():
            raise ValueError("No callback has been registered with name '{}'".format(name))

        handle = self.registered_callbacks[name]['handle']
        self.libpanda.panda_unregister_callbacks(handle)
        if not hasattr(self,"old_cb_list"):
            self.old_cb_list = []
        self.old_cb_list.append(self.registered_callbacks[name])
        del self.registered_callbacks[name]['handle']
        del self.registered_callbacks[name]

    def delete_callbacks(self):
        #for name in self.registered_callbacks.keys():
        while len(self.registered_callbacks.keys()) > 0:
            self.delete_callback(list(self.registered_callbacks.keys())[0])

        # Disable PPP callbacks
        for name in list(self.ppp_registered_cbs) if hasattr(self, 'ppp_registered_cbs') else []:
            self.disable_ppp(name)

    ###########################
    ### PPP-style callbacks ###
    ###########################

    def ppp(self, plugin_name, attr, name=None, autoload=True):
        '''
        Decorator for plugin-to-plugin interface. Note this isn't in decorators.py
        becuase it uses the panda object.

        Example usage to register my_run with syscalls2 as a 'on_sys_open_return'
        @ppp("syscalls2", "on_sys_open_return")
        def my_fun(cpu, pc, filename, flags, mode):
            ...
        '''

        if plugin_name not in self.plugins and autoload: # Could automatically load it?
            print(f"PPP automatically loaded plugin {plugin_name}")

        if not hasattr(self, "ppp_registered_cbs"):
            self.ppp_registered_cbs = {}
            # We use this to traak fn_names->fn_pointers so we can later disable by name

            # XXX: if  we don't save the cffi generated callbacks somewhere in Python,
            # they may get garbage collected even though the c-code could still has a
            # reference to them  which will lead to a crash. If we stop using this to track
            # function names, we need to keep it or something similar to ensure the reference
            # count remains >0 in python

        def decorator(fun):
            local_name = name  # We need a new varaible otherwise we have scoping issues, maybe
            if local_name is None:
                local_name = fun.__name__

            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                        #assert(isinstance(r, int)), "Invalid return type?"
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        # this works in all current callback cases. CFFI auto-converts to void, bool, int, and int32_t

            cast_rc = self.ffi.callback(attr+"_t")(_run_and_catch)  # Wrap the python fn in a c-callback.
            if local_name == "<lambda>":
                local_name = f"<lambda_{self.lambda_cnt}>"
                self.lambda_cnt += 1

            if local_name in self.ppp_registered_cbs:
                print(f"Warning: replacing existing PPP callback '{local_name}' since it was re-registered")
                self.disable_ppp(local_name)

            assert (local_name not in self.ppp_registered_cbs), f"Two callbacks with conflicting name: {local_name}"

            # Ensure function isn't garbage collected, and keep the name->(fn, plugin_name, attr) map for disabling
            self.ppp_registered_cbs[local_name] = (cast_rc, plugin_name, attr)

            getattr(self.plugins[plugin_name], f'ppp_add_cb_{attr}')(cast_rc) # All PPP  cbs start with this string.
            return cast_rc
        return decorator


    def disable_ppp(self, name):
        '''
        Disable a ppp-style callback by name.
        Unlike regular panda callbacks which can be enabled/disabled/deleted, PPP callbacks are only enabled/deleted (which we call disabled)

        Example usage to register my_run with syscalls2 as a 'on_sys_open_return' and then disable:
        ```
        @ppp("syscalls2", "on_sys_open_return")
        def my_fun(cpu, pc, filename, flags, mode):
            ...

        panda.disable_ppp("my_fun")
        ```

        -- OR --

        ```
        @ppp("syscalls2", "on_sys_open_return", name="custom")
        def my_fun(cpu, pc, filename, flags, mode):
            ...
        ```

        panda.disable_ppp("custom")
        '''

        (f, plugin_name, attr) = self.ppp_registered_cbs[name]
        getattr(self.plugins[plugin_name], f'ppp_remove_cb_{attr}')(f) # All PPP cbs start with this string.
        del self.ppp_registered_cbs[name] # It's now safe to be garbage collected

    ########## GDB MIXINS ##############
    """
    Provides the ability to interact with a QEMU attached gdb session by setting and clearing breakpoints. Experimental.
    """

    def set_breakpoint(self, cpu, pc):
        '''
        Set a GDB breakpoint such that when the guest hits PC, execution is paused and an attached
        GDB instance can introspect on guest memory. Requires starting panda with -s, at least for now
        '''
        BP_GDB = 0x10
        self.libpanda.cpu_breakpoint_insert(cpu, pc, BP_GDB, self.ffi.NULL)

    def clear_breakpoint(self, cpu, pc):
        '''
        Remove a breakpoint
        '''
        BP_GDB = 0x10
        self.libpanda.cpu_breakpoint_remove(cpu, pc, BP_GDB)

    ############# HOOKING MIXINS ###############

    def hook(self, addr, enabled=True, kernel=None, asid=None, cb_type="start_block_exec"):
        '''
        Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
        the function will be called with args (CPUState, TranslationBlock)
        '''

        def decorator(fun):
            if cb_type == "before_tcg_codegen" or cb_type == "after_block_translate" or cb_type == "before_block_exec" or cb_type == "start_block_exec" or cb_type == "end_block_exec":
                hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , struct hook *)")
            elif cb_type == "after_block_exec":
                hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , uint8_t, struct hook *)")
            elif cb_type == "before_block_translate":
                hook_cb_type = self.ffi.callback("void(CPUState* env, target_ptr_t pc, struct hook*)")
            elif cb_type == "before_block_exec_invalidate_opt":
                hook_cb_type = self.ffi.callback("bool(CPUState* env, TranslationBlock*, struct hook*)")
            else:
                print("function type not supported")
                return
            type_num = getattr(self.libpanda, "PANDA_CB_"+cb_type.upper())

            if debug:
                print("Registering breakpoint at 0x{:x} -> {} == {}".format(addr, fun, 'cdata_cb'))
            
            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                        #assert(isinstance(r, int)), "Invalid return type?"
                        #print(fun, r) # Stuck with TypeError in _run_and_catch? Enable this to find where the bug is.
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        return 0

            # Inform the plugin that it has a new breakpoint at addr
            hook_cb_passed = hook_cb_type(_run_and_catch)
            new_hook = self.ffi.new("struct hook*")
            new_hook.type = type_num
            new_hook.addr = addr
            if kernel or asid is None:
                new_hook.asid = 0
            else:
                new_hook.asid = asid

            setattr(new_hook.cb,cb_type, hook_cb_passed)
            if kernel:
                new_hook.km = self.libpanda.MODE_KERNEL_ONLY
            elif kernel == False:
                new_hook.km = self.libpanda.MODE_USER_ONLY
            else:
                new_hook.km = self.libpanda.MODE_ANY
            new_hook.enabled = enabled

            self.plugins['hooks'].add_hook(new_hook)
            self.hook_list.append((new_hook, hook_cb_passed))

            def wrapper(*args, **kw):
                return _run_and_catch(args,kw)
            return wrapper
        return decorator

    def hook_symbol_resolution(self, libraryname, symbol, name=None):
        '''
        Decorate a function to setup a hook: when a guest process resolves a symbol
        the function will be called with args (CPUState, struct hook_symbol_resolve, struct symbol, OsiModule)

        Args:
            libraryname (string): Name of library containing symbol to be hooked. May be None to match any.
            symbol (string, int): Name of symbol or offset into library to hook
            name (string): name of hook, defaults to function name

        Returns:
            None: Decorated function is called when guest resolves the specified symbol in the specified library.
        '''
        #Mostly based on hook_symbol below
        def decorator(fun):
            sh = self.ffi.new("struct hook_symbol_resolve*")
            sh.hook_offset = False
            if symbol is not None:
                if isinstance(symbol, int):
                    sh.offset = symbol
                    sh.hook_offset = True
                    symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
                else:
                    symbolname_ffi = self.ffi.new("char[]",bytes(symbol,"utf-8"))
            else:
                symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            self.ffi.memmove(sh.name,symbolname_ffi,len(symbolname_ffi))

            if libraryname is not None:
                libname_ffi = self.ffi.new("char[]",bytes(libraryname,"utf-8"))
            else:
                libname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            self.ffi.memmove(sh.section,libname_ffi,len(libname_ffi))

            #sh.id #not used here
            sh.enabled = True
            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        return None

            sr_hook_cb_type = self.ffi.callback("void (struct hook_symbol_resolve *sh, struct symbol s, target_ulong asid)")
            sr_hook_cb_ptr = sr_hook_cb_type(_run_and_catch)
            sh.cb = sr_hook_cb_ptr
            hook_ptr = self.plugins['dynamic_symbols'].hook_symbol_resolution(sh)
            self.sr_hooks.append((sh, sr_hook_cb_ptr, hook_ptr))

            def wrapper(*args, **kw):
                _run_and_catch(args,kw)
            return wrapper
        return decorator

    def hook_symbol(self, libraryname, symbol, kernel=False, name=None, cb_type="start_block_exec"):
        '''
        Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
        the function will be called with args (CPUState, TranslationBlock, struct hook)

        Args:
            libraryname (string): Name of library containing symbol to be hooked. May be None to match any.
            symbol (string, int): Name of symbol or offset into library to hook
            kernel (bool): if hook should be applied exclusively in kernel mode
            name (string): name of hook, defaults to function name
            cb_type (string): callback-type, defaults to start_block_exec

        Returns:
            None: Decorated function is called when (before/after is determined by cb_type) guest goes to call
                  the specified symbol in the specified library.
        '''

        def decorator(fun):
            if cb_type == "before_tcg_codegen" or cb_type == "after_block_translate" or cb_type == "before_block_exec" or cb_type == "start_block_exec" or cb_type == "end_block_exec":
                hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , struct hook *)")
            elif cb_type == "after_block_exec":
                hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , uint8_t, struct hook *)")
            elif cb_type == "before_block_translate":
                hook_cb_type = self.ffi.callback("void(CPUState* env, target_ptr_t pc, struct hook*)")
            elif cb_type == "before_block_exec_invalidate_opt":
                hook_cb_type = self.ffi.callback("bool(CPUState* env, TranslationBlock*, struct hook*)")
            else:
                print("function type not supported")
                return

            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        if cb_type == "before_block_exec_invalidate_opt":
                            return False
                        return None


            # Inform the plugin that it has a new breakpoint at addr
            hook_cb_passed = hook_cb_type(_run_and_catch)
            new_hook = self.ffi.new("struct symbol_hook*")
            type_num = getattr(self.libpanda, "PANDA_CB_"+cb_type.upper())
            new_hook.type = type_num
            if libraryname is not None:
                libname_ffi = self.ffi.new("char[]",bytes(libraryname,"utf-8"))
            else:
                libname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            self.ffi.memmove(new_hook.section,libname_ffi,len(libname_ffi))

            new_hook.hook_offset = False
            if symbol is not None:
                if isinstance(symbol, int):
                    new_hook.offset = symbol
                    new_hook.hook_offset = True
                    symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
                else:
                    symbolname_ffi = self.ffi.new("char[]",bytes(symbol,"utf-8"))
                    new_hook.hook_offset = False
            else:
                symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            self.ffi.memmove(new_hook.name,symbolname_ffi,len(symbolname_ffi))
            setattr(new_hook.cb,cb_type, hook_cb_passed)
            hook_ptr = self.plugins['hooks'].add_symbol_hook(new_hook)
            if name is not None:
                self.named_hooks[name] = hook_ptr
            self.hook_list.append((fun, new_hook,hook_cb_passed, hook_ptr))

            def wrapper(*args, **kw):
                _run_and_catch(args,kw)
            return wrapper
        return decorator

    def get_best_matching_symbol(self, cpu, pc=None, asid=None):
        '''
        Use the dynamic symbols plugin to get the best matching symbol for a given program counter.

        Args:
            cpu (CPUState): CPUState structure
            pc (int): program counter, defaults to current
            asid (int): ASID, defaults to current
        '''
        if asid is None:
            asid = self.current_asid(cpu)
        if pc is None:
            pc = self.current_pc(cpu)
        return self.plugins['dynamic_symbols'].get_best_matching_symbol(cpu, pc, asid)


    ################### Hooks2 Functions ############
    # Provides the ability to interact with the hooks2 plugin and receive callbacks based on user-provided criteria.

    def enable_hook2(self,hook_name):
        '''
        Set a hook2-plugin hook's status to active.

        .. Deprecated:: Use the hooks plugin instead.
        '''
        if hook_name in self.hook_list2:
            self.plugins['hooks2'].enable_hooks2(self.hook_list2[hook_name])
        else:
            print("ERROR: Your hook name was not in the hook list")

    def disable_hook2(self,hook_name):
        '''
        Set a hook2-plugin hook's status to inactive.

        .. Deprecated:: Use the hooks plugin instead.
        '''
        if hook_name in self.hook_list2:
            self.plugins['hooks2'].disable_hooks2(self.hook_list2[hook_name])
        else:
            print("ERROR: Your hook name was not in the hook list")

    def hook2(self,name, kernel=True, procname=None, libname=None, trace_start=0, trace_stop=0, range_begin=0, range_end=0):
        '''
        Decorator to create a hook with the hooks2 plugin.

        .. Deprecated:: Use the hooks plugin instead.
        '''

        if procname == None:
            procname = self.ffi.NULL
        if libname == None:
            libname = self.ffi.NULL


        if procname != self.ffi.NULL:
            procname = self.ffi.new("char[]",bytes(procname,"utf-8"))
        if libname != self.ffi.NULL:
            libname = self.ffi.new("char[]",bytes(libname,"utf-8"))
        '''
        Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
        the function will be called with args (CPUState, TranslationBlock)
        '''
        def decorator(fun):
            # Ultimately, our hook resolves as a before_block_exec_invalidate_opt callback so we must match its args
            hook_cb_type = self.ffi.callback("bool (CPUState*, TranslationBlock*, void*)")
            # Inform the plugin that it has a new breakpoint at addr

            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                        #assert(isinstance(r, int)), "Invalid return type?"
                        #print(fun, r) # Stuck with TypeError in _run_and_catch? Enable this to find where the bug is.
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        return True


            hook_cb_passed = hook_cb_type(_run_and_catch)
            if not hasattr(self, "hook_gc_list"):
                self.hook_gc_list = [hook_cb_passed]
            else:
                self.hook_gc_list.append(hook_cb_passed)

            # I don't know what this is/does
            cb_data =self.ffi.NULL
            hook_number = self.plugins['hooks2'].add_hooks2(hook_cb_passed, cb_data, kernel, \
                procname, libname, trace_start, trace_stop, range_begin,range_end)

            self.hook_list2[name] = hook_number

            def wrapper(*args, **kw):
                return _run_and_catch(*args, **kw)
            return wrapper
        return decorator

    def hook2_single_insn(self, name, pc, kernel=False, procname=None, libname=None):
        '''
        Helper function to hook a single instruction with the hooks2 plugin.

        .. Deprecated:: Use the hooks plugin instead.
        '''
        if procname == None:
            procname = self.ffi.NULL
        if libname == None:
            libname = self.ffi.NULL
        return self.hook2(name, kernel=kernel, procname=procname,libname=libname,range_begin=pc, range_end=pc)

    # MEM HOOKS
    def _hook_mem(self, start_address, end_address, before, after, read, write, virtual, physical, enabled):
        def decorator(fun):
            mem_hook_cb_type = self.ffi.callback("mem_hook_func_t")
            # Inform the plugin that it has a new breakpoint at addr
            
            def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
                if not hasattr(self, "exit_exception"):
                    try:
                        r = fun(*args, **kwargs)
                        return r
                    except Exception as e:
                        # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                        # machine exits.
                        if self.catch_exceptions:
                            self.exit_exception = e
                            self.end_analysis()
                        else:
                            raise e
                        return None

            hook_cb_passed = mem_hook_cb_type(_run_and_catch)
            mem_reg = self.ffi.new("struct memory_hooks_region*")
            mem_reg.start_address = start_address
            mem_reg.stop_address = end_address
            mem_reg.on_before = before
            mem_reg.on_after = after
            mem_reg.on_read = read
            mem_reg.on_write = write
            mem_reg.on_virtual = virtual
            mem_reg.on_physical = physical
            mem_reg.enabled = enabled
            mem_reg.cb = hook_cb_passed

            hook = self.plugins['mem_hooks'].add_mem_hook(mem_reg)

            self.mem_hooks[hook] = [mem_reg, hook_cb_passed]


            def wrapper(*args, **kw):
                _run_and_catch(args,kw)


            return wrapper
        return decorator

    def hook_mem(self, start_address, end_address, on_before, on_after, on_read, on_write, on_virtual, on_physical, enabled):
        '''
        Decorator to hook a memory range with the mem_hooks plugin

        .. todo:: Fully document mem-hook decorators
        '''
        return self._hook_mem(start_address,end_address,on_before,on_after,on_read, on_write, on_virtual, on_physical, enabled)

    def hook_phys_mem_read(self, start_address, end_address, on_before=True, on_after=False, enabled=True):
        '''
        Decorator to hook physical memory reads with the mem_hooks plugin
        '''
        return self._hook_mem(start_address,end_address,on_before,on_after, True, False, False, True, True)

    def hook_phys_mem_write(self, start_address, end_address, on_before=True, on_after=False):
        '''
        Decorator to hook physical memory writes with the mem_hooks plugin
        '''
        return self._hook_mem(start_address,end_address,on_before,on_after, False, True, False, True, True)

    def hook_virt_mem_read(self, start_address, end_address, on_before=True, on_after=False):
        '''
        Decorator to hook virtual memory reads with the mem_hooks plugin
        '''
        return self._hook_mem(start_address,end_address,on_before,on_after, True, False, True, False, True)

    def hook_virt_mem_write(self, start_address, end_address, on_before=True, on_after=False):
        '''
        Decorator to hook virtual memory writes with the mem_hooks plugin
        '''
        return self._hook_mem(start_address,end_address,on_before,on_after, False, True, True, False, True)

Instance variables

var arch

A reference to an auto-instantiated PandaArch subclass (e.g., X86Arch)

var pyplugins

A reference to an auto-instantiated pandare.pyplugin.PyPluginManager class.

Expand source code
@property
def pyplugins(self):
    """
    A reference to an auto-instantiated `pandare.pyplugin.PyPluginManager` class.
    """
    if not hasattr(self, "_pyplugin_manager"):
        from .pypluginmanager import PyPluginManager
        self._pyplugin_manager = PyPluginManager(self)
    return self._pyplugin_manager

Methods

def address_to_ram_offset(self, hwaddr, is_write)

Convert physical address to ram offset

Args

hwaddr : int
physical address
is_write : bool
boolean representing if this is a write

Returns

ram offset (int)

Raises

ValueError if memory access fails or fmt is unsupported

Expand source code
def address_to_ram_offset(self, hwaddr, is_write):
    '''
    Convert physical address to ram offset

    Args:
        hwaddr (int): physical address
        is_write (bool): boolean representing if this is a write

    Returns:
        ram offset (int)

    Raises:
        ValueError if memory access fails or fmt is unsupported
    '''
    
    out = self.ffi.new("ram_addr_t*", self.ffi.cast("ram_addr_t", 0))
    value = self.libpanda.PandaPhysicalAddressToRamOffset_external(out, hwaddr, is_write)
    if value != 0:
        raise ValueError(f"address_to_ram_offset returned {value}")
    return out[0]
def arm_load_kernel(self, cpu, bootinfo)
Expand source code
def arm_load_kernel(self, cpu, bootinfo):
    return self.libpanda.arm_load_kernel(cpu, bootinfo)
def break_exec(self)

If called from a start block exec callback, will cause the emulation to bail before executing the rest of the current block.

Expand source code
def break_exec(self):
    '''
    If called from a start block exec callback, will cause the emulation to bail *before* executing
    the rest of the current block.
    '''
    return self.libpanda.panda_do_break_exec()
def callstack_callers(self, lim, cpu)

Helper function for callstack_instr plugin Handle conversion and return get_callers from callstack_instr.

Expand source code
def callstack_callers(self, lim, cpu): # XXX move into new directory, 'callstack' ?
    '''
    Helper function for callstack_instr plugin
    Handle conversion and return get_callers from callstack_instr.
    '''
    if not "callstack_instr" in self.plugins:
        progress("enabling callstack_instr plugin")
        self.load_plugin("callstack_instr")

    callers = self.ffi.new("uint%d_t[%d]" % (self.bits, lim))
    n = self.plugins['callstack_instr'].get_callers(callers, lim, cpu)
    c = []
    for pc in callers:
        c.append(pc)
    return c
def cleanup(self)

Unload all plugins and close pandalog.

Returns

None

Expand source code
def cleanup(self):
    '''
    Unload all plugins and close pandalog.

    Returns:
        None
    '''
    self.libpanda.panda_cleanup()
def clear_breakpoint(self, cpu, pc)

Remove a breakpoint

Expand source code
def clear_breakpoint(self, cpu, pc):
    '''
    Remove a breakpoint
    '''
    BP_GDB = 0x10
    self.libpanda.cpu_breakpoint_remove(cpu, pc, BP_GDB)
def cont(self)

Continue execution (run after vm_stop)

Expand source code
def cont(self):
    ''' Continue execution (run after vm_stop) '''
    self.libpanda.panda_cont()
    self.running.set()
def copy_to_guest(self, copy_directory, iso_name=None, absolute_paths=False, setup_script='setup.sh', timeout=None, cdrom=None)

Copy a directory from the host into the guest by 1) Creating an .iso image of the directory on the host 2) Run a bash command to mount it at the exact same path + .ro and then copy the files to the provided path 3) If the directory contains setup.sh, run it

Args

copy_directory
Local directory to copy into guest
iso_name
Name of iso file that will be generated. Defaults to [copy_directory].iso
absolute_paths
is copy_directory an absolute or relative path
seutp_script
name of a script which, if present inside copy_directory, will be automatically run after the copy
timeout
maximum time each copy command will be allowed to run for, will use the run_serial_cmd default value unless another is provided

Returns

None

Expand source code
@blocking
def copy_to_guest(self, copy_directory, iso_name=None, absolute_paths=False, setup_script="setup.sh", timeout=None, cdrom=None):
    '''

    Copy a directory from the host into the guest by
    1) Creating an .iso image of the directory on the host
    2) Run a bash command to mount it at the exact same path + .ro and then copy the files to the provided path
    3) If the directory contains setup.sh, run it

    Args:
        copy_directory: Local directory to copy into guest
        iso_name: Name of iso file that will be generated. Defaults to [copy_directory].iso
        absolute_paths: is copy_directory an absolute or relative path
        seutp_script: name of a script which, if present inside copy_directory, will be automatically run after the copy
        timeout: maximum time each copy command will be allowed to run for, will use the `run_serial_cmd` default value unless another is provided

    Returns:
        None
    '''

    if not iso_name:
        iso_name = copy_directory + '.iso'
    make_iso(copy_directory, iso_name)

    if not absolute_paths:
        copy_directory = path.split(copy_directory)[-1] # Copy directory relative, not absolutely


    # Drive the guest to mount the drive
    # setup_sh:
    #   Make sure cdrom didn't automount
    #   Make sure guest path mirrors host path
    #   if there is a setup.sh script in the directory,
    #   then run that setup.sh script first (good for scripts that need to
    #   prep guest environment before script runs)
    mount_dir = shlex_quote(copy_directory)

    mkdir_result = self.run_serial_cmd(f"mkdir -p {mount_dir} {mount_dir}.ro && echo \"mkdir_ok\"; echo \"exit code $?\"", timeout=timeout)

    if 'mkdir_ok' not in mkdir_result:
        raise RuntimeError(f"Failed to create mount directories inside guest: {mkdir_result}")

    # Tell panda to we insert the CD drive
    # TODO: the cd-drive name should be a config option, see the values in qcow.py

    cd_drive_name = cdrom
    if cdrom is None:
        if self.cdrom is not None:
            cd_drive_name = self.cdrom
        else:
            cd_drive_name = "ide1-cd0"

    errs = self.run_monitor_cmd("change {} \"{}\"".format(cd_drive_name, iso_name))
    if len(errs):
        warn(f"Warning encountered when connecting media to guest: {errs}")

    try:
        mount_status = "bad"
        for _ in range(10):
            if 'mount_ok' in mount_status:
                break
            mount_status = self.run_serial_cmd(f"mount /dev/cdrom {mount_dir}.ro && echo 'mount_ok' || (umount /dev/cdrom; echo 'bad')", timeout=timeout)
            sleep(1)
        else:
            # Didn't ever break
            raise RuntimeError(f"Failed to mount media inside guest: {mount_status}")

        # Note the . after our src/. directory - that's special syntax for cp -a
        copy_result = self.run_serial_cmd(f"cp -a {mount_dir}.ro/. {mount_dir} && echo 'copyok'", timeout=timeout)
        
        # NB: exact match here causing issues so making things more flexible
        if not ('copyok' in copy_result):
            raise RuntimeError(f"Copy to rw directory failed: {copy_result}")

    finally:
        # Ensure we disconnect the CD drive after the mount + copy, even if it fails
        self.run_serial_cmd("umount /dev/cdrom") # This can fail and that's okay, we'll forece eject
        sleep(1)
        errs = self.run_monitor_cmd(f"eject -f {cd_drive_name}")
        if len(errs):
            warn(f"Warning encountered when disconnecting media from guest: {errs}")

    if isfile(pjoin(copy_directory, setup_script)):
        setup_result = self.run_serial_cmd(f"{mount_dir}/{setup_script}", timeout=timeout)
        progress(f"[Setup command]: {setup_result}")
def cpu_class_by_name(self, name, cpu_model)

Gets cpu class from name. Calls cpu_class_by_name QEMU function.

Args

name
typename from python string
cpu_model
string specified cpu model

Returns

ObjectClass struct

Expand source code
def cpu_class_by_name(self, name, cpu_model):
    '''
    Gets cpu class from name.
    Calls cpu_class_by_name QEMU function.

    Args:
        name: typename from python string
        cpu_model: string specified cpu model

    Returns:
        ObjectClass struct
    '''
    return self.libpanda.cpu_class_by_name(name, cpu_model)
def create_external_gic(self, vbi, irqs, gic_vers, secure)
Expand source code
def create_external_gic(self, vbi, irqs, gic_vers, secure):
    return self.libpanda.create_external_gic(vbi, irqs, gic_vers, secure)
def create_internal_gic(self, vbi, irqs, gic_vers)
Expand source code
def create_internal_gic(self, vbi, irqs, gic_vers):
    return self.libpanda.create_internal_gic(vbi, irqs, gic_vers)
def create_one_flash(self, name, flashbase, flashsize, filename, mr)
Expand source code
def create_one_flash(self, name, flashbase, flashsize, filename, mr):
    return self.libpanda.create_one_flash(name, flashbase, flashsize, filename, mr)
def create_virtio_devices(self, vbi, pic)
Expand source code
def create_virtio_devices(self, vbi, pic):
    return self.libpanda.create_virtio_devices(vbi, pic)
def current_asid(self, cpu)

Get current Application Specific ID

Args

cpu : CPUState
CPUState structure

Returns

integer
value of current ASID
Expand source code
def current_asid(self, cpu):
    '''
    Get current Application Specific ID

    Args:
        cpu (CPUState): CPUState structure

    Returns:
        integer: value of current ASID
    '''
    return self.libpanda.panda_current_asid(cpu)
def current_pc(self, cpu)

Get current program counter

Args

cpu : CPUState
CPUState structure

Return

integer value of current program counter

Deprecated: Use panda.arch.get_pc(cpu) instead

Expand source code
def current_pc(self, cpu):
    '''
    Get current program counter

    Args:
        cpu (CPUState): CPUState structure

    Return:
        integer value of current program counter

    .. Deprecated:: Use panda.arch.get_pc(cpu) instead
    '''
    return self.libpanda.panda_current_pc(cpu)
def current_sp(self, cpu)

Get current stack pointer

Args

cpu : CPUState
CPUState structure

Return

int: Value of stack pointer

Expand source code
def current_sp(self, cpu):
    '''
    Get current stack pointer

    Args:
        cpu (CPUState): CPUState structure

    Return:
        int: Value of stack pointer
    '''
    return self.libpanda.panda_current_sp_external(cpu)
def delete_callback(self, name)

Completely delete a registered panda callback by name

Expand source code
def delete_callback(self, name):
    '''
    Completely delete a registered panda callback by name
    '''
    if name not in self.registered_callbacks.keys():
        raise ValueError("No callback has been registered with name '{}'".format(name))

    handle = self.registered_callbacks[name]['handle']
    self.libpanda.panda_unregister_callbacks(handle)
    if not hasattr(self,"old_cb_list"):
        self.old_cb_list = []
    self.old_cb_list.append(self.registered_callbacks[name])
    del self.registered_callbacks[name]['handle']
    del self.registered_callbacks[name]
def delete_callbacks(self)
Expand source code
def delete_callbacks(self):
    #for name in self.registered_callbacks.keys():
    while len(self.registered_callbacks.keys()) > 0:
        self.delete_callback(list(self.registered_callbacks.keys())[0])

    # Disable PPP callbacks
    for name in list(self.ppp_registered_cbs) if hasattr(self, 'ppp_registered_cbs') else []:
        self.disable_ppp(name)
def delvm(self, snapshot_name)

Delete snapshot with specified name

Args

snapshot_name : str
name of the snapshot

Returns

None

Expand source code
def delvm(self, snapshot_name):
    '''
    Delete snapshot with specified name
    Args:
        snapshot_name (str): name of the snapshot

    Returns:
        None
    '''

    if debug:
        progress ("Deleting snapshot " + snapshot_name)

    # Stop guest, queue up delete, then continue
    self.vm_stop()
    charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
    self.queue_main_loop_wait_fn(self.libpanda.panda_delvm, [charptr])
def delvm_sync(self, snapshot_name)
Expand source code
@blocking
def delvm_sync(self, snapshot_name):
    self.run_monitor_cmd("delvm {}".format(snapshot_name))
def disable_callback(self, name, forever=False)

Disable a panda plugin using its handle and cb.number as a unique ID If forever is specified, we'll never reenable the call- useful when you want to really turn off something with a procname filter.

Expand source code
def disable_callback(self, name, forever=False):
    '''
    Disable a panda plugin using its handle and cb.number as a unique ID
    If forever is specified, we'll never reenable the call- useful when
    you want to really turn off something with a procname filter.
    '''
    # During shutdown callback may be deleted before a request to enable comes through
    if self.ending:
        return

    if name not in self.registered_callbacks.keys():
        raise RuntimeError("No callback has been registered with name '{}'".format(name))
    self.registered_callbacks[name]['enabled'] = False
    handle = self.registered_callbacks[name]['handle']
    cb = self.registered_callbacks[name]['callback']
    pcb = self.registered_callbacks[name]['pcb']
    #progress("Disabling callback '{}' on '{}' handle={}".format(name, cb.name, handle))
    self.libpanda.panda_disable_callback_helper(handle, cb.number, pcb)

    if forever:
        del self.registered_callbacks[name]
def disable_hook2(self, hook_name)

Set a hook2-plugin hook's status to inactive.

Deprecated: Use the hooks plugin instead.

Expand source code
def disable_hook2(self,hook_name):
    '''
    Set a hook2-plugin hook's status to inactive.

    .. Deprecated:: Use the hooks plugin instead.
    '''
    if hook_name in self.hook_list2:
        self.plugins['hooks2'].disable_hooks2(self.hook_list2[hook_name])
    else:
        print("ERROR: Your hook name was not in the hook list")
def disable_llvm(self)

Disables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.

Expand source code
def disable_llvm(self):
    '''
    Disables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
    '''
    self.libpanda.panda_disable_llvm()
def disable_llvm_helpers(self)

Disables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.

Expand source code
def disable_llvm_helpers(self):
    '''
    Disables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
    '''
    self.libpanda.panda_disable_llvm_helpers()
def disable_memcb(self)

Disable memory callbacks. Must be enabled for memory callbacks to work. pypanda enables this automatically with some callbacks.

Expand source code
def disable_memcb(self):
    '''
    Disable memory callbacks. Must be enabled for memory callbacks to work.
    pypanda enables this automatically with some callbacks.
    '''
    self._memcb = False
    self.libpanda.panda_disable_memcb()
def disable_plugin(self, handle)

Disable plugin.

Args

handle : int
pointer to handle returned by plugin

Return

None

Expand source code
def disable_plugin(self, handle):
    '''
    Disable plugin.

    Args:
        handle (int): pointer to handle returned by plugin

    Return:
        None
    '''
    self.libpanda.panda_disable_plugin(handle)
def disable_ppp(self, name)

Disable a ppp-style callback by name. Unlike regular panda callbacks which can be enabled/disabled/deleted, PPP callbacks are only enabled/deleted (which we call disabled)

Example usage to register my_run with syscalls2 as a 'on_sys_open_return' and then disable:

@ppp("syscalls2", "on_sys_open_return")
def my_fun(cpu, pc, filename, flags, mode):
    ...

panda.disable_ppp("my_fun")

– OR –

@ppp("syscalls2", "on_sys_open_return", name="custom")
def my_fun(cpu, pc, filename, flags, mode):
    ...

panda.disable_ppp("custom")

Expand source code
def disable_ppp(self, name):
    '''
    Disable a ppp-style callback by name.
    Unlike regular panda callbacks which can be enabled/disabled/deleted, PPP callbacks are only enabled/deleted (which we call disabled)

    Example usage to register my_run with syscalls2 as a 'on_sys_open_return' and then disable:
    ```
    @ppp("syscalls2", "on_sys_open_return")
    def my_fun(cpu, pc, filename, flags, mode):
        ...

    panda.disable_ppp("my_fun")
    ```

    -- OR --

    ```
    @ppp("syscalls2", "on_sys_open_return", name="custom")
    def my_fun(cpu, pc, filename, flags, mode):
        ...
    ```

    panda.disable_ppp("custom")
    '''

    (f, plugin_name, attr) = self.ppp_registered_cbs[name]
    getattr(self.plugins[plugin_name], f'ppp_remove_cb_{attr}')(f) # All PPP cbs start with this string.
    del self.ppp_registered_cbs[name] # It's now safe to be garbage collected
def disable_precise_pc(self)

By default, QEMU does not update the program counter after every instruction. This function disables precise tracking of the program counter.

Expand source code
def disable_precise_pc(self):
    '''
    By default, QEMU does not update the program counter after every instruction.
    This function disables precise tracking of the program counter.
    '''
    self.libpanda.panda_disable_precise_pc()
def disable_tb_chaining(self)

This function disables translation block chaining in QEMU

Expand source code
def disable_tb_chaining(self):
    '''
    This function disables translation block chaining in QEMU
    '''
    if not self.disabled_tb_chaining:
        if debug:
            progress("Disabling TB chaining")
        self.disabled_tb_chaining = True
        self.libpanda.panda_disable_tb_chaining()
def disas2(self, code, size)

Call panda_disas to diasassemble an amount of code at a pointer. FIXME: seem to not match up to PANDA definition

Expand source code
def disas2(self, code, size):
    '''
    Call panda_disas to diasassemble an amount of code at a pointer.
    FIXME: seem to not match up to PANDA definition
    '''
    self.libpanda.panda_disas(code, size)
def do_panda_finish(self)

Call panda_finish. Note this isn't really blocking - the guest should have exited by now, but queue this after (blocking) shutdown commands in our internal async queue so it must also be labeled as blocking.

Expand source code
    @blocking
    def do_panda_finish(self):
        '''
        Call panda_finish. Note this isn't really blocking - the
        guest should have exited by now, but queue this after
        (blocking) shutdown commands in our internal async queue
        so it must also be labeled as blocking.
        '''
#        assert (not self.running.is_set()), "Can't finish while still running"
        self.panda_finish()
def drive_get(self, blocktype, bus, unit)

Gets DriveInfo struct from user specified information.

Args

blocktype
BlockInterfaceType structure
bus
integer bus
unit
integer unit

Returns

DriveInfo struct

Expand source code
def drive_get(self, blocktype, bus, unit):
    '''
    Gets DriveInfo struct from user specified information.

    Args:
        blocktype: BlockInterfaceType structure
        bus: integer bus
        unit: integer unit

    Returns:
        DriveInfo struct
    '''
    return self.libpanda.drive_get(blocktype,bus,unit)
def enable_all_callbacks(self)

Enable all python callbacks that have been disabled

Expand source code
def enable_all_callbacks(self):
    '''
    Enable all python callbacks that have been disabled
    '''
    for name in self.registered_callbacks.keys():
        self.enable_callback(name)
def enable_callback(self, name)

Enable a panda plugin using its handle and cb.number as a unique ID

Expand source code
def enable_callback(self, name):
    '''
    Enable a panda plugin using its handle and cb.number as a unique ID
    '''

    # During shutdown callback may be deleted before a request to enable comes through
    if self.ending:
        return

    if name not in self.registered_callbacks.keys():
        raise RuntimeError("No callback has been registered with name '{}'".format(name))

    self.registered_callbacks[name]['enabled'] = True
    handle = self.registered_callbacks[name]['handle']
    cb = self.registered_callbacks[name]['callback']
    pcb = self.registered_callbacks[name]['pcb']
    #progress("Enabling callback '{}' on '{}' handle = {}".format(name, cb.name, handle))
    self.libpanda.panda_enable_callback_helper(handle, cb.number, pcb)
def enable_hook2(self, hook_name)

Set a hook2-plugin hook's status to active.

Deprecated: Use the hooks plugin instead.

Expand source code
def enable_hook2(self,hook_name):
    '''
    Set a hook2-plugin hook's status to active.

    .. Deprecated:: Use the hooks plugin instead.
    '''
    if hook_name in self.hook_list2:
        self.plugins['hooks2'].enable_hooks2(self.hook_list2[hook_name])
    else:
        print("ERROR: Your hook name was not in the hook list")
def enable_internal_callbacks(self)

Enable all our internal callbacks that start with __ such as __main_loop_wait and __asid_changed. Important in case user has done a panda.end_analysis() and then (re)called run

Expand source code
def enable_internal_callbacks(self):
    '''
    Enable all our internal callbacks that start with __ such as __main_loop_wait
    and __asid_changed. Important in case user has done a panda.end_analysis()
    and then (re)called run
    '''
    for name in self.registered_callbacks.keys():
        if name.startswith("__") and not self.registered_callbacks[name]['enabled']:
            self.enable_callback(name)
def enable_llvm(self)

Enables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.

Expand source code
def enable_llvm(self):
    '''
    Enables the use of the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
    '''
    self.libpanda.panda_enable_llvm()
def enable_llvm_helpers(self)

Enables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.

Expand source code
def enable_llvm_helpers(self):
    '''
    Enables the use of Helpers for the LLVM JIT in replacement of the TCG (QEMU intermediate language and compiler) backend.
    '''
    self.libpanda.panda_enable_llvm_helpers()
def enable_memcb(self)

Enable memory callbacks. Must be called for memory callbacks to work. pypanda enables this automatically with some callbacks.

Expand source code
def enable_memcb(self):
    '''
    Enable memory callbacks. Must be called for memory callbacks to work.
    pypanda enables this automatically with some callbacks.
    '''
    self._memcb = True
    self.libpanda.panda_enable_memcb()
def enable_plugin(self, handle)

Enable plugin.

Args

handle : int
pointer to handle returned by plugin

Return

None

Expand source code
def enable_plugin(self, handle):
    '''
    Enable plugin.

    Args:
        handle (int): pointer to handle returned by plugin

    Return:
        None
    '''
    self.libpanda.panda_enable_plugin(handle)
def enable_precise_pc(self)

By default, QEMU does not update the program counter after every instruction. This function enables precise tracking of the program counter. After enabling precise PC tracking, the program counter will be available in env->panda_guest_pc and can be assumed to accurately reflect the guest state.

Expand source code
def enable_precise_pc(self):
    '''
    By default, QEMU does not update the program counter after every instruction.
    This function enables precise tracking of the program counter. After enabling precise PC tracking, the program counter will be available in env->panda_guest_pc and can be assumed to accurately reflect the guest state.
    '''
    self.libpanda.panda_enable_precise_pc()
def enable_tb_chaining(self)

This function enables translation block chaining in QEMU

Expand source code
def enable_tb_chaining(self):
    '''
    This function enables translation block chaining in QEMU
    '''
    if debug:
        progress("Enabling TB chaining")
    self.disabled_tb_chaining = False
    self.libpanda.panda_enable_tb_chaining()
def end_analysis(self)

Stop running machine.

Call from any thread to unload all plugins and stop all queued functions. If called from async thread or a callback, it will also unblock panda.run()

Note here we use the async class's internal thread to process these without needing to wait for tasks in the main async thread

Expand source code
def end_analysis(self):
    '''
    Stop running machine.

    Call from any thread to unload all plugins and stop all queued functions.
    If called from async thread or a callback, it will also unblock panda.run()

    Note here we use the async class's internal thread to process these
    without needing to wait for tasks in the main async thread
    '''
    self.athread.ending = True
    self.ending = True
    self.unload_plugins()
    if self.running.is_set() or self.initializing.is_set():

        # If we were running, stop the execution and check if we crashed
        self.queue_async(self.stop_run, internal=True)
def end_record(self)

Stop active recording.

Raises

Exception
raises exception if there was an error stopping recording.
Expand source code
def end_record(self):
    """Stop active recording.

    Raises:
        Exception: raises exception if there was an error stopping recording.
    """
    result = self.libpanda.panda_record_end()
    res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
    if res_string_enum != "RRCTRL_OK":
       raise Exception(f"record method failed with RTCTL_ret {res_string_enum} ({result})")
def end_replay(self)

Terminates a currently running replay

Returns:
    None

Raises:
    Exception: raises exception if no replay is active or termination failed.
Expand source code
def end_replay(self):
    '''
    Terminates a currently running replay

        Returns:
            None

        Raises:
            Exception: raises exception if no replay is active or termination failed.
    '''

    if self._in_replay is False:
        raise Exception("Tried to terminate replay while not in replay mode!")

    result = self.libpanda.panda_replay_end()

    res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
    if res_string_enum != "RRCTRL_OK":
       raise Exception(f"ending record method failed with RTCTL_ret {res_string_enum} ({result})")
def error_report(self, s)
Expand source code
def error_report(self, s):
    return self.libpanda.error_report(s)
def exit_cpu_loop(self)

Stop cpu execution at nearest juncture.

Expand source code
def exit_cpu_loop(self):
    '''
    Stop cpu execution at nearest juncture.
    '''
    self.libpanda.panda_exit_loop = True
def finish_serial_cmd(self)
Expand source code
def finish_serial_cmd(self):
    result = self.serial_console.send_eol()
    result = self.serial_console.expect()
    return result
def flush_tb(self)

This function requests that the translation block cache be flushed as soon as possible. If running with translation block chaining turned off (e.g. when in LLVM mode or replay mode), this will happen when the current translation block is done executing. Flushing the translation block cache is additionally necessary if the plugin makes changes to the way code is translated. For example, by using panda_enable_precise_pc.

Expand source code
def flush_tb(self):
    '''
    This function requests that the translation block cache be flushed as soon as possible. If running with translation block chaining turned off (e.g. when in LLVM mode or replay mode), this will happen when the current translation block is done executing.
    Flushing the translation block cache is additionally necessary if the plugin makes changes to the way code is translated. For example, by using panda_enable_precise_pc.
    '''
    return self.libpanda.panda_do_flush_tb()
def from_unsigned_guest(self, x)

Convert an unsigned int32/unsigned int64 from the guest (depending on guest bit-size) to a (signed) python int

Args

x : int
Python integer representing an unsigned value in the guest's pointer-size

Returns

int
Python integer representing x as a signed value
Expand source code
def from_unsigned_guest(self, x):
    '''
    Convert an unsigned int32/unsigned int64 from the guest
    (depending on guest bit-size) to a (signed) python int

    Args:
        x (int): Python integer representing an unsigned value in the guest's pointer-size

    Returns:
        int: Python integer representing x as a signed value
    '''
    if x >= 2**(self.bits-1): # If highest bit is set, it's negative
        return (x - 2**self.bits)
    else: # Else it's positive
        return x
def g_malloc0(self, size)

Helper function to call glib malloc

Args

size : int
size to call with malloc

Returns

buffer of the requested size from g_malloc

Expand source code
def g_malloc0(self, size):
    '''
    Helper function to call glib malloc

    Args:
        size (int): size to call with malloc

    Returns:
        buffer of the requested size from g_malloc
    '''
    return self.libpanda.g_malloc0(size)
def garray_len(self, garray)

Convenience function to get array length of glibc array.

Args

g : garray
Pointer to a glibc array

Returns

int
length of the array
Expand source code
def garray_len(self, garray):
    '''
    Convenience function to get array length of glibc array.

    Args:
        g (garray): Pointer to a glibc array
            
    Returns:
        int: length of the array
    '''
    return self.libpanda.garray_len(garray)
def get_best_matching_symbol(self, cpu, pc=None, asid=None)

Use the dynamic symbols plugin to get the best matching symbol for a given program counter.

Args

cpu : CPUState
CPUState structure
pc : int
program counter, defaults to current
asid : int
ASID, defaults to current
Expand source code
def get_best_matching_symbol(self, cpu, pc=None, asid=None):
    '''
    Use the dynamic symbols plugin to get the best matching symbol for a given program counter.

    Args:
        cpu (CPUState): CPUState structure
        pc (int): program counter, defaults to current
        asid (int): ASID, defaults to current
    '''
    if asid is None:
        asid = self.current_asid(cpu)
    if pc is None:
        pc = self.current_pc(cpu)
    return self.plugins['dynamic_symbols'].get_best_matching_symbol(cpu, pc, asid)
def get_build_dir(self)
Expand source code
def get_build_dir(self):
    if self.build_dir is None:
        self.build_dir  = find_build_dir(self.arch_name)
        environ["PANDA_DIR"] = self.build_dir
    return self.build_dir
def get_cpu(self)

This function returns first_cpu CPUState object from QEMU. XXX: You rarely want this

Returns

CPUState
cpu
Expand source code
def get_cpu(self):
    '''
    This function returns first_cpu CPUState object from QEMU.
    XXX: You rarely want this

    Returns:
        CPUState: cpu
    '''
    return self.libpanda.get_cpu()
def get_current_process(self, cpu)

Get the current process as an OsiProc struct.

Returns

string
process name
None
on failure
Expand source code
def get_current_process(self, cpu):
    '''
    Get the current process as an OsiProc struct.

    Returns:
        string: process name
        None: on failure
    '''
    proc = self.plugins['osi'].get_current_process(cpu)
    if proc == self.ffi.NULL:
        return None
    return proc
def get_file_name(self, cpu, fd)

Get the name of a file from a file descriptor.

Returns

string
file name
None
on failure
Expand source code
def get_file_name(self, cpu, fd):
    '''
    Get the name of a file from a file descriptor.

    Returns:
        string: file name
        None: on failure
    '''
    proc = self.plugins['osi'].get_current_process(cpu)
    if proc == self.ffi.NULL:
        return None
    try:
        fname_ptr = self.plugins['osi_linux'].osi_linux_fd_to_filename(cpu, proc, fd)
    except OverflowError:
        return None
    if fname_ptr == self.ffi.NULL:
        return None
    return self.ffi.string(fname_ptr)
def get_id(self, cpu)

Get current hw_proc_id ID

Args

cpu : CPUState
CPUState structure

Returns

integer
value of current hw_proc_id
Expand source code
def get_id(self, cpu):
    '''
    Get current hw_proc_id ID

    Args:
        cpu (CPUState): CPUState structure
    
    Returns:
        integer: value of current hw_proc_id
    '''
    return self.plugins["hw_proc_id"].get_id(cpu)
def get_mapping_by_addr(self, cpu, addr)

Return the OSI mapping that matches the address specified.

Requires: OSI

Args

cpu
CPUState struct
addr
int

Returns

OsiModule
dataclass representation of OsiModule structure with strings converted to python strings Note that the strings will be None if their pointer was null
None
on failure
Expand source code
def get_mapping_by_addr(self, cpu, addr):
    '''
    Return the OSI mapping that matches the address specified.

    Requires: OSI

    Args:
        cpu: CPUState struct
        addr: int

    Returns:
        OsiModule: dataclass representation of OsiModule structure with strings converted to python strings
            Note that the strings will be None if their pointer was null
        None: on failure
    '''
    @dataclass
    class OsiModule:
        '''dataclass representation of OsiModule structu'''
        base: int
        file: str
        modd: int
        name: str
        size: int
    mappings = self.get_mappings(cpu)
    for m in mappings:
        if m == self.ffi.NULL:
            continue
        if addr >= m.base and addr < m.base+m.size:
            if m.name != self.ffi.NULL:
                name = self.ffi.string(m.name).decode("utf-8")
            else:
                name = None
            if m.file != self.ffi.NULL:
                file = self.ffi.string(m.file).decode("utf-8")
            else:
                file = None
            return OsiModule(m.base, file, m.modd, name, m.size)
    return None
def get_mappings(self, cpu)

Get all active memory mappings in the system.

Requires: OSI

Args

cpu
CPUState struct

Returns

GArrayIterator
iterator of OsiModule structures
Expand source code
def get_mappings(self, cpu):
    '''
    Get all active memory mappings in the system.

    Requires: OSI

    Args:
        cpu: CPUState struct

    Returns:
        pandare.utils.GArrayIterator: iterator of OsiModule structures
    '''
    current = self.plugins['osi'].get_current_process(cpu)
    maps = self.plugins['osi'].get_mappings(cpu, current)
    map_len = self.garray_len(maps)
    return GArrayIterator(self.plugins['osi'].get_one_module, maps, map_len, self.plugins['osi'].cleanup_garray)
def get_os_family(self)

Get the current OS family name. Valid values are the entries in OSFamilyEnum

Returns

string
one of OS_UNKNOWN, OS_WINDOWS, OS_LINUX, OS_FREEBSD
Expand source code
def get_os_family(self):
    '''
    Get the current OS family name. Valid values are the entries in `OSFamilyEnum`

    Returns:
        string: one of OS_UNKNOWN, OS_WINDOWS, OS_LINUX, OS_FREEBSD
    '''

    family_num = self.libpanda.panda_os_familyno
    family_name = self.ffi.string(self.ffi.cast("PandaOsFamily", family_num))
    return family_name
def get_plugin_path(self)
Expand source code
def get_plugin_path(self):
    if self.plugin_path is None:
        build_dir = self.get_build_dir()
        rel_dir = pjoin(*[build_dir, self.arch_name+"-softmmu", "panda", "plugins"])

        if build_dir == "/usr/local/bin/":
            # Installed - use /usr/local/lib/panda/plugins
            self.plugin_path = f"/usr/local/lib/panda/{self.arch_name}"
        elif isdir(rel_dir):
            self.plugin_path = rel_dir
        else:
            raise ValueError(f"Could not find plugin path. Build dir={build_dir}")
    return self.plugin_path
def get_process_name(self, cpu)

Get the name of the current process. May return None if OSI cannot identify the current process

Expand source code
def get_process_name(self, cpu):
    '''
    Get the name of the current process. May return None if OSI cannot identify the current process
    '''
    proc = self.plugins['osi'].get_current_process(cpu)
    if proc == self.ffi.NULL or proc.name == self.ffi.NULL:
        return None

    procname = self.ffi.string(proc.name).decode('utf8', 'ignore')
    return self.ffi.string(proc.name).decode('utf8', 'ignore')
def get_processes(self, cpu)

Get all running processes in the system. Includes kernel modules on Linux.

Requires: OSI

Args

cpu
CPUState struct

Returns

GArrayIterator
iterator of OsiProc structures
Expand source code
def get_processes(self, cpu):
    '''
    Get all running processes in the system. Includes kernel modules on Linux.

    Requires: OSI

    Args:
        cpu: CPUState struct

    Returns:
        pandare.utils.GArrayIterator: iterator of OsiProc structures
    '''
    processes = self.plugins['osi'].get_processes(cpu)
    processes_len = self.garray_len(processes)
    return GArrayIterator(self.plugins['osi'].get_one_proc, processes, processes_len, self.plugins['osi'].cleanup_garray)
def get_processes_dict(self, cpu)

Get all running processes for the system at this moment in time as a dictionary.

The dictionary maps proceses by their PID. Each mapping returns a dictionary containing the process name, its pid, and its parent pid (ppid).

Requires: OSI

Args

cpu
CPUState struct

Returns

Dict
processes as described above
Expand source code
def get_processes_dict(self, cpu):
    '''
    Get all running processes for the system at this moment in time as a dictionary.

    The dictionary maps proceses by their PID. Each mapping returns a dictionary containing the process name, its pid,
    and its parent pid (ppid).

    Requires: OSI

    Args:
        cpu: CPUState struct

    Returns:
        Dict: processes as described above
    '''

    procs = {} #pid: {name: X, pid: Y, parent_pid: Z})

    for proc in self.get_processes(cpu):
        assert(proc != self.ffi.NULL)
        assert(proc.pid not in procs)
        procs[proc.pid] = {'name': self.ffi.string(proc.name).decode('utf8', 'ignore'),
                           'pid': proc.pid,
                           'parent_pid': proc.ppid,
                           'create_time': proc.create_time}
        assert(not (proc.pid != 0 and proc.pid == proc.ppid)) # No cycles allowed other than at 0
    return procs
def get_system_memory(self)
Expand source code
def get_system_memory(self):
    return self.libpanda.get_system_memory()
def get_volatility_symbols(self, debug=False)
Expand source code
def get_volatility_symbols(self, debug=False):
    try:
        from .volatility_cli_classes import CommandLineMoreEfficient
        from volatility.framework import contexts
        from volatility.framework.layers.linear import LinearlyMappedLayer
        from volatility.framework.automagic import linux
    except ImportError:
        print("Warning: Failed to import volatility")
        return None
    if "linux" in self.os_type:
        if not hasattr(self, "_vmlinux"):
            self.make_panda_file_handler(debug=debug)
            constructed_original = CommandLineMoreEfficient().run()
            linux.LinuxUtilities.aslr_mask_symbol_table(
                constructed_original.context, constructed_original.config['vmlinux'], constructed_original.config['primary'])
            self._vmlinux = contexts.Module(
                constructed_original.context, constructed_original.config['vmlinux'], constructed_original.config['primary'], 0)
        else:
            LinearlyMappedLayer.read.cache_clear()  # smearing technique
        return self._vmlinux
    else:
        print("Unsupported.")
        return None
def hook(self, addr, enabled=True, kernel=None, asid=None, cb_type='start_block_exec')

Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr, the function will be called with args (CPUState, TranslationBlock)

Expand source code
def hook(self, addr, enabled=True, kernel=None, asid=None, cb_type="start_block_exec"):
    '''
    Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
    the function will be called with args (CPUState, TranslationBlock)
    '''

    def decorator(fun):
        if cb_type == "before_tcg_codegen" or cb_type == "after_block_translate" or cb_type == "before_block_exec" or cb_type == "start_block_exec" or cb_type == "end_block_exec":
            hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , struct hook *)")
        elif cb_type == "after_block_exec":
            hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , uint8_t, struct hook *)")
        elif cb_type == "before_block_translate":
            hook_cb_type = self.ffi.callback("void(CPUState* env, target_ptr_t pc, struct hook*)")
        elif cb_type == "before_block_exec_invalidate_opt":
            hook_cb_type = self.ffi.callback("bool(CPUState* env, TranslationBlock*, struct hook*)")
        else:
            print("function type not supported")
            return
        type_num = getattr(self.libpanda, "PANDA_CB_"+cb_type.upper())

        if debug:
            print("Registering breakpoint at 0x{:x} -> {} == {}".format(addr, fun, 'cdata_cb'))
        
        def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
            if not hasattr(self, "exit_exception"):
                try:
                    r = fun(*args, **kwargs)
                    #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                    #assert(isinstance(r, int)), "Invalid return type?"
                    #print(fun, r) # Stuck with TypeError in _run_and_catch? Enable this to find where the bug is.
                    return r
                except Exception as e:
                    # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                    # machine exits.
                    if self.catch_exceptions:
                        self.exit_exception = e
                        self.end_analysis()
                    else:
                        raise e
                    return 0

        # Inform the plugin that it has a new breakpoint at addr
        hook_cb_passed = hook_cb_type(_run_and_catch)
        new_hook = self.ffi.new("struct hook*")
        new_hook.type = type_num
        new_hook.addr = addr
        if kernel or asid is None:
            new_hook.asid = 0
        else:
            new_hook.asid = asid

        setattr(new_hook.cb,cb_type, hook_cb_passed)
        if kernel:
            new_hook.km = self.libpanda.MODE_KERNEL_ONLY
        elif kernel == False:
            new_hook.km = self.libpanda.MODE_USER_ONLY
        else:
            new_hook.km = self.libpanda.MODE_ANY
        new_hook.enabled = enabled

        self.plugins['hooks'].add_hook(new_hook)
        self.hook_list.append((new_hook, hook_cb_passed))

        def wrapper(*args, **kw):
            return _run_and_catch(args,kw)
        return wrapper
    return decorator
def hook2(self, name, kernel=True, procname=None, libname=None, trace_start=0, trace_stop=0, range_begin=0, range_end=0)

Decorator to create a hook with the hooks2 plugin.

Deprecated: Use the hooks plugin instead.

Expand source code
def hook2(self,name, kernel=True, procname=None, libname=None, trace_start=0, trace_stop=0, range_begin=0, range_end=0):
    '''
    Decorator to create a hook with the hooks2 plugin.

    .. Deprecated:: Use the hooks plugin instead.
    '''

    if procname == None:
        procname = self.ffi.NULL
    if libname == None:
        libname = self.ffi.NULL


    if procname != self.ffi.NULL:
        procname = self.ffi.new("char[]",bytes(procname,"utf-8"))
    if libname != self.ffi.NULL:
        libname = self.ffi.new("char[]",bytes(libname,"utf-8"))
    '''
    Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
    the function will be called with args (CPUState, TranslationBlock)
    '''
    def decorator(fun):
        # Ultimately, our hook resolves as a before_block_exec_invalidate_opt callback so we must match its args
        hook_cb_type = self.ffi.callback("bool (CPUState*, TranslationBlock*, void*)")
        # Inform the plugin that it has a new breakpoint at addr

        def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
            if not hasattr(self, "exit_exception"):
                try:
                    r = fun(*args, **kwargs)
                    #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                    #assert(isinstance(r, int)), "Invalid return type?"
                    #print(fun, r) # Stuck with TypeError in _run_and_catch? Enable this to find where the bug is.
                    return r
                except Exception as e:
                    # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                    # machine exits.
                    if self.catch_exceptions:
                        self.exit_exception = e
                        self.end_analysis()
                    else:
                        raise e
                    return True


        hook_cb_passed = hook_cb_type(_run_and_catch)
        if not hasattr(self, "hook_gc_list"):
            self.hook_gc_list = [hook_cb_passed]
        else:
            self.hook_gc_list.append(hook_cb_passed)

        # I don't know what this is/does
        cb_data =self.ffi.NULL
        hook_number = self.plugins['hooks2'].add_hooks2(hook_cb_passed, cb_data, kernel, \
            procname, libname, trace_start, trace_stop, range_begin,range_end)

        self.hook_list2[name] = hook_number

        def wrapper(*args, **kw):
            return _run_and_catch(*args, **kw)
        return wrapper
    return decorator
def hook2_single_insn(self, name, pc, kernel=False, procname=None, libname=None)

Helper function to hook a single instruction with the hooks2 plugin.

Deprecated: Use the hooks plugin instead.

Expand source code
def hook2_single_insn(self, name, pc, kernel=False, procname=None, libname=None):
    '''
    Helper function to hook a single instruction with the hooks2 plugin.

    .. Deprecated:: Use the hooks plugin instead.
    '''
    if procname == None:
        procname = self.ffi.NULL
    if libname == None:
        libname = self.ffi.NULL
    return self.hook2(name, kernel=kernel, procname=procname,libname=libname,range_begin=pc, range_end=pc)
def hook_mem(self, start_address, end_address, on_before, on_after, on_read, on_write, on_virtual, on_physical, enabled)

Decorator to hook a memory range with the mem_hooks plugin

TODO

Fully document mem-hook decorators

Expand source code
def hook_mem(self, start_address, end_address, on_before, on_after, on_read, on_write, on_virtual, on_physical, enabled):
    '''
    Decorator to hook a memory range with the mem_hooks plugin

    .. todo:: Fully document mem-hook decorators
    '''
    return self._hook_mem(start_address,end_address,on_before,on_after,on_read, on_write, on_virtual, on_physical, enabled)
def hook_phys_mem_read(self, start_address, end_address, on_before=True, on_after=False, enabled=True)

Decorator to hook physical memory reads with the mem_hooks plugin

Expand source code
def hook_phys_mem_read(self, start_address, end_address, on_before=True, on_after=False, enabled=True):
    '''
    Decorator to hook physical memory reads with the mem_hooks plugin
    '''
    return self._hook_mem(start_address,end_address,on_before,on_after, True, False, False, True, True)
def hook_phys_mem_write(self, start_address, end_address, on_before=True, on_after=False)

Decorator to hook physical memory writes with the mem_hooks plugin

Expand source code
def hook_phys_mem_write(self, start_address, end_address, on_before=True, on_after=False):
    '''
    Decorator to hook physical memory writes with the mem_hooks plugin
    '''
    return self._hook_mem(start_address,end_address,on_before,on_after, False, True, False, True, True)
def hook_symbol(self, libraryname, symbol, kernel=False, name=None, cb_type='start_block_exec')

Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr, the function will be called with args (CPUState, TranslationBlock, struct hook)

Args

libraryname : string
Name of library containing symbol to be hooked. May be None to match any.
symbol : string, int
Name of symbol or offset into library to hook
kernel : bool
if hook should be applied exclusively in kernel mode
name : string
name of hook, defaults to function name
cb_type : string
callback-type, defaults to start_block_exec

Returns

None
Decorated function is called when (before/after is determined by cb_type) guest goes to call the specified symbol in the specified library.
Expand source code
def hook_symbol(self, libraryname, symbol, kernel=False, name=None, cb_type="start_block_exec"):
    '''
    Decorate a function to setup a hook: when a guest goes to execute a basic block beginning with addr,
    the function will be called with args (CPUState, TranslationBlock, struct hook)

    Args:
        libraryname (string): Name of library containing symbol to be hooked. May be None to match any.
        symbol (string, int): Name of symbol or offset into library to hook
        kernel (bool): if hook should be applied exclusively in kernel mode
        name (string): name of hook, defaults to function name
        cb_type (string): callback-type, defaults to start_block_exec

    Returns:
        None: Decorated function is called when (before/after is determined by cb_type) guest goes to call
              the specified symbol in the specified library.
    '''

    def decorator(fun):
        if cb_type == "before_tcg_codegen" or cb_type == "after_block_translate" or cb_type == "before_block_exec" or cb_type == "start_block_exec" or cb_type == "end_block_exec":
            hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , struct hook *)")
        elif cb_type == "after_block_exec":
            hook_cb_type = self.ffi.callback("void(CPUState*, TranslationBlock* , uint8_t, struct hook *)")
        elif cb_type == "before_block_translate":
            hook_cb_type = self.ffi.callback("void(CPUState* env, target_ptr_t pc, struct hook*)")
        elif cb_type == "before_block_exec_invalidate_opt":
            hook_cb_type = self.ffi.callback("bool(CPUState* env, TranslationBlock*, struct hook*)")
        else:
            print("function type not supported")
            return

        def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
            if not hasattr(self, "exit_exception"):
                try:
                    r = fun(*args, **kwargs)
                    return r
                except Exception as e:
                    # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                    # machine exits.
                    if self.catch_exceptions:
                        self.exit_exception = e
                        self.end_analysis()
                    else:
                        raise e
                    if cb_type == "before_block_exec_invalidate_opt":
                        return False
                    return None


        # Inform the plugin that it has a new breakpoint at addr
        hook_cb_passed = hook_cb_type(_run_and_catch)
        new_hook = self.ffi.new("struct symbol_hook*")
        type_num = getattr(self.libpanda, "PANDA_CB_"+cb_type.upper())
        new_hook.type = type_num
        if libraryname is not None:
            libname_ffi = self.ffi.new("char[]",bytes(libraryname,"utf-8"))
        else:
            libname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
        self.ffi.memmove(new_hook.section,libname_ffi,len(libname_ffi))

        new_hook.hook_offset = False
        if symbol is not None:
            if isinstance(symbol, int):
                new_hook.offset = symbol
                new_hook.hook_offset = True
                symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            else:
                symbolname_ffi = self.ffi.new("char[]",bytes(symbol,"utf-8"))
                new_hook.hook_offset = False
        else:
            symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
        self.ffi.memmove(new_hook.name,symbolname_ffi,len(symbolname_ffi))
        setattr(new_hook.cb,cb_type, hook_cb_passed)
        hook_ptr = self.plugins['hooks'].add_symbol_hook(new_hook)
        if name is not None:
            self.named_hooks[name] = hook_ptr
        self.hook_list.append((fun, new_hook,hook_cb_passed, hook_ptr))

        def wrapper(*args, **kw):
            _run_and_catch(args,kw)
        return wrapper
    return decorator
def hook_symbol_resolution(self, libraryname, symbol, name=None)

Decorate a function to setup a hook: when a guest process resolves a symbol the function will be called with args (CPUState, struct hook_symbol_resolve, struct symbol, OsiModule)

Args

libraryname : string
Name of library containing symbol to be hooked. May be None to match any.
symbol : string, int
Name of symbol or offset into library to hook
name : string
name of hook, defaults to function name

Returns

None
Decorated function is called when guest resolves the specified symbol in the specified library.
Expand source code
def hook_symbol_resolution(self, libraryname, symbol, name=None):
    '''
    Decorate a function to setup a hook: when a guest process resolves a symbol
    the function will be called with args (CPUState, struct hook_symbol_resolve, struct symbol, OsiModule)

    Args:
        libraryname (string): Name of library containing symbol to be hooked. May be None to match any.
        symbol (string, int): Name of symbol or offset into library to hook
        name (string): name of hook, defaults to function name

    Returns:
        None: Decorated function is called when guest resolves the specified symbol in the specified library.
    '''
    #Mostly based on hook_symbol below
    def decorator(fun):
        sh = self.ffi.new("struct hook_symbol_resolve*")
        sh.hook_offset = False
        if symbol is not None:
            if isinstance(symbol, int):
                sh.offset = symbol
                sh.hook_offset = True
                symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
            else:
                symbolname_ffi = self.ffi.new("char[]",bytes(symbol,"utf-8"))
        else:
            symbolname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
        self.ffi.memmove(sh.name,symbolname_ffi,len(symbolname_ffi))

        if libraryname is not None:
            libname_ffi = self.ffi.new("char[]",bytes(libraryname,"utf-8"))
        else:
            libname_ffi = self.ffi.new("char[]",bytes("\x00\x00\x00\x00","utf-8"))
        self.ffi.memmove(sh.section,libname_ffi,len(libname_ffi))

        #sh.id #not used here
        sh.enabled = True
        def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
            if not hasattr(self, "exit_exception"):
                try:
                    r = fun(*args, **kwargs)
                    return r
                except Exception as e:
                    # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                    # machine exits.
                    if self.catch_exceptions:
                        self.exit_exception = e
                        self.end_analysis()
                    else:
                        raise e
                    return None

        sr_hook_cb_type = self.ffi.callback("void (struct hook_symbol_resolve *sh, struct symbol s, target_ulong asid)")
        sr_hook_cb_ptr = sr_hook_cb_type(_run_and_catch)
        sh.cb = sr_hook_cb_ptr
        hook_ptr = self.plugins['dynamic_symbols'].hook_symbol_resolution(sh)
        self.sr_hooks.append((sh, sr_hook_cb_ptr, hook_ptr))

        def wrapper(*args, **kw):
            _run_and_catch(args,kw)
        return wrapper
    return decorator
def hook_virt_mem_read(self, start_address, end_address, on_before=True, on_after=False)

Decorator to hook virtual memory reads with the mem_hooks plugin

Expand source code
def hook_virt_mem_read(self, start_address, end_address, on_before=True, on_after=False):
    '''
    Decorator to hook virtual memory reads with the mem_hooks plugin
    '''
    return self._hook_mem(start_address,end_address,on_before,on_after, True, False, True, False, True)
def hook_virt_mem_write(self, start_address, end_address, on_before=True, on_after=False)

Decorator to hook virtual memory writes with the mem_hooks plugin

Expand source code
def hook_virt_mem_write(self, start_address, end_address, on_before=True, on_after=False):
    '''
    Decorator to hook virtual memory writes with the mem_hooks plugin
    '''
    return self._hook_mem(start_address,end_address,on_before,on_after, False, True, True, False, True)
def in_kernel(self, cpustate)

Returns true if the processor is in the privilege level corresponding to kernel mode for any of the PANDA supported architectures. Legacy alias for in_kernel_mode().

Expand source code
def in_kernel(self, cpustate):
    '''
    Returns true if the processor is in the privilege level corresponding to kernel mode for any of the PANDA supported architectures.
    Legacy alias for in_kernel_mode().
    '''
    return self.libpanda.panda_in_kernel_external(cpustate)
def in_kernel_code_linux(self, cpustate)

Check if the processor is running in linux kernelspace.

Args

cpu : CPUState
CPUState structure

Returns

Bool
If the processor is running in Linux kernel space code.
Expand source code
def in_kernel_code_linux(self, cpustate):
    '''
    Check if the processor is running in linux kernelspace.

    Args:
        cpu (CPUState): CPUState structure

    Returns:
        Bool: If the processor is running in Linux kernel space code.
    '''
    return self.libpanda.panda_in_kernel_code_linux_external(cpustate)
def in_kernel_mode(self, cpustate)

Check if the processor is running in priviliged mode.

Args

cpu : CPUState
CPUState structure

Returns

Bool
If the processor is in the privilege level corresponding to kernel mode for the given architecture
Expand source code
def in_kernel_mode(self, cpustate):
    '''
    Check if the processor is running in priviliged mode.

    Args:
        cpu (CPUState): CPUState structure

    Returns:
        Bool: If the processor is in the privilege level corresponding to kernel mode
              for the given architecture
    '''
    return self.libpanda.panda_in_kernel_mode_external(cpustate)
def interact(self, confirm_quit=True)

Expose console interactively until user types pandaquit Must be run in blocking thread.

TODO: This should probably repace self.serial_console with something that directly renders output to the user. Then we don't have to handle buffering and other problems. But we will need to re-enable the serial_console interface after this returns

Expand source code
@blocking
def interact(self, confirm_quit=True):
    '''
    Expose console interactively until user types pandaquit
    Must be run in blocking thread.

    TODO: This should probably repace self.serial_console with something
    that directly renders output to the user. Then we don't have to handle
    buffering and other problems. But we will need to re-enable the serial_console
    interface after this returns
    '''
    print("PANDA: entering interactive mode. Type pandaquit to exit")
    prompt = self.expect_prompt.decode("utf8") if self.expect_prompt and isinstance(self.expect_prompt, bytes) else "$ "
    if not prompt.endswith(" "): prompt += " "
    while True:
        cmd = input(prompt) # TODO: Strip all control characters - Ctrl-L breaks things
        if cmd.strip() == 'pandaquit':
            if confirm_quit:
                q = input("PANDA: Quitting interactive mode. Are you sure? (y/n) ")
                if len(q) and q.lower()[0] == 'y':
                    break
                else:
                    continue
            else: # No confirm - just break
                break
        r = self.run_serial_cmd(cmd) # XXX: may timeout
        print(r)
def is_callback_enabled(self, name)
Expand source code
def is_callback_enabled(self, name):
    if name not in self.registered_callbacks.keys():
        raise RuntimeError("No callback has been registered with name '{}'".format(name))
    return self.registered_callbacks[name]['enabled']
def load_plugin(self, name, args={})

Load a C plugin, optionally with arguments

Args

name : str
Name of plugin
args : dict
Arguments matching key to value. e.g. {"key": "value"} sets option key to value.

Returns

None.

Expand source code
def load_plugin(self, name, args={}):
    '''
    Load a C plugin, optionally with arguments

    Args:
        name (str): Name of plugin
        args (dict): Arguments matching key to value. e.g. {"key": "value"} sets option `key` to `value`.

    Returns:
        None.
    '''
    if debug:
        progress ("Loading plugin %s" % name),

    argstrs_ffi = []
    if isinstance(args, dict):
        for k,v in args.items():
            this_arg_s = "{}={}".format(k,v)
            this_arg = self.ffi.new("char[]", bytes(this_arg_s, "utf-8"))
            argstrs_ffi.append(this_arg)

        n = len(args.keys())
    elif isinstance(args, list):
        for arg in args:
            this_arg = self.ffi.new("char[]", bytes(arg, "utf-8"))
            argstrs_ffi.append(this_arg)
        n = len(args)

    else:
        raise ValueError("Arguments to load plugin must be a list or dict of key/value pairs")

    # First set qemu_path so plugins can load (may be unnecessary after the first time)
    assert(self.panda), "Unknown location of PANDA"
    panda_name_ffi = self.ffi.new("char[]", bytes(self.panda,"utf-8"))
    self.libpanda.panda_set_qemu_path(panda_name_ffi)

    if len(argstrs_ffi):
        plugin_args = argstrs_ffi
    else:
        plugin_args = self.ffi.NULL

    charptr = self.ffi.new("char[]", bytes(name,"utf-8"))
    self.libpanda.panda_require_from_library(charptr, plugin_args, len(argstrs_ffi))
    self._load_plugin_library(name)
def lookup_gic(self, n)
Expand source code
def lookup_gic(self,n):
    return self.libpanda.lookup_gic(n)
def make_panda_file_handler(self, debug=False)

Constructs a file and file handler that volatility can't ignore to back by PANDA physical memory

Expand source code
def make_panda_file_handler(self, debug=False):
    '''
    Constructs a file and file handler that volatility can't ignore to back by PANDA physical memory
    '''
    from urllib.request import BaseHandler
    if 'PandaFileHandler' in globals():  # already initialized
        return
    panda = self

    class PandaFile(object):
        def __init__(self, length, panda):
            self.pos = 0
            self.length = length
            self.closed = False
            self.mode = "rb"
            self.name = "/tmp/panda.panda"
            self.panda = panda
            self.classname = type(self).__name__

        def readable(self):
            return self.closed

        def read(self, size=1):
            if self.panda.bits == 32 and self.panda.arch_name == "i386":
                data = self.panda.physical_memory_read(
                    self.pos & 0xfffffff, size)
            else:
                data = self.panda.physical_memory_read(self.pos, size)
            if debug:
                print(self.classname+": Reading " +
                      str(size)+" bytes from "+hex(self.pos))
            self.pos += size
            return data

        def peek(self, size=1):
            return self.panda.physical_memory_read(self.pos, size)

        def seek(self, pos, whence=0):
            if whence == 0:
                self.pos = pos
            elif whence == 1:
                self.pos += pos
            else:
                self.pos = self.length - pos
            if self.pos > self.length:
                print(self.classname+": We've gone off the deep end")
            if debug:
                print(self.classname+" Seeking to address "+hex(self.pos))

        def tell(self):
            return self.pos

        def close(self):
            self.closed = True

    class PandaFileHandler(BaseHandler):
        def default_open(self, req):
            if 'panda.panda' in req.full_url:
                length = panda.libpanda.ram_size
                if length > 0xc0000000:
                    length += 0x40000000  # 3GB hole
                if debug:
                    print(type(self).__name__ +
                          ": initializing PandaFile with length="+hex(length))
                return PandaFile(length=length, panda=panda)
            else:
                return None

        def file_close(self):
            return True

    globals()["PandaFileHandler"] = PandaFileHandler
def map_memory(self, name, size, address)

Make a new memory region.

Args

name : str
This is an internal reference name for this region. Must be unique.
size : int
number of bytes the region should be.
address : int
start address of region

Returns

None

Expand source code
def map_memory(self, name, size, address):

    '''
    Make a new memory region.

    Args:
        name (str): This is an internal reference name for this region. Must be unique.
        size (int): number of bytes the region should be.
        address (int): start address of region

    Returns:
        None
    '''

    name_c = self.ffi.new("char[]", bytes(name, "utf-8"))
    size = ceil(size/1024)*1024 # Must be page-aligned
    return self.libpanda.map_memory(name_c, size, address)
def memory_region_add_subregion(self, mr, offset, sr)

Calls memory_region_add_subregion from QEMU. memory_region_add_subregion: Add a subregion to a container.

Adds a subregion at @offset. The subregion may not overlap with other subregions (except for those explicitly marked as overlapping). A region may only be added once as a subregion (unless removed with memory_region_del_subregion()); use memory_region_init_alias() if you want a region to be a subregion in multiple locations.

Args

mr
the region to contain the new subregion; must be a container initialized with memory_region_init().
offset
the offset relative to @mr where @subregion is added.
subregion
the subregion to be added.

Returns

None

Expand source code
def memory_region_add_subregion(self, mr, offset, sr):
    '''
    Calls memory_region_add_subregion from QEMU.
    memory_region_add_subregion: Add a subregion to a container.

    Adds a subregion at @offset.  The subregion may not overlap with other
    subregions (except for those explicitly marked as overlapping).  A region
    may only be added once as a subregion (unless removed with
    memory_region_del_subregion()); use memory_region_init_alias() if you
    want a region to be a subregion in multiple locations.

    Args:
        mr: the region to contain the new subregion; must be a container initialized with memory_region_init().
        offset: the offset relative to @mr where @subregion is added.
        subregion: the subregion to be added.

    Returns:
        None
    '''
    return self.libpanda.memory_region_add_subregion(mr,offset,sr)
def memory_region_allocate_system_memory(self, mr, obj, name, ram_size)

Allocates Memory region by user specificiation. Calls memory_region_allocation_system_memory QEMU function.

Args

mr
MemoryRegion struct
obj
Object struct
name : str
Region name
ram_size : int
RAM size

Returns

None

Expand source code
def memory_region_allocate_system_memory(self, mr, obj, name, ram_size):
    '''
    Allocates Memory region by user specificiation.
    Calls memory_region_allocation_system_memory QEMU function.

    Args:
        mr: MemoryRegion struct
        obj: Object struct
        name (str): Region name
        ram_size (int): RAM size

    Returns:
        None
    '''
    return self.libpanda.memory_region_allocate_system_memory(mr, obj, name, ram_size)
def memory_region_init_ram_from_file(self, mr, owner, name, size, share, path)

Calls memory_region_init_ram_from_file from QEMU. memory_region_init_ram_from_file: Initialize RAM memory region with a mmap-ed backend.

Args

mr
the #MemoryRegion to be initialized.
owner
the object that tracks the region's reference count
name
the name of the region.
size
size of the region.
share
%true if memory must be mmaped with the MAP_SHARED flag
path
the path in which to allocate the RAM.
errp
pointer to Error*, to store an error if it happens.

Returns

None

Expand source code
def memory_region_init_ram_from_file(self, mr, owner, name, size, share, path):
    '''
    Calls memory_region_init_ram_from_file from QEMU.
    memory_region_init_ram_from_file:  Initialize RAM memory region with a mmap-ed backend.

    Args:
        mr: the #MemoryRegion to be initialized.
        owner: the object that tracks the region's reference count
        name: the name of the region.
        size: size of the region.
        share: %true if memory must be mmaped with the MAP_SHARED flag
        path: the path in which to allocate the RAM.
        errp: pointer to Error*, to store an error if it happens.

    Returns:
        None
    '''
    return self.libpanda.memory_region_init_ram_from_file(mr, owner, name, size, share, path, self.libpanda.error_fatal)
def memsavep(self, file_out)

Calls QEMU memsavep on your specified python file.

Expand source code
def memsavep(self, file_out):
    '''
    Calls QEMU memsavep on your specified python file.
    '''
    # this part was largely copied from https://cffi.readthedocs.io/en/latest/ref.html#support-for-file

    file_out.flush()                 # make sure the file is flushed
    newfd = dup(file_out.fileno())   # make a copy of the file descriptor
    fileptr = self.C.fdopen(newfd, b"w")
    self.libpanda.panda_memsavep(fileptr)
    self.C.fclose(fileptr)
def object_class_by_name(self, name)

Returns class as ObjectClass from name specified. Calls object_class_by_name QEMU function.

Args name (str): string defined by user

Returns

struct as specified by name

Expand source code
def object_class_by_name(self, name):
    '''
    Returns class as ObjectClass from name specified.
    Calls object_class_by_name QEMU function.

    Args
        name (str): string defined by user

    Returns:
        struct as specified by name
    '''
    return self.libpanda.object_class_by_name(name)
def object_class_get_name(self, objclass)

Gets String QOM typename from object class. Calls object_class_get_name QEMU function.

Args:: objclass: class to obtain the QOM typename for.

Returns

String QOM typename for klass.

Expand source code
def object_class_get_name(self, objclass):
    '''
    Gets String QOM typename from object class.
    Calls object_class_get_name QEMU function.

    Args::
        objclass: class to obtain the QOM typename for.

    Returns:
        String QOM typename for klass.
    '''
    return self.libpanda.object_class_get_name(objclass)
def object_new(self, name)

Creates a new QEMU object from typename. This function will initialize a new object using heap allocated memory. The returned object has a reference count of 1, and will be freed when the last reference is dropped. Calls object_new QEMU function.

Args

name : str
The name of the type of the object to instantiate.

Returns

The newly allocated and instantiated object.

Expand source code
def object_new(self, name):
    '''
    Creates a new QEMU object from typename.
    This function will initialize a new object using heap allocated memory.
    The returned object has a reference count of 1, and will be freed when
    the last reference is dropped.
    Calls object_new QEMU function.

    Args:
        name (str): The name of the type of the object to instantiate.

    Returns:
        The newly allocated and instantiated object.
    '''
    return self.libpanda.object_new(name)
def object_property_find(self, obj, name)

Look up a property for an object and return its #ObjectProperty if found. Calls object_property_find QEMU function.

Args

obj
the object
name
the name of the property
errp
returns an error if this function fails

Returns

struct ObjectProperty pointer

Expand source code
def object_property_find(self, obj, name):
    '''
    Look up a property for an object and return its #ObjectProperty if found.
    Calls object_property_find QEMU function.

    Args:
        obj: the object
        name: the name of the property
        errp: returns an error if this function fails

    Returns:
        struct ObjectProperty pointer
    '''
    return self.libpanda.object_property_find(obj,name, self.ffi.NULL)
def object_property_get_bool(self, obj, name)

Pull boolean from object. Calls object_property_get_bool QEMU function.

Args

obj
the object
name
the name of the property

Returns

the value of the property, converted to a boolean, or NULL if an error occurs (including when the property value is not a bool).

Expand source code
def object_property_get_bool(self, obj, name):
    '''
    Pull boolean from object.
    Calls object_property_get_bool QEMU function.

    Args:
        obj: the object
        name: the name of the property

    Returns:
        the value of the property, converted to a boolean, or NULL if an error occurs (including when the property value is not a bool).
    '''
    return self.libpanda.object_property_get_bool(obj,name,self.libpanda.error_abort)
def object_property_get_int(self, obj, name)

Gets integer in QEMU object. Reads an integer value from this property. Calls object_property_get_int QEMU function.

Paramaters:
    obj: the object
    name: the name of the property

Returns:
    the value of the property, converted to an integer, or negative if an error occurs (including when the property value is not an integer).
Expand source code
def object_property_get_int(self, obj, name):
    '''
    Gets integer in QEMU object. Reads an integer value from this property.
    Calls object_property_get_int QEMU function.

        Paramaters:
            obj: the object
            name: the name of the property

        Returns:
            the value of the property, converted to an integer, or negative if an error occurs (including when the property value is not an integer).
    '''
    return self.libpanda.object_property_get_int(obj, name, self.libpanda.error_abort)

Reads an object's canonical path to a property. Calls object_property_get_link QEMU function.

Args

obj
the object
name
the name of the property
errp
returns an error if this function fails

Returns

the value of the property, resolved from a path to an Object, or NULL if an error occurs (including when the property value is not a string or not a valid object path).

Expand source code
def object_property_get_link(self, obj, name):
    '''
    Reads an object's canonical path to a property.
    Calls object_property_get_link QEMU function.

    Args:
        obj: the object
        name: the name of the property
        errp: returns an error if this function fails

    Returns:
        the value of the property, resolved from a path to an Object, or NULL if an error occurs (including when the property value is not a string or not a valid object path).
    '''
    return self.libpanda.object_property_get_link(obj,name,self.libpanda.error_abort)
def object_property_set_bool(self, obj, value, name)

Writes a bool value to a property. Calls object_property_set_bool QEMU function.

Args:: value: the value to be written to the property name: the name of the property errp: returns an error if this function fails

Returns

None

Expand source code
def object_property_set_bool(self, obj, value, name):
    '''
    Writes a bool value to a property.
    Calls object_property_set_bool QEMU function.

    Args::
        value: the value to be written to the property
        name: the name of the property
        errp: returns an error if this function fails

    Returns:
        None
    '''
    return self.libpanda.object_property_set_bool(obj,value,name,self.libpanda.error_abort)
def object_property_set_int(self, obj, value, name)

Set integer in QEMU object. Writes an integer value to a property. Calls object_property_set_int QEMU function.

Args

value
the value to be written to the property
name
the name of the property

Returns

None

Expand source code
def object_property_set_int(self,obj, value, name):
    '''
    Set integer in QEMU object. Writes an integer value to a property.
    Calls object_property_set_int QEMU function.

    Args:
        value: the value to be written to the property
        name: the name of the property

    Returns:
        None
    '''
    return self.libpanda.object_property_set_int(obj, value, name, self.libpanda.error_abort)

Writes an object's canonical path to a property. Calls object_property_set_link QEMU function.

Args

value
the value to be written to the property
name
the name of the property
errp
returns an error if this function fails

Returns

None

Expand source code
def object_property_set_link(self, obj, val, name):
    '''
    Writes an object's canonical path to a property.
    Calls object_property_set_link QEMU function.

    Args:
        value: the value to be written to the property
        name: the name of the property
        errp: returns an error if this function fails

    Returns:
        None
    '''
    return self.libpanda.object_property_set_link(obj,val,name,self.libpanda.error_abort)
def panda_finish(self)

Final stage call to underlying panda_finish with initialization.

Expand source code
def panda_finish(self):
    '''
    Final stage call to underlying panda_finish with initialization.
    '''
    return self.libpanda.panda_finish()
def physical_memory_read(self, addr, length, fmt='bytearray')

Read guest physical memory. In the specified format. Note that the ptrlist format returns a list of integers, each of the specified architecture's pointer size.

Args

addr : int
Address
length : int
length of array you would like returned
fmt : str
format for returned array. Options: 'bytearray', 'int', 'str', 'ptrlist'

Returns

Union[bytearray, int, str, list[int]]
memory data

Raises

ValueError if memory access fails or fmt is unsupported

Expand source code
def physical_memory_read(self, addr, length, fmt='bytearray'):
    '''
    Read guest physical memory. In the specified format. Note that the `ptrlist` format
    returns a list of integers, each of the specified architecture's pointer size.

    Args:
        addr (int): Address
        length (int): length of array you would like returned
        fmt (str): format for returned array. Options: 'bytearray', 'int', 'str', 'ptrlist'

    Returns:
        Union[bytearray, int, str, list[int]]: memory data

    Raises:
        ValueError if memory access fails or fmt is unsupported
    '''
    return self._memory_read(None, addr, length, physical=True, fmt=fmt)
def physical_memory_write(self, addr, buf)

Write guest physical memory.

Args

addr : int
Address
buf : bytestring
byte string to write into memory

Returns

None

Raises

ValueError if the call to panda.physical_memory_write fails (e.g., if you pass a pointer to an invalid memory region)

Expand source code
def physical_memory_write(self, addr, buf):
    '''
    Write guest physical memory.

    Args:
        addr (int): Address
        buf (bytestring):  byte string to write into memory

    Returns:
        None

    Raises:
        ValueError if the call to panda.physical_memory_write fails (e.g., if you pass a pointer to an invalid memory region)
    '''
    self._memory_write(None, addr, buf, physical=True)
def ppp(self, plugin_name, attr, name=None, autoload=True)

Decorator for plugin-to-plugin interface. Note this isn't in decorators.py becuase it uses the panda object.

Example usage to register my_run with syscalls2 as a 'on_sys_open_return' @ppp("syscalls2", "on_sys_open_return") def my_fun(cpu, pc, filename, flags, mode): …

Expand source code
def ppp(self, plugin_name, attr, name=None, autoload=True):
    '''
    Decorator for plugin-to-plugin interface. Note this isn't in decorators.py
    becuase it uses the panda object.

    Example usage to register my_run with syscalls2 as a 'on_sys_open_return'
    @ppp("syscalls2", "on_sys_open_return")
    def my_fun(cpu, pc, filename, flags, mode):
        ...
    '''

    if plugin_name not in self.plugins and autoload: # Could automatically load it?
        print(f"PPP automatically loaded plugin {plugin_name}")

    if not hasattr(self, "ppp_registered_cbs"):
        self.ppp_registered_cbs = {}
        # We use this to traak fn_names->fn_pointers so we can later disable by name

        # XXX: if  we don't save the cffi generated callbacks somewhere in Python,
        # they may get garbage collected even though the c-code could still has a
        # reference to them  which will lead to a crash. If we stop using this to track
        # function names, we need to keep it or something similar to ensure the reference
        # count remains >0 in python

    def decorator(fun):
        local_name = name  # We need a new varaible otherwise we have scoping issues, maybe
        if local_name is None:
            local_name = fun.__name__

        def _run_and_catch(*args, **kwargs): # Run function but if it raises an exception, stop panda and raise it
            if not hasattr(self, "exit_exception"):
                try:
                    r = fun(*args, **kwargs)
                    #print(pandatype, type(r)) # XXX Can we use pandatype to determine requried return and assert if incorrect
                    #assert(isinstance(r, int)), "Invalid return type?"
                    return r
                except Exception as e:
                    # exceptions wont work in our thread. Therefore we print it here and then throw it after the
                    # machine exits.
                    if self.catch_exceptions:
                        self.exit_exception = e
                        self.end_analysis()
                    else:
                        raise e
                    # this works in all current callback cases. CFFI auto-converts to void, bool, int, and int32_t

        cast_rc = self.ffi.callback(attr+"_t")(_run_and_catch)  # Wrap the python fn in a c-callback.
        if local_name == "<lambda>":
            local_name = f"<lambda_{self.lambda_cnt}>"
            self.lambda_cnt += 1

        if local_name in self.ppp_registered_cbs:
            print(f"Warning: replacing existing PPP callback '{local_name}' since it was re-registered")
            self.disable_ppp(local_name)

        assert (local_name not in self.ppp_registered_cbs), f"Two callbacks with conflicting name: {local_name}"

        # Ensure function isn't garbage collected, and keep the name->(fn, plugin_name, attr) map for disabling
        self.ppp_registered_cbs[local_name] = (cast_rc, plugin_name, attr)

        getattr(self.plugins[plugin_name], f'ppp_add_cb_{attr}')(cast_rc) # All PPP  cbs start with this string.
        return cast_rc
    return decorator
def pyperiph_read_cb(self, cpu, pc, physaddr, size, val_ptr)
Expand source code
def pyperiph_read_cb(self, cpu, pc, physaddr, size, val_ptr):
    pp = self._addr_to_pyperipheral(physaddr)
    if pp is None:
        return False

    val = pp.read_memory(physaddr, size)
    buf = self.ffi.buffer(val_ptr, size)

    fmt = "{}{}".format(self._end2fmt[self.endianness], self._num2fmt[size])

    pack_into(fmt, buf, 0, val)

    return True
def pyperiph_write_cb(self, cpu, pc, physaddr, size, val)
Expand source code
def pyperiph_write_cb(self, cpu, pc, physaddr, size, val):
    pp = self._addr_to_pyperipheral(physaddr)
    if pp is None:
        return False

    pp.write_memory(physaddr, size, val)
    return True
def queue_async(self, f, internal=False)

Explicitly queue work in the asynchronous work queue.

Args

f
A python function with no arguments to be called at a later time. The function should

be decorated with @pandare.blocking. You generally want to use panda.queue_blocking over this function.

Returns

None

Expand source code
def queue_async(self, f, internal=False):
    '''
    Explicitly queue work in the asynchronous work queue.

    Args:
        f: A python function with no arguments to be called at a later time. The function should
        be decorated with `@pandare.blocking`. You generally want to use `panda.queue_blocking` over this function.

    Returns:
        None
    '''

    # this takes the blocking function and handles errors
    @blocking
    def wrapper():
        try:
            f()
        except Exception as e:
            if self.catch_exceptions:
                self.exit_exception = e
                self.end_analysis()
            else:
                raise e

    # Keep the original function name instead of replacing it with 'wrapper'
    wrapper.__name__ = f.__name__
    self.athread.queue(wrapper, internal=internal)
def queue_blocking(self, func, queue=True)

Decorator to mark a function as blocking, and (by default) queue it to run asynchronously. This should be used to mark functions that will drive guest execution. Functions will be run in the order they are defined. For more precise control, use panda.queue_async.

@panda.queue_blocking
def do_something():
    panda.revert_sync('root')
    print(panda.run_serial_cmd('whoami'))
    panda.end_analysis()

is equivalent to

@blocking
def run_whoami():
    panda.revert_sync('root')
    print(panda.run_serial_cmd('whoami'))
    panda.end_analysis()

panda.queue_async(run_whoami)

Args

func : function
Function to queue
queue : bool
Should function automatically be queued

Returns

None

Expand source code
def queue_blocking(self, func, queue=True):
    """
    Decorator to mark a function as `blocking`, and (by default) queue it to run asynchronously.
    This should be used to mark functions that will drive guest execution. Functions will be run
    in the order they are defined. For more precise control, use `panda.queue_async`.


    ```
    @panda.queue_blocking
    def do_something():
        panda.revert_sync('root')
        print(panda.run_serial_cmd('whoami'))
        panda.end_analysis()
    ```

    is equivalent to

    ```
    @blocking
    def run_whoami():
        panda.revert_sync('root')
        print(panda.run_serial_cmd('whoami'))
        panda.end_analysis()

    panda.queue_async(run_whoami)
    ```

    Args:
        func (function): Function to queue
        queue (bool): Should function automatically be queued

    Returns:
        None

    """
    f = blocking(func)
    if queue:
        self.queue_async(f)
    return f
def queue_main_loop_wait_fn(self, fn, args=[])

Queue a function to run at the next main loop fn is a function we want to run, args are arguments to apss to it

Expand source code
def queue_main_loop_wait_fn(self, fn, args=[]):
    '''
    Queue a function to run at the next main loop
    fn is a function we want to run, args are arguments to apss to it
    '''
    self.main_loop_wait_fnargs.append((fn, args))
def read_str(self, cpu, ptr, max_length=None)

Helper to read a null-terminated string from guest memory given a pointer and CPU state May return an exception if the call to panda.virtual_memory_read fails (e.g., if you pass a pointer to an unmapped page)

Args

cpu : CPUState
CPUState structure
ptr : int
Pointer to start of string
max_length : int
Optional length to stop reading at

Returns

string
Data read from memory
Expand source code
def read_str(self, cpu, ptr, max_length=None):
    '''
    Helper to read a null-terminated string from guest memory given a pointer and CPU state
    May return an exception if the call to panda.virtual_memory_read fails (e.g., if you pass a
    pointer to an unmapped page)

    Args:
        cpu (CPUState): CPUState structure
        ptr (int): Pointer to start of string
        max_length (int): Optional length to stop reading at

    Returns:
        string: Data read from memory

    '''
    r = b""
    idx = 0
    while (max_length is None or idx < max_length):
        next_char = self.virtual_memory_read(cpu, ptr, 1) # If this raises an exn, don't mask it
        if next_char == b"\x00":
            break
        r += next_char
        ptr += 1
        idx += 1
    return r.decode("utf8", "ignore")
def record(self, recording_name, snapshot_name=None)

Begins active recording with name provided.

Args

recording_name : string
name of recording to save.
snapshot_name : string, optional
Before recording starts restore to this snapshot name. Defaults to None.

Raises

Exception
raises exception if there was an error starting recording.
Expand source code
def record(self, recording_name, snapshot_name=None):
    """Begins active recording with name provided.

    Args:
        recording_name (string): name of recording to save.
        snapshot_name (string, optional): Before recording starts restore to this snapshot name. Defaults to None.

    Raises:
        Exception: raises exception if there was an error starting recording.
    """
    if snapshot_name == None:
        snapshot_name_ffi = self.ffi.NULL
    else:
        snapshot_name_ffi = self.ffi.new("char[]",snapshot_name.encode())
    recording_name_ffi = self.ffi.new("char[]", recording_name.encode())
    result = self.libpanda.panda_record_begin(recording_name_ffi,snapshot_name_ffi)
    res_string_enum = self.ffi.string(self.ffi.cast("RRCTRL_ret",result))
    if res_string_enum != "RRCTRL_OK":
       raise Exception(f"record method failed with RTCTL_ret {res_string_enum} ({result})")
def record_cmd(self, guest_command, copy_directory=None, iso_name=None, setup_command=None, recording_name='recording', snap_name='root', ignore_errors=False)

Take a recording as follows: 0) Revert to the specified snapshot name if one is set. By default 'root'. Set to None if you have already set up the guest and are ready to record with no revert 1) Create an ISO of files that need to be copied into the guest if copy_directory is specified. Copy them in 2) Run the setup_command in the guest, if provided 3) Type the command you wish to record but do not press enter to begin execution. This avoids the recording capturing the command being typed 4) Begin the recording (name controlled by recording_name) 5) Press enter in the guest to begin the command. Wait until it finishes. 6) End the recording

Expand source code
@blocking
def record_cmd(self, guest_command, copy_directory=None, iso_name=None, setup_command=None, recording_name="recording", snap_name="root", ignore_errors=False):
    '''
    Take a recording as follows:
        0) Revert to the specified snapshot name if one is set. By default 'root'. Set to `None` if you have already set up the guest and are ready to record with no revert
        1) Create an ISO of files that need to be copied into the guest if copy_directory is specified. Copy them in
        2) Run the setup_command in the guest, if provided
        3) Type the command you wish to record but do not press enter to begin execution. This avoids the recording capturing the command being typed
        4) Begin the recording (name controlled by recording_name)
        5) Press enter in the guest to begin the command. Wait until it finishes.
        6) End the recording
    '''
    # 0) Revert to the specified snapshot
    if snap_name is not None:
        self.revert_sync(snap_name) # Can't use self.revert because that would would run async and we'd keep going before the revert happens

    # 1) Make copy_directory into an iso and copy it into the guest - It will end up at the exact same path
    if copy_directory: # If there's a directory, build an ISO and put it in the cddrive
        # Make iso
        self.copy_to_guest(copy_directory, iso_name)

    # 2) Run setup_command, if provided before we start the recording (good place to CD or install, etc)
    if setup_command:
        print(f"Running setup command {setup_command}")
        r = self.run_serial_cmd(setup_command)
        print(f"Setup command results: {r}")

    # 3) type commmand (note we type command, start recording, finish command)
    self.type_serial_cmd(guest_command)

    # 4) start recording
    self.run_monitor_cmd("begin_record {}".format(recording_name))

    # 5) finish command
    result = self.finish_serial_cmd()

    if debug:
        progress("Result of `{}`:".format(guest_command))
        print("\t"+"\n\t".join(result.split("\n"))+"\n")

    if "No such file or directory" in result and not ignore_errors:
        print("Bad output running command: {}".format(result))
        raise RuntimeError("Command not found while taking recording")

    if "cannot execute binary file" in result and not ignore_errors:
        print("Bad output running command: {}".format(result))
        raise RuntimeError("Could not execute binary while taking recording")

    # 6) End recording
    self.run_monitor_cmd("end_record")

    print("Finished recording")
def recording_exists(self, name)

Checks if a recording file exists on disk.

Args

name : str
name of the recording to check for (e.g., foo which uses foo-rr-snp and foo-rr-nondet.log)

Returns

boolean
true if file exists, false otherwise
Expand source code
def recording_exists(self, name):
    '''
    Checks if a recording file exists on disk.

    Args:
        name (str): name of the recording to check for (e.g., `foo` which uses `foo-rr-snp` and `foo-rr-nondet.log`)
    
    Returns:
        boolean: true if file exists, false otherwise
    '''
    if exists(name + "-rr-snp") or rr2_contains_member(name, "snapshot"):
        return True
def register_callback(self, callback, function, name, enabled=True, procname=None)
Expand source code
def register_callback(self, callback, function, name, enabled=True, procname=None):
    # CB   = self.callback.main_loop_wait
    # func = main_loop_wait_cb
    # name = main_loop_wait

    if name in self.registered_callbacks:
        print(f"Warning: replacing existing callback '{name}' since it was re-registered")
        self.delete_callback(name)

    cb = self.callback_dictionary[callback]

    # Generate a unique handle for each callback type using the number of previously registered CBs of that type added to a constant
    self.plugin_register_count += 1
    handle = self.ffi.cast('void *', self.plugin_register_count)

    # XXX: We should have another layer of indirection here so we can catch
    #      exceptions raised during execution of the CB and abort analysis
    pcb = self.ffi.new("panda_cb *", {cb.name:function})

    if debug:
        progress("Registered function '{}' to run on callback {}".format(name, cb.name))

    self.libpanda.panda_register_callback_helper(handle, cb.number, pcb)
    self.registered_callbacks[name] = {"procname": procname, "enabled": True, "callback": cb,
                       "handle": handle, "pcb": pcb, "function": function} # XXX: if function is not saved here it gets GC'd and everything breaks! Watch out!

    if not enabled: # Note the registered_callbacks dict starts with enabled true and then we update it to false as necessary here
        self.disable_callback(name)

    if "block" in cb.name and "start" not in cb.name and "end" not in cb.name:
        if not self.disabled_tb_chaining:
            print("Warning: disabling TB chaining to support {} callback".format(cb.name))
            self.disable_tb_chaining()
def register_cb_decorators(self)

Setup callbacks and generate self.cb_XYZ functions for cb decorators XXX Don't add any other methods with names starting with 'cb_' Callbacks can be called as @panda.cb_XYZ in which case they'll take default arguments and be named the same as the decorated function Or they can be called as @panda.cb_XYZ(name='A', procname='B', enabled=True). Defaults: name is function name, procname=None, enabled=True unless procname set

Expand source code
def register_cb_decorators(self):
    '''
    Setup callbacks and generate self.cb_XYZ functions for cb decorators
    XXX Don't add any other methods with names starting with 'cb_'
    Callbacks can be called as @panda.cb_XYZ in which case they'll take default arguments and be named the same as the decorated function
    Or they can be called as @panda.cb_XYZ(name='A', procname='B', enabled=True). Defaults: name is function name, procname=None, enabled=True unless procname set
    '''
    for cb_name, pandatype in zip(self.callback._fields, self.callback):
        def closure(closed_cb_name, closed_pandatype): # Closure on cb_name and pandatype
            def f(*args, **kwargs):
                if len(args): # Called as @panda.cb_XYZ without ()s- no arguments to decorator but we get the function name instead
                    # Call our decorator with only a name argument ON the function itself
                    fun = args[0]
                    return self._generated_callback(closed_pandatype, **{"name": fun.__name__})(fun)
                else:
                    # Otherwise, we were called as @panda.cb_XYZ() with potential args - Just return the decorator and it's applied to the function
                    return self._generated_callback(closed_pandatype, *args, **kwargs)
            return f

        setattr(self, 'cb_'+cb_name, closure(cb_name, pandatype))
def register_pyperipheral(self, object)

Registers a python peripheral, and the necessary attributes to the panda-object, if not present yet.

Expand source code
def register_pyperipheral(self, object):
    """
    Registers a python peripheral, and the necessary attributes to the
    panda-object, if not present yet.
    """

    # if we are the first pyperipheral, register the pp-dict
    if not hasattr(self, "pyperipherals"):
        self.pyperipherals = []
        self.pyperipherals_registered_cb = False
        self._num2fmt = {1: "B", 2: "H", 4: "I", 8: "Q"}
        self._end2fmt = {"little": "<", "big": ">"}

    self._validate_object(object)

    if self.pyperipherals_registered_cb is False:
        self.register_callback(
            self.callback.unassigned_io_read,
            self.callback.unassigned_io_read(self.pyperiph_read_cb),
            "pyperipheral_read_callback",
        )

        self.register_callback(
            self.callback.unassigned_io_write,
            self.callback.unassigned_io_write(self.pyperiph_write_cb),
            "pyperipheral_write_callback",
        )

        self.pyperipherals_registered_cb = True

    self.pyperipherals.append(object)
def require(self, name)

Load a C plugin with no arguments. Deprecated. Use load_plugin

Expand source code
def require(self, name):
    '''
    Load a C plugin with no arguments. Deprecated. Use load_plugin
    '''
    self.load_plugin(name, args={})
def reset(self)

In the next main loop, reset to boot

Expand source code
def reset(self):
    """In the next main loop, reset to boot"""
    if debug:
        progress ("Resetting machine to start state")

    # Stop guest, queue up revert, then continue
    self.vm_stop()
    self.queue_main_loop_wait_fn(self.libpanda.panda_reset)
    self.queue_main_loop_wait_fn(self.libpanda.panda_cont)
def revert_async(self, snapshot_name)

Request a snapshot revert, eventually. This is fairly dangerous because you don't know when it finishes. You should be using revert_sync from a blocking function instead

Expand source code
def revert_async(self, snapshot_name): # In the next main loop, revert
    '''
    Request a snapshot revert, eventually. This is fairly dangerous
    because you don't know when it finishes. You should be using revert_sync
    from a blocking function instead
    '''
    if not hasattr(self, 'warned_async'):
        self.warned_async = True
        print("WARNING: panda.revert_async may be deprecated in the near future")
    if debug:
        progress ("Loading snapshot " + snapshot_name)

    # Stop guest, queue up revert, then continue
    timer_start = time()
    self.vm_stop()
    charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
    self.queue_main_loop_wait_fn(self.libpanda.panda_revert, [charptr])
    self.queue_main_loop_wait_fn(self.libpanda.panda_cont)
    if debug:
        self.queue_main_loop_wait_fn(self._finish_timer, [timer_start, "Loaded snapshot"])
def revert_sync(self, snapshot_name)

Args

snapshot_name
name of snapshot in the current qcow to load

Returns

String
error message. Empty on success.
Expand source code
@blocking
def revert_sync(self, snapshot_name):
    '''
    Args:
        snapshot_name: name of snapshot in the current qcow to load

    Returns:
        String: error message. Empty on success.
    '''
    result = self.run_monitor_cmd("loadvm {}".format(snapshot_name))
    # On success we should get no result

    if result.startswith("Length mismatch"):
        raise RuntimeError("QEMU machine's RAM size doesn't match snapshot RAM size!")

    if "does not have the requested snapshot" in result:
        raise ValueError(f"Snapshot '{snapshot_name}' not present in {self.qcow}")

    result = result.strip()
    if len(result):
        warn(f"snapshot load returned error {result}")

    return result
def rr_get_guest_instr_count(self)

Returns record/replay guest instruction count.

Returns

int
Current instruction count
Expand source code
def rr_get_guest_instr_count(self):
    '''
    Returns record/replay guest instruction count.

    Returns:
        int: Current instruction count
    '''
    return self.libpanda.rr_get_guest_instr_count_external()
def run(self)

This function starts our running PANDA instance from Python. At termination this function returns and the script continues to run after it.

This function starts execution of the guest. It blocks until guest finishes. It also initializes panda object, clears main_loop_wait fns, and sets up internal callbacks.

Args

None

Returns

None
When emulation has finished due to guest termination, replay conclusion or a call to Panda.end_analysis()
Expand source code
def run(self):
    '''
    This function starts our running PANDA instance from Python. At termination this function returns and the script continues to run after it.

    This function starts execution of the guest. It blocks until guest finishes.
    It also initializes panda object, clears main_loop_wait fns, and sets up internal callbacks.

    Args:
        None

    Returns:
        None: When emulation has finished due to guest termination, replay conclusion or a call to `Panda.end_analysis`
    '''

    if len(self.main_loop_wait_fnargs):
        if debug:
            print("Clearing prior main_loop_wait fns:", self.main_loop_wait_fnargs)
        self.main_loop_wait_fnargs = [] # [(fn, args), ...]

    self.ending = False

    if debug:
        progress ("Running")

    self.initializing.set()
    if not self._initialized_panda:
        self._initialize_panda()
    self.initializing.clear()

    if not self.started.is_set():
        self.started.set()

    self.athread.ending = False

    # Ensure our internal CBs are always enabled
    self.enable_internal_callbacks()
    self._setup_internal_signal_handler()
    self.running.set()
    self.libpanda.panda_run() # Give control to panda
    self.running.clear() # Back from panda's execution (due to shutdown or monitor quit)
    self.unload_plugins() # Unload pyplugins and C plugins
    self.delete_callbacks() # Unload any registered callbacks
    self.plugins = plugin_list(self)
    # Write PANDALOG, if any
    #self.libpanda.panda_cleanup_record()
    if self._in_replay:
        self.reset()
    if hasattr(self, "exit_exception"):
        saved_exception = self.exit_exception
        del self.exit_exception
        raise saved_exception
def run_monitor_cmd(self, cmd)
Expand source code
@blocking
def run_monitor_cmd(self, cmd):
    self.monitor_console.sendline(cmd.encode("utf8"))
    result = self.monitor_console.expect()
    return result
def run_replay(self, replaypfx)

Load a replay and run it. Starts PANDA execution and returns after end of VM execution.

Args

replaypfx : str
Replay name/path (e.g., "foo" or "./dir/foo")

Returns

None

Expand source code
def run_replay(self, replaypfx):
    '''
    Load a replay and run it. Starts PANDA execution and returns after end of VM execution.

    Args:
        replaypfx (str): Replay name/path (e.g., "foo" or "./dir/foo")

    Returns:
        None
    '''
    if (not isfile(replaypfx+"-rr-snp") or not isfile(replaypfx+"-rr-nondet.log")) and not rr2_recording(replaypfx):
        raise ValueError("Replay files not present to run replay of {}".format(replaypfx))

    self.ending = False

    if debug:
        progress ("Replaying %s" % replaypfx)

    charptr = self.ffi.new("char[]",bytes(replaypfx,"utf-8"))
    self.libpanda.panda_replay_begin(charptr)
    self._in_replay = True
    self.run()
    self._in_replay = False
def run_serial_cmd(self, cmd, no_timeout=False, timeout=None)

Run a command inside the guest through a terminal exposed over a serial port. Can only be used if your guest is configured in this way

Guest output will be analyzed until we see the expect_prompt regex printed (i.e., the PS1 prompt)

Args

cmd
command to run.
timeout
maximum time to wait for the command to finish
no_timeout
if set, don't ever timeout

Returns

String
all the output (stdout + stderr) printed after typing your command and pressing enter until the next prompt was printed.
Expand source code
@blocking
def run_serial_cmd(self, cmd, no_timeout=False, timeout=None):
    '''
    Run a command inside the guest through a terminal exposed over a serial port. Can only be used if your guest is configured in this way

    Guest output will be analyzed until we see the expect_prompt regex printed (i.e., the PS1 prompt)

    Args:
        cmd: command to run.
        timeout: maximum time to wait for the command to finish
        no_timeout: if set, don't ever timeout

    Returns:
        String: all the output (stdout + stderr) printed after typing your command and pressing enter until the next prompt was printed.
    '''

    if timeout is None:
        timeout = 30

    if self.serial_console is None:
        raise RuntimeError("Cannot run serial commands without providing PANDA an expect_prompt")
    self.running.wait() # Can only run serial when guest is running
    self.serial_console.sendline(cmd.encode("utf8"))
    if no_timeout:
        result = self.serial_console.expect(timeout=9999) # "Don't ever timeout" above is a bit of an exaggeration
    else:
        result = self.serial_console.expect(timeout=timeout)
    return result
def run_serial_cmd_async(self, cmd, delay=1)

Type a command and press enter in the guest. Return immediately. No results available Only use this if you know what you're doing!

Expand source code
@blocking
def run_serial_cmd_async(self, cmd, delay=1):
    '''
    Type a command and press enter in the guest. Return immediately. No results available
    Only use this if you know what you're doing!
    '''
    self.running.wait() # Can only run serial when guest is running
    self.serial_console.sendline(cmd.encode("utf8"))
    if delay:
        sleep(delay) # Ensure it has a chance to run
def run_volatility(self, plugin, debug=False)
Expand source code
def run_volatility(self, plugin, debug=False):
    try:
        from .volatility_cli_classes import CommandLineRunFullCommand, StringTextRenderer
    except ImportError:
        print("Warning: Failed to import volatility")
        return None
    self.make_panda_file_handler(debug=debug)
    cmd = CommandLineRunFullCommand().run("-q -f panda.panda " + plugin)
    output = StringTextRenderer().render(cmd.run())
    return output
def serial_read_until(self, byte_sequence)
Expand source code
@blocking
def serial_read_until(self, byte_sequence):
    if len(self.serial_unconsumed_data) > 0:
        found_idx = self.serial_unconsumed_data.find(byte_sequence)
        if found_idx >= 0:
            match = self.serial_unconsumed_data[ : found_idx]
            self.serial_unconsumed_data = self.serial_unconsumed_data[found_idx + 1 : ]
            return match
    while self.serial_socket != None:
        try:
            readable, _, _ = select.select([self.serial_socket], [], [], 0.5)
            if len(readable) == 0:
                continue
            data = self.serial_socket.recv(65535)
        except Exception as e:
            if '[Errno 11]' in str(e) or '[Errno 35]' in str(e):
                # EAGAIN
                continue
            raise Exception("Data Read Error: {}".format(e.message))
        if not data:
            raise Exception('Connection Closed by Server')

        self.serial_unconsumed_data += data
        found_idx = self.serial_unconsumed_data.find(byte_sequence)
        if found_idx >= 0:
            match = self.serial_unconsumed_data[ : found_idx]
            self.serial_unconsumed_data = self.serial_unconsumed_data[found_idx + 1 : ]
            return match
    return None
def set_breakpoint(self, cpu, pc)

Set a GDB breakpoint such that when the guest hits PC, execution is paused and an attached GDB instance can introspect on guest memory. Requires starting panda with -s, at least for now

Expand source code
def set_breakpoint(self, cpu, pc):
    '''
    Set a GDB breakpoint such that when the guest hits PC, execution is paused and an attached
    GDB instance can introspect on guest memory. Requires starting panda with -s, at least for now
    '''
    BP_GDB = 0x10
    self.libpanda.cpu_breakpoint_insert(cpu, pc, BP_GDB, self.ffi.NULL)
def set_os_name(self, os_name)

Set OS target. Equivalent to "-os" flag on the command line. Matches the form of:

"windows[-_]32[-_]xpsp[23]",
"windows[-_]32[-_]2000",
"windows[-_]32[-_]7sp[01]",
"windows[-_]64[-_]7sp[01]",
"linux[-_]32[-_].+",
"linux[-_]64[-_].+",
"freebsd[-_]32[-_].+",
"freebsd[-_]64[-_].+",

Args:
    os_name (str): Name that matches the format for the os flag.

Returns:
    None
Expand source code
def set_os_name(self, os_name):
    """
    Set OS target. Equivalent to "-os" flag on the command line. Matches the form of:

        "windows[-_]32[-_]xpsp[23]",
        "windows[-_]32[-_]2000",
        "windows[-_]32[-_]7sp[01]",
        "windows[-_]64[-_]7sp[01]",
        "linux[-_]32[-_].+",
        "linux[-_]64[-_].+",
        "freebsd[-_]32[-_].+",
        "freebsd[-_]64[-_].+",

        Args:
            os_name (str): Name that matches the format for the os flag.

        Returns:
            None
    """
    print ("os_name=[%s]" % os_name)
    os_name_new = self.ffi.new("char[]", bytes(os_name, "utf-8"))
    self.libpanda.panda_set_os_name(os_name_new)
def set_pandalog(self, name)

Enable recording to a pandalog (plog) named name

Args

name : str
filename to output data to

Returns

None

Expand source code
def set_pandalog(self, name):
    '''
    Enable recording to a pandalog (plog) named `name`

    Args:
        name (str): filename to output data to

    Returns:
        None
    '''
    charptr = self.ffi.new("char[]", bytes(name, "utf-8"))
    self.libpanda.panda_start_pandalog(charptr)
def snap(self, snapshot_name)

Create snapshot with specified name

Args

snapshot_name : str
name of the snapshot

Returns

None

Expand source code
def snap(self, snapshot_name):
    '''
    Create snapshot with specified name

    Args:
        snapshot_name (str): name of the snapshot

    Returns:
        None
    '''
    if debug:
        progress ("Creating snapshot " + snapshot_name)

    # Stop guest execution, queue up a snapshot, then continue
    timer_start = time()
    self.vm_stop()
    charptr = self.ffi.new("char[]", bytes(snapshot_name, "utf-8"))
    self.queue_main_loop_wait_fn(self.libpanda.panda_snap, [charptr])
    self.queue_main_loop_wait_fn(self.libpanda.panda_cont)
    if debug:
        self.queue_main_loop_wait_fn(self._finish_timer, [timer_start, "Saved snapshot"])
def stop_run(self)

From a blocking thread, request vl.c loop to break. Returns control flow in main thread. In other words, once this is called, panda.run() will finish and your main thread will continue. If you also want to unload plugins, use end_analysis instead

XXX: This doesn't work in replay mode

Expand source code
@blocking
def stop_run(self):
    '''
    From a blocking thread, request vl.c loop to break. Returns control flow in main thread.
    In other words, once this is called, panda.run() will finish and your main thread will continue.
    If you also want to unload plugins, use end_analysis instead

    XXX: This doesn't work in replay mode
    '''
    self.libpanda.panda_break_vl_loop_req = True
def string_to_condition(self, string: str)
Expand source code
def string_to_condition(self, string: str):
    s = self.string_to_solver(string)
    asrts = s.assertions()
    if len(asrts) == 0:
        return None 
    return asrts[0]
def string_to_expr(self, string: str)
Expand source code
def string_to_expr(self, string: str):
    eq = self.string_to_condition(string)
    if eq and len(eq.children()) > 0:
        return eq.children()[0]
    return None
def string_to_solver(self, string: str)
Expand source code
def string_to_solver(self, string: str):
    from z3 import Solver
    s = Solver()
    s.from_string(string)
    return s
def sysbus_create_varargs(self, name, addr)

Returns DeviceState struct from user specified information Calls sysbus_create_varargs QEMU function.

Args

name (str):
addr : int
hwaddr

Returns

DeviceState struct

Expand source code
def sysbus_create_varargs(self, name, addr):
    '''
    Returns DeviceState struct from user specified information
    Calls sysbus_create_varargs QEMU function.

    Args:
        name (str):
        addr (int): hwaddr

    Returns:
        DeviceState struct
    '''
    return self.libpanda.sysbus_create_varargs(name,addr, self.ffi.NULL)
def taint_check_laddr(self, addr, off)

returns boolean result checking if this laddr is tainted

Expand source code
def taint_check_laddr(self, addr, off):
    '''
    returns boolean result checking if this laddr is tainted
    '''
    self._assert_taint_enabled()
    return self.plugins['taint2'].taint2_query_laddr(addr, off) > 0
def taint_check_ram(self, addr)

returns boolean representing if physical address is tainted.

Expand source code
def taint_check_ram(self, addr):
    '''
    returns boolean representing if physical address is tainted.
    '''
    self._assert_taint_enabled()
    return self.plugins['taint2'].taint2_query_ram(addr) > 0
def taint_check_reg(self, reg_num)

Checks if register reg_num is tainted. Returns boolean.

Expand source code
def taint_check_reg(self, reg_num):
    '''
    Checks if register reg_num is tainted. Returns boolean.
    '''
    self._assert_taint_enabled()
    for offset in range(self.register_size):
        if self.plugins['taint2'].taint2_query_reg(reg_num, offset) > 0:
            return True
    return False
def taint_enable(self)

Enable taint.

Expand source code
def taint_enable(self):
    '''
    Enable taint.
    '''
    self.plugins["taint2"].taint2_enable_taint()
def taint_enabled(self)

Checks to see if taint2 plugin has been loaded

Expand source code
def taint_enabled(self):
    '''
    Checks to see if taint2 plugin has been loaded
    '''
    return self._plugin_loaded("taint2") and self.plugins["taint2"].taint2_enabled()
def taint_get_laddr(self, addr, offset)

returns array of results, one for each byte in this laddr None if no taint. QueryResult struct otherwise

Expand source code
def taint_get_laddr(self, addr, offset):
    '''
    returns array of results, one for each byte in this laddr
    None if no taint.  QueryResult struct otherwise
    '''
    self._assert_taint_enabled()
    if self.plugins['taint2'].taint2_query_laddr(addr, offset) > 0:
        query_res = self.ffi.new("QueryResult *")
        self.plugins['taint2'].taint2_query_laddr_full(addr, offset, query_res)
        tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
        return tq
    else:
        return None
def taint_get_ram(self, addr)

returns array of results, one for each byte in this register None if no taint. QueryResult struct otherwise

Expand source code
def taint_get_ram(self, addr):
    '''
    returns array of results, one for each byte in this register
    None if no taint.  QueryResult struct otherwise
    '''
    self._assert_taint_enabled()
    if self.plugins['taint2'].taint2_query_ram(addr) > 0:
        query_res = self.ffi.new("QueryResult *")
        self.plugins['taint2'].taint2_query_ram_full(addr, query_res)
        tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
        return tq
    else:
        return None
def taint_get_reg(self, reg_num)

Returns array of results, one for each byte in this register None if no taint. QueryResult struct otherwise

Expand source code
def taint_get_reg(self, reg_num):
    '''
    Returns array of results, one for each byte in this register
    None if no taint.  QueryResult struct otherwise
    '''
    self._assert_taint_enabled()
    res = []
    for offset in range(self.register_size):
        if self.plugins['taint2'].taint2_query_reg(reg_num, offset) > 0:
            query_res = self.ffi.new("QueryResult *")
            self.plugins['taint2'].taint2_query_reg_full(reg_num, offset, query_res)
            tq = TaintQuery(query_res, self.plugins['taint2'], self.ffi)
            res.append(tq)
        else:
            res.append(None)
    return res
def taint_label_ram(self, addr, label)

Labels ram at address with label.

Expand source code
def taint_label_ram(self, addr, label):
    '''
    Labels ram at address with label.
    '''
    self._assert_taint_enabled()
    self.plugins["taint2"].taint2_label_ram(addr, label)
def taint_label_reg(self, reg_num, label)

Labels taint register reg_num with label.

Expand source code
def taint_label_reg(self, reg_num, label):
    '''
    Labels taint register reg_num with label.
    '''
    self._assert_taint_enabled()
    for i in range(self.register_size):
        self.plugins["taint2"].taint2_label_reg(reg_num, i, label)
def taint_sym_branch_meta(self)
Expand source code
def taint_sym_branch_meta(self):
    branch_meta_ptr_ffi = self.ffi.new('SymbolicBranchMeta **')
    n_ptr_ffi = self.ffi.new('uint32_t *', 0)

    self.plugins['taint2'].taint2_sym_branch_meta(n_ptr_ffi, branch_meta_ptr_ffi)
    # Unpack size
    n = self.ffi.unpack(n_ptr_ffi, 1)[0]
    if n == 0:
        return []
    meta_ptr = self.ffi.unpack(branch_meta_ptr_ffi, 1)[0]
    metas_ffi = self.ffi.unpack(meta_ptr, n)
    # Meta only has a pc field now
    metas = [
        meta_ffi.pc
        for meta_ffi in metas_ffi
    ]
    return metas
def taint_sym_enable(self)

Inform python that taint is enabled.

Expand source code
def taint_sym_enable(self):
    """
    Inform python that taint is enabled.
    """
    if not self.taint_enabled():
        self.taint_enable()
        progress("taint symbolic not enabled -- enabling")
    self.plugins["taint2"].taint2_enable_sym()
def taint_sym_label_ram(self, addr, label)
Expand source code
def taint_sym_label_ram(self, addr, label):
    self._assert_taint_sym_enabled()
    self.plugins['taint2'].taint2_sym_label_ram(addr,label)
def taint_sym_label_reg(self, reg_num, label)
Expand source code
def taint_sym_label_reg(self, reg_num, label):
    # label all bytes in this register.
    # or at least four of them
    # XXX label must increment by panda.register_size after the call
    self._assert_taint_sym_enabled()
    self.taint_sym_enable()
    for i in range(self.register_size):
        self.plugins['taint2'].taint2_sym_label_reg(reg_num, i, label+i)
def taint_sym_path_constraints(self)
Expand source code
def taint_sym_path_constraints(self):
    # Prepare ptr for returned string
    str_ptr_ffi = self.ffi.new('char**')
    # Prepare ptr for string size
    n_ptr_ffi = self.ffi.new('uint32_t *', 0)

    self.plugins['taint2'].taint2_sym_path_constraints(n_ptr_ffi, str_ptr_ffi)
    # Unpack size
    n = self.ffi.unpack(n_ptr_ffi, 1)[0]
    if n == 0:
        return []
    # Unpack cstr
    str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
    str_bs = self.ffi.unpack(str_ptr, n)
    expr_str = str(str_bs, 'utf-8')
    solver = self.string_to_solver(expr_str)
    return solver.assertions() if solver != None else []
def taint_sym_query_ram(self, addr, size=1)
Expand source code
def taint_sym_query_ram(self, addr, size=1):
    # Prepare ptr for returned string
    str_ptr_ffi = self.ffi.new('char**')
    # Prepare ptr for string size
    n_ptr_ffi = self.ffi.new('uint32_t *', 0)

    self.plugins['taint2'].taint2_sym_query_ram(addr, size, n_ptr_ffi, str_ptr_ffi)
    # Unpack size
    n = self.ffi.unpack(n_ptr_ffi, 1)[0]
    if n == 0:
        return None
    # Unpack cstr
    str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
    str_bs = self.ffi.unpack(str_ptr, n)
    expr_str = str(str_bs, 'utf-8')
    return self.string_to_expr(expr_str)
def taint_sym_query_reg(self, addr)
Expand source code
def taint_sym_query_reg(self, addr):
    # Prepare ptr for returned string
    str_ptr_ffi = self.ffi.new('char**')
    # Prepare ptr for string size
    n_ptr_ffi = self.ffi.new('uint32_t *', 0)

    self.plugins['taint2'].taint2_sym_query_reg(addr, n_ptr_ffi, str_ptr_ffi)
    # Unpack size
    n = self.ffi.unpack(n_ptr_ffi, 1)[0]
    if n == 0:
        return None
    # Unpack cstr
    str_ptr = self.ffi.unpack(str_ptr_ffi, 1)[0]
    str_bs = self.ffi.unpack(str_ptr, n)
    expr_str = str(str_bs, 'utf-8')
    return self.string_to_expr(expr_str)
def to_unsigned_guest(self, x)

Convert a singed python int to an unsigned int32/unsigned int64 depending on guest bit-size

Args

x : int
Python integer

Returns

int
Python integer representing x as an unsigned value in the guest's pointer-size.
Expand source code
def to_unsigned_guest(self, x):
    '''
    Convert a singed python int to an unsigned int32/unsigned int64
    depending on guest bit-size

    Args:
        x (int): Python integer

    Returns:
        int: Python integer representing x as an unsigned value in the guest's pointer-size.
    '''
    import ctypes
    if self.bits == 32:
        return ctypes.c_uint32(x).value
    elif self.bits == 64:
        return ctypes.c_uint64(x).value
    else:
        raise ValueError("Unsupported number of bits")
def type_serial_cmd(self, cmd)
Expand source code
@blocking
def type_serial_cmd(self, cmd):
    #Can send message into socket without guest running (no self.running.wait())
    if isinstance(cmd, str):
        cmd = cmd.encode('utf8')
    self.serial_console.send(cmd) # send, not sendline
def unload_plugin(self, name)

Unload plugin with given name.

Args

name : str
Name of plug

Returns

None

Expand source code
def unload_plugin(self, name):
    '''
    Unload plugin with given name.

    Args:
        name (str): Name of plug

    Returns:
        None
    '''
    if debug:
        progress ("Unloading plugin %s" % name),
    name_ffi = self.ffi.new("char[]", bytes(name,"utf-8"))
    self.libpanda.panda_unload_plugin_by_name(name_ffi)
def unload_plugins(self)

Disable all python plugins and request to unload all c plugins at the next main_loop_wait.

XXX: If called during shutdown/exit, c plugins won't be unloaded because the next main_loop_wait will never happen. Instead, call panda.panda_finish directly (which is done at the end of panda.run())

Expand source code
def unload_plugins(self):
    '''
    Disable all python plugins and request to unload all c plugins
    at the next main_loop_wait.

    XXX: If called during shutdown/exit, c plugins won't be unloaded
    because the next main_loop_wait will never happen. Instead, call
    panda.panda_finish directly (which is done at the end of panda.run())
    '''
    if debug:
        progress ("Disabling all python plugins, unloading all C plugins")

    # In next main loop wait, unload all python plugin
    self.queue_main_loop_wait_fn(self._unload_pyplugins)

    # Then unload C plugins. May be unsafe to do except from the top of the main loop (taint segfaults otherwise)
    self.queue_main_loop_wait_fn(self.libpanda.panda_unload_plugins)
def unregister_pyperipheral(self, pyperiph)

deregisters a python peripheral. The pyperiph parameter can be either an object, or an address Returns true if the pyperipheral was successfully removed, else false.

Expand source code
def unregister_pyperipheral(self, pyperiph):
    """
    deregisters a python peripheral.
    The pyperiph parameter can be either an object, or an address
    Returns true if the pyperipheral was successfully removed, else false.
    """

    if isinstance(pyperiph, int) is True:
        pp = self._addr_to_pyperipheral(pyperiph)
        if pp is None:
            return False
    else:
        if pyperiph not in self.pyperipherals:
            return False
        pp = pyperiph

    self.pyperipherals.remove(pp)

    # If we dont have any pyperipherals left, unregister callbacks
    if len(self.pyperipherals) == 0:
        self.disable_callback("pyperipheral_read_callback", forever=True)
        self.disable_callback("pyperipheral_write_callback", forever=True)
        self.pyperipherals_registered_cb = False
    return True
def virt_to_phys(self, cpu, addr)

Convert virtual address to physical address.

Args

cpu : CPUState
CPUState struct
addr : int
virtual address to convert

Return

int: physical address

Expand source code
def virt_to_phys(self, cpu, addr):
    '''
    Convert virtual address to physical address.

    Args:
        cpu (CPUState): CPUState struct
        addr (int): virtual address to convert

    Return:
        int: physical address
    '''
    if "osi_linux" in self.plugins.keys() or self._plugin_loaded("osi_linux"):
        return self.plugins["osi_linux"].osi_linux_virt_to_phys(cpu, addr)
    else:
        return self.libpanda.panda_virt_to_phys_external(cpu, addr)
def virtual_memory_read(self, cpu, addr, length, fmt='bytearray')

Read guest virtual memory.

Args

cpu : CPUState
CPUState structure
addr : int
Address
length : int
length of data you would like returned
fmt
format for returned array. See physical_memory_read.

Returns

Union[bytearray, int, str, list[int]]
memory data

Raises

ValueError if memory access fails or fmt is unsupported

Expand source code
def virtual_memory_read(self, cpu, addr, length, fmt='bytearray'):
    '''
    Read guest virtual memory.

    Args:
        cpu (CPUState): CPUState structure
        addr (int): Address
        length (int): length of data you would like returned
        fmt: format for returned array. See `physical_memory_read`.

    Returns:
        Union[bytearray, int, str, list[int]]: memory data

    Raises:
        ValueError if memory access fails or fmt is unsupported
    '''

    return self._memory_read(cpu, addr, length, physical=False, fmt=fmt)
def virtual_memory_write(self, cpu, addr, buf)

Write guest virtual memory.

Args

cpu : CPUState
CPUState structure
address : int
Address
buf : bytestr
byte string to write into memory

Returns

None

Raises

ValueError if the call to panda.virtual_memory_write fails (e.g., if you pass a pointer to an unmapped page)

Expand source code
def virtual_memory_write(self, cpu, addr, buf):
    '''
    Write guest virtual memory.

    Args:
        cpu (CPUState): CPUState structure
        address (int): Address
        buf (bytestr): byte string to write into memory

    Returns:
        None

    Raises:
        ValueError if the call to panda.virtual_memory_write fails (e.g., if you pass a pointer to an unmapped page)
    '''
    self._memory_write(cpu, addr, buf, physical=False)
def vm_stop(self, code=4)

Stop execution, default code means RUN_STATE_PAUSED

Expand source code
def vm_stop(self, code=4):
    ''' Stop execution, default code means RUN_STATE_PAUSED '''
    self.libpanda.panda_stop(code)
def was_aborted(self)

Returns true if panda was aborted.

Expand source code
def was_aborted(self):
    '''
    Returns true if panda was aborted.
    '''
    return self.libpanda.panda_was_aborted()
class PyPlugin (panda)

Base class which PyPANDA plugins should inherit. Subclasses may register callbacks using the provided panda object and use the PyPlugin APIs:

  • self.get_args or self.get_arg_bool to check argument values
  • self.ppp to interact with other PyPlugins via PPP interfaces
  • self.ppp_cb_boilerplate('cb_name') to register a ppp-style callback
  • self.ppp_run_cb('cb_name') to run a previously-registered ppp-style callback
  • @PyPlugin.ppp_export to mark a class method as ppp-exported

For more information, check out the pyplugin documentation.

Expand source code
class PyPlugin:
    def __init__(self, panda):
        '''
        Base class which PyPANDA plugins should inherit. Subclasses may
        register callbacks using the provided panda object and use the
        PyPlugin APIs:

        * self.get_args or self.get_arg_bool to check argument values
        * self.ppp to interact with other PyPlugins via PPP interfaces
        * self.ppp_cb_boilerplate('cb_name') to register a ppp-style callback
        * self.ppp_run_cb('cb_name') to run a previously-registered ppp-style callback
        * @PyPlugin.ppp_export to mark a class method as ppp-exported

        For more information, check out the pyplugin documentation.
        '''

    # Parent init method which will be called prior to child __init__
    def __preinit__(self, pypluginmgr, args):
        self.ppp_cbs = {} # ppp callback name => _PPP instance which tracks registered cbs and runs them

        self.args = args
        self.pypluginmgr = pypluginmgr

    @property
    def ppp(self):
        # Why is this a property you ask? Because it makes it easier to set a docstring
        '''
        The .ppp property of the PyPlugin class is used for accessing PPP methods and callbacks
        exposed by other PyPlugins. (Under the hood, this is a refernece to the PyPluginManager.ppp
        property).

        Through self.ppp, you can reference another PyPlugin by name, e.g., if a previously-loaded plugin
        is named `Server`, from your plugin you can do `self.ppp.Server` to access PPP-exported methods.

        From there, you can run PPP-exported functions by name: `self.ppp.Server.some_exported_fn(*args)`.
        Or you can register a local class method a PPP-style callback provided by the other plugin:
            `self.ppp.server.ppp_reg_cb('some_provided_callback', self.some_local_method)`
        '''
        return self.pypluginmgr.ppp


    @staticmethod
    def ppp_export(method):
        '''
        Decorator to apply to a class method in a PyPlugin to indicate that other plugins should
        be allowed to call this function. Example:

            from pandare import PyPlugin
            Class Server(PyPlugin):
                def __init__(self, panda):
                    pass

                @PyPlugin.ppp_export
                def do_add(self, x):
                    return x+1

            Class Client(PyPlugin):
                def __init__(self, panda):
                    print(self.ppp.Server.do_add(1))
        '''
        @wraps(method)
        def f(*args, **kwargs):
            return method(*args, **kwargs)
        f.__is_pyplugin_ppp = True
        f.__original_method = method
        return f

    # Argument loading
    def get_arg(self, arg_name):
        '''
        Returns either the argument as a string or None if the argument
        wasn't passed (arguments passed in bool form (i.e., set but with no value)
        instead of key/value form will also return None).
        '''
        if arg_name in self.args:
            return self.args[arg_name]

        return None

    def get_arg_bool(self, arg_name):
        '''
        Returns True if the argument is set and has a truthy value
        '''

        if arg_name not in self.args:
            # Argument name unset - it's false
            return False

        arg_val = self.args[arg_name]
        if isinstance(arg_val, bool):
            # If it's a python bol already, just return it
            return arg_val

        if isinstance(arg_val, str):
            # string of true/y/1  is True
            return arg_val.lower() in ['true', 'y', '1']

        if isinstance(arg_val, int):
            # Nonzero is True
            return arg_val != 0

        # If it's not a string, int, or bool something is weird
        raise ValueError(f"Unsupported arg type: {type(arg_val)}")

    # Callback definition / registration / use. Note these functions mirror the behavior of the macros used
    # in C plugin, check out docs/readme.md for additional details.

    def ppp_cb_boilerplate(self, cb_name):
        '''
        "Define" a PPP-style function in this plugin. Note that there is no type
        information because this is Python. Run via .ppp[cb_name].run(...)
        '''
        plugin_name = self.__class__.__name__

        if cb_name in self.ppp_cbs:
            raise ValueError(f"PPP function {cb_name} is being redefined in {plugin_name}")

        # Add two callbacks into our PPP namesapce: fn_add and fn_run
        this_ppp_cb = _PPP_CB()
        self.ppp.add(self.__class__.__name__, "ppp_reg_cb_" + cb_name, this_ppp_cb.add_callback)
        self.ppp.add(self.__class__.__name__, "ppp_run_cb_" + cb_name, this_ppp_cb.run)

        # Make sure we have a helper self.ppp[class].ppp_reg_cb which just calls
        # the ppp_reg_[cb_name] we just saved
        try:
            getattr(getattr(self.ppp, self.__class__.__name__), "ppp_reg_cb")
        except AttributeError:
            def _reg_cb(target_ppp, func):
                getattr(getattr(self.ppp,
                    self.__class__.__name__), "ppp_reg_cb_" + target_ppp)(func)
            self.ppp.add(self.__class__.__name__, "ppp_reg_cb", _reg_cb)

    def ppp_run_cb(self, target_ppp, *args):
        '''
        Trigger a previously defind PPP-style callback named `target_ppp` in this plugin with `args`
        Any other pyplugins which have registered a function to run on this callback will be called with `args`.
        '''
        getattr(getattr(self.ppp, self.__class__.__name__), "ppp_run_cb_" + target_ppp)(*args)

Subclasses

Static methods

def ppp_export(method)

Decorator to apply to a class method in a PyPlugin to indicate that other plugins should be allowed to call this function. Example:

from pandare import PyPlugin
Class Server(PyPlugin):
    def __init__(self, panda):
        pass

    @PyPlugin.ppp_export
    def do_add(self, x):
        return x+1

Class Client(PyPlugin):
    def __init__(self, panda):
        print(self.ppp.Server.do_add(1))
Expand source code
@staticmethod
def ppp_export(method):
    '''
    Decorator to apply to a class method in a PyPlugin to indicate that other plugins should
    be allowed to call this function. Example:

        from pandare import PyPlugin
        Class Server(PyPlugin):
            def __init__(self, panda):
                pass

            @PyPlugin.ppp_export
            def do_add(self, x):
                return x+1

        Class Client(PyPlugin):
            def __init__(self, panda):
                print(self.ppp.Server.do_add(1))
    '''
    @wraps(method)
    def f(*args, **kwargs):
        return method(*args, **kwargs)
    f.__is_pyplugin_ppp = True
    f.__original_method = method
    return f

Instance variables

var ppp

The .ppp property of the PyPlugin class is used for accessing PPP methods and callbacks exposed by other PyPlugins. (Under the hood, this is a refernece to the PyPluginManager.ppp property).

Through self.ppp, you can reference another PyPlugin by name, e.g., if a previously-loaded plugin is named Server, from your plugin you can do self.ppp.Server to access PPP-exported methods.

From there, you can run PPP-exported functions by name: self.ppp.Server.some_exported_fn(*args). Or you can register a local class method a PPP-style callback provided by the other plugin: self.ppp.server.ppp_reg_cb('some_provided_callback', self.some_local_method)

Expand source code
@property
def ppp(self):
    # Why is this a property you ask? Because it makes it easier to set a docstring
    '''
    The .ppp property of the PyPlugin class is used for accessing PPP methods and callbacks
    exposed by other PyPlugins. (Under the hood, this is a refernece to the PyPluginManager.ppp
    property).

    Through self.ppp, you can reference another PyPlugin by name, e.g., if a previously-loaded plugin
    is named `Server`, from your plugin you can do `self.ppp.Server` to access PPP-exported methods.

    From there, you can run PPP-exported functions by name: `self.ppp.Server.some_exported_fn(*args)`.
    Or you can register a local class method a PPP-style callback provided by the other plugin:
        `self.ppp.server.ppp_reg_cb('some_provided_callback', self.some_local_method)`
    '''
    return self.pypluginmgr.ppp

Methods

def get_arg(self, arg_name)

Returns either the argument as a string or None if the argument wasn't passed (arguments passed in bool form (i.e., set but with no value) instead of key/value form will also return None).

Expand source code
def get_arg(self, arg_name):
    '''
    Returns either the argument as a string or None if the argument
    wasn't passed (arguments passed in bool form (i.e., set but with no value)
    instead of key/value form will also return None).
    '''
    if arg_name in self.args:
        return self.args[arg_name]

    return None
def get_arg_bool(self, arg_name)

Returns True if the argument is set and has a truthy value

Expand source code
def get_arg_bool(self, arg_name):
    '''
    Returns True if the argument is set and has a truthy value
    '''

    if arg_name not in self.args:
        # Argument name unset - it's false
        return False

    arg_val = self.args[arg_name]
    if isinstance(arg_val, bool):
        # If it's a python bol already, just return it
        return arg_val

    if isinstance(arg_val, str):
        # string of true/y/1  is True
        return arg_val.lower() in ['true', 'y', '1']

    if isinstance(arg_val, int):
        # Nonzero is True
        return arg_val != 0

    # If it's not a string, int, or bool something is weird
    raise ValueError(f"Unsupported arg type: {type(arg_val)}")
def ppp_cb_boilerplate(self, cb_name)

"Define" a PPP-style function in this plugin. Note that there is no type information because this is Python. Run via .ppp[cb_name].run(…)

Expand source code
def ppp_cb_boilerplate(self, cb_name):
    '''
    "Define" a PPP-style function in this plugin. Note that there is no type
    information because this is Python. Run via .ppp[cb_name].run(...)
    '''
    plugin_name = self.__class__.__name__

    if cb_name in self.ppp_cbs:
        raise ValueError(f"PPP function {cb_name} is being redefined in {plugin_name}")

    # Add two callbacks into our PPP namesapce: fn_add and fn_run
    this_ppp_cb = _PPP_CB()
    self.ppp.add(self.__class__.__name__, "ppp_reg_cb_" + cb_name, this_ppp_cb.add_callback)
    self.ppp.add(self.__class__.__name__, "ppp_run_cb_" + cb_name, this_ppp_cb.run)

    # Make sure we have a helper self.ppp[class].ppp_reg_cb which just calls
    # the ppp_reg_[cb_name] we just saved
    try:
        getattr(getattr(self.ppp, self.__class__.__name__), "ppp_reg_cb")
    except AttributeError:
        def _reg_cb(target_ppp, func):
            getattr(getattr(self.ppp,
                self.__class__.__name__), "ppp_reg_cb_" + target_ppp)(func)
        self.ppp.add(self.__class__.__name__, "ppp_reg_cb", _reg_cb)
def ppp_run_cb(self, target_ppp, *args)

Trigger a previously defind PPP-style callback named target_ppp in this plugin with args Any other pyplugins which have registered a function to run on this callback will be called with args.

Expand source code
def ppp_run_cb(self, target_ppp, *args):
    '''
    Trigger a previously defind PPP-style callback named `target_ppp` in this plugin with `args`
    Any other pyplugins which have registered a function to run on this callback will be called with `args`.
    '''
    getattr(getattr(self.ppp, self.__class__.__name__), "ppp_run_cb_" + target_ppp)(*args)