Support symbolic bytecode (#1560)

* Support symbolic bytecode

* Use hex notation

* Handle swarm hash
pull/1564/head
Nikhil Parasaram 3 years ago committed by GitHub
parent 47ba692d5c
commit 510ff95655
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
  1. 8
      mythril/analysis/solver.py
  2. 29
      mythril/disassembler/asm.py
  3. 17
      mythril/disassembler/disassembly.py
  4. 2
      mythril/laser/ethereum/cfg.py
  5. 34
      mythril/laser/ethereum/instructions.py
  6. 13
      mythril/laser/ethereum/state/account.py
  7. 11
      mythril/laser/ethereum/transaction/transaction_models.py
  8. 6
      mythril/support/support_utils.py
  9. 11
      tests/integration_tests/analysis_tests.py
  10. 23
      tests/testdata/input_contracts/symbolic_exec_bytecode.sol
  11. 1
      tests/testdata/inputs/symbolic_exec_bytecode.sol.o

@ -111,7 +111,11 @@ def _add_calldata_placeholder(
tx["calldata"] = tx["input"] tx["calldata"] = tx["input"]
if not isinstance(transaction_sequence[0], ContractCreationTransaction): if not isinstance(transaction_sequence[0], ContractCreationTransaction):
return return
code_len = len(transaction_sequence[0].code.bytecode)
if type(transaction_sequence[0].code.bytecode) == tuple:
code_len = len(transaction_sequence[0].code.bytecode) * 2
else:
code_len = len(transaction_sequence[0].code.bytecode)
concrete_transactions[0]["calldata"] = concrete_transactions[0]["input"][ concrete_transactions[0]["calldata"] = concrete_transactions[0]["input"][
code_len + 2 : code_len + 2 :
] ]
@ -164,7 +168,7 @@ def _get_concrete_state(initial_accounts: Dict, min_price_dict: Dict[str, int]):
data = dict() # type: Dict[str, Union[int, str]] data = dict() # type: Dict[str, Union[int, str]]
data["nonce"] = account.nonce data["nonce"] = account.nonce
data["code"] = account.code.bytecode data["code"] = account.serialised_code()
data["storage"] = str(account.storage) data["storage"] = str(account.storage)
data["balance"] = hex(min_price_dict.get(address, 0)) data["balance"] = hex(min_price_dict.get(address, 0))
accounts[hex(address)] = data accounts[hex(address)] = data

@ -3,7 +3,9 @@ code disassembly."""
import re import re
from collections.abc import Generator from collections.abc import Generator
from functools import lru_cache
from mythril.ethereum import util
from mythril.support.opcodes import OPCODES, ADDRESS, ADDRESS_OPCODE_MAPPING from mythril.support.opcodes import OPCODES, ADDRESS, ADDRESS_OPCODE_MAPPING
regex_PUSH = re.compile(r"^PUSH(\d*)$") regex_PUSH = re.compile(r"^PUSH(\d*)$")
@ -86,7 +88,10 @@ def is_sequence_match(pattern: list, instruction_list: list, index: int) -> bool
return True return True
def disassemble(bytecode: bytes) -> list: lru_cache(maxsize=2 ** 10)
def disassemble(bytecode) -> list:
"""Disassembles evm bytecode and returns a list of instructions. """Disassembles evm bytecode and returns a list of instructions.
:param bytecode: :param bytecode:
@ -95,9 +100,20 @@ def disassemble(bytecode: bytes) -> list:
instruction_list = [] instruction_list = []
address = 0 address = 0
length = len(bytecode) length = len(bytecode)
if "bzzr" in str(bytecode[-43:]):
# ignore swarm hash if type(bytecode) == str:
length -= 43 bytecode = util.safe_decode(bytecode)
length = len(bytecode)
part_code = bytecode[-43:]
else:
part_code = bytes(bytecode[-43:])
try:
if "bzzr" in str(part_code):
# ignore swarm hash
length -= 43
except ValueError:
pass
while address < length: while address < length:
try: try:
@ -112,7 +128,10 @@ def disassemble(bytecode: bytes) -> list:
match = re.search(regex_PUSH, op_code) match = re.search(regex_PUSH, op_code)
if match: if match:
argument_bytes = bytecode[address + 1 : address + 1 + int(match.group(1))] argument_bytes = bytecode[address + 1 : address + 1 + int(match.group(1))]
current_instruction.argument = "0x" + argument_bytes.hex() if type(argument_bytes) == bytes:
current_instruction.argument = "0x" + argument_bytes.hex()
else:
current_instruction.argument = argument_bytes
address += int(match.group(1)) address += int(match.group(1))
instruction_list.append(current_instruction) instruction_list.append(current_instruction)

@ -36,7 +36,7 @@ class Disassembly(object):
# open from default locations # open from default locations
# control if you want to have online signature hash lookups # control if you want to have online signature hash lookups
signatures = SignatureDB(enable_online_lookup=self.enable_online_lookup) signatures = SignatureDB(enable_online_lookup=self.enable_online_lookup)
self.instruction_list = asm.disassemble(util.safe_decode(bytecode)) self.instruction_list = asm.disassemble(bytecode)
# Need to take from PUSH1 to PUSH4 because solc seems to remove excess 0s at the beginning for optimizing # Need to take from PUSH1 to PUSH4 because solc seems to remove excess 0s at the beginning for optimizing
jump_table_indices = asm.find_op_code_sequence( jump_table_indices = asm.find_op_code_sequence(
[("PUSH1", "PUSH2", "PUSH3", "PUSH4"), ("EQ",)], self.instruction_list [("PUSH1", "PUSH2", "PUSH3", "PUSH4"), ("EQ",)], self.instruction_list
@ -82,7 +82,18 @@ def get_function_info(
""" """
# Append with missing 0s at the beginning # Append with missing 0s at the beginning
function_hash = "0x" + instruction_list[index]["argument"][2:].rjust(8, "0") if type(instruction_list[index]["argument"]) == tuple:
try:
function_hash = "0x" + bytes(
instruction_list[index]["argument"]
).hex().rjust(8, "0")
except AttributeError:
raise ValueError(
"Mythril currently does not support symbolic function signatures"
)
else:
function_hash = "0x" + instruction_list[index]["argument"][2:].rjust(8, "0")
function_names = signature_database.get(function_hash) function_names = signature_database.get(function_hash)
if len(function_names) > 0: if len(function_names) > 0:
@ -92,6 +103,8 @@ def get_function_info(
try: try:
offset = instruction_list[index + 2]["argument"] offset = instruction_list[index + 2]["argument"]
if type(offset) == tuple:
offset = bytes(offset).hex()
entry_point = int(offset, 16) entry_point = int(offset, 16)
except (KeyError, IndexError): except (KeyError, IndexError):
return function_hash, None, None return function_hash, None, None

@ -66,7 +66,7 @@ class Node:
code += str(instruction["address"]) + " " + instruction["opcode"] code += str(instruction["address"]) + " " + instruction["opcode"]
if instruction["opcode"].startswith("PUSH"): if instruction["opcode"].startswith("PUSH"):
code += " " + instruction["argument"] code += " " + "".join(instruction["argument"])
code += "\\n" code += "\\n"

@ -282,17 +282,39 @@ class Instruction:
:return: :return:
""" """
push_instruction = global_state.get_current_instruction() push_instruction = global_state.get_current_instruction()
push_value = push_instruction["argument"][2:] push_value = push_instruction["argument"]
try: try:
length_of_value = 2 * int(push_instruction["opcode"][4:]) length_of_value = 2 * int(push_instruction["opcode"][4:])
except ValueError: except ValueError:
raise VmException("Invalid Push instruction") raise VmException("Invalid Push instruction")
push_value += "0" * max(length_of_value - len(push_value), 0) if type(push_value) == tuple:
global_state.mstate.stack.append( if type(push_value[0]) == int:
symbol_factory.BitVecVal(int(push_value, 16), 256) new_value = symbol_factory.BitVecVal(push_value[0], 8)
) else:
new_value = push_value[0]
if len(push_value) > 1:
for val in push_value[1:]:
if type(val) == int:
new_value = Concat(new_value, symbol_factory.BitVecVal(val, 8))
else:
new_value = Concat(new_value, val)
pad_length = length_of_value // 2 - len(push_value)
if pad_length > 0:
new_value = Concat(new_value, symbol_factory.BitVecVal(0, pad_length))
if new_value.size() < 256:
new_value = Concat(
symbol_factory.BitVecVal(0, 256 - new_value.size()), new_value
)
global_state.mstate.stack.append(new_value)
else:
push_value += "0" * max(length_of_value - (len(push_value) - 2), 0)
global_state.mstate.stack.append(
symbol_factory.BitVecVal(int(push_value, 16), 256)
)
return [global_state] return [global_state]
@StateTransition() @StateTransition()

@ -182,11 +182,22 @@ class Account:
""" """
return { return {
"nonce": self.nonce, "nonce": self.nonce,
"code": self.code, "code": self.serialised_code(),
"balance": self.balance(), "balance": self.balance(),
"storage": self.storage, "storage": self.storage,
} }
def serialised_code(self):
if type(self.code.bytecode) == str:
return self.code.bytecode
new_code = "0x"
for byte in self.code.bytecode:
if type(byte) == int:
new_code += hex(byte)
else:
new_code += "<call_data>"
return new_code
def __copy__(self, memodict={}): def __copy__(self, memodict={}):
new_account = Account( new_account = Account(
address=self.address, address=self.address,

@ -255,17 +255,12 @@ class ContractCreationTransaction(BaseTransaction):
:param return_data: :param return_data:
:param revert: :param revert:
""" """
if (
return_data is None if return_data is None or len(return_data) == 0:
or not all([isinstance(element, int) for element in return_data])
or len(return_data) == 0
):
self.return_data = None self.return_data = None
raise TransactionEndSignal(global_state, revert=revert) raise TransactionEndSignal(global_state, revert=revert)
contract_code = bytes.hex(array.array("B", return_data).tobytes()) global_state.environment.active_account.code.assign_bytecode(tuple(return_data))
global_state.environment.active_account.code.assign_bytecode(contract_code)
self.return_data = str( self.return_data = str(
hex(global_state.environment.active_account.address.value) hex(global_state.environment.active_account.address.value)
) )

@ -26,11 +26,15 @@ class Singleton(type):
return cls._instances[cls] return cls._instances[cls]
def get_code_hash(code: str) -> str: def get_code_hash(code) -> str:
""" """
:param code: bytecode :param code: bytecode
:return: Returns hash of the given bytecode :return: Returns hash of the given bytecode
""" """
if type(code) == tuple:
# Temporary hack, since we cannot find symbols of sha3
return str(hash(code))
code = code[2:] if code[:2] == "0x" else code code = code[2:] if code[:2] == "0x" else code
try: try:
keccak = _pysha3.keccak_256() keccak = _pysha3.keccak_256()

@ -29,6 +29,17 @@ test_data = (
}, },
None, None,
), ),
(
"symbolic_exec_bytecode.sol.o",
{
"TX_COUNT": 1,
"TX_OUTPUT": 0,
"MODULE": "AccidentallyKillable",
"ISSUE_COUNT": 1,
"ISSUE_NUMBER": 0,
},
None,
),
) )

@ -0,0 +1,23 @@
pragma solidity ^0.8.0;
contract Test {
uint256 immutable inputSize;
constructor(uint256 _log2Size) {
inputSize = (1 << _log2Size);
}
function getBytes(bytes calldata _input) public view returns (bytes32) {
require(
_input.length > 0 && _input.length <= inputSize,
"input len: (0,inputSize]"
);
return "123";
}
function commencekilling() public {
address payable receiver = payable(msg.sender);
selfdestruct(receiver);
}
}

@ -0,0 +1 @@
60a060405234801561001057600080fd5b5060405161039b38038061039b83398181016040528101906100329190610059565b806001901b60808181525050506100ac565b60008151905061005381610095565b92915050565b60006020828403121561006f5761006e610090565b5b600061007d84828501610044565b91505092915050565b6000819050919050565b600080fd5b61009e81610086565b81146100a957600080fd5b50565b6080516102d56100c66000396000608601526102d56000f3fe608060405234801561001057600080fd5b50600436106100365760003560e01c8063781c6dbe1461003b5780637c11da201461006b575b600080fd5b61005560048036038101906100509190610188565b610075565b6040516100629190610207565b60405180910390f35b610073610114565b005b600080838390501180156100ac57507f00000000000000000000000000000000000000000000000000000000000000008383905011155b6100eb576040517f08c379a00000000000000000000000000000000000000000000000000000000081526004016100e290610222565b60405180910390fd5b7f3132330000000000000000000000000000000000000000000000000000000000905092915050565b60003390508073ffffffffffffffffffffffffffffffffffffffff16ff5b60008083601f84011261014857610147610262565b5b8235905067ffffffffffffffff8111156101655761016461025d565b5b60208301915083600182028301111561018157610180610267565b5b9250929050565b6000806020838503121561019f5761019e610271565b5b600083013567ffffffffffffffff8111156101bd576101bc61026c565b5b6101c985828601610132565b92509250509250929050565b6101de81610253565b82525050565b60006101f1601883610242565b91506101fc82610276565b602082019050919050565b600060208201905061021c60008301846101d5565b92915050565b6000602082019050818103600083015261023b816101e4565b9050919050565b600082825260208201905092915050565b6000819050919050565b600080fd5b600080fd5b600080fd5b600080fd5b600080fd5b7f696e707574206c656e3a2028302c696e70757453697a655d000000000000000060008201525056fea26469706673582212203f37af85f2d345d5d16dd25ae1404605d9e5e7240b970530ef963385fc73a82e64736f6c63430008060033
Loading…
Cancel
Save