在智能合约中接受以太币

accepting ether in smart contract

我正在尝试创建一个简单的智能合约来学习可靠性和以太坊的工作原理。

据我了解,在方法上使用 modify payable 会使它接受一个值。然后我们从发件人中扣除并将其添加到其他地方,在这段代码中我试图将它发送给合同的所有者。

contract  AcceptEth {
    address public owner;
    uint public bal;
    uint public price;
    mapping (address => uint) balance;

    function AcceptEth() {
        // set owner as the address of the one who created the contract
        owner = msg.sender;
        // set the price to 2 ether
        price = 2 ether;
    }

    function accept() payable returns(bool success) {
        // deduct 2 ether from the one person who executed the contract
        balance[msg.sender] -= price;
        // send 2 ether to the owner of this contract
        balance[owner] += price;
        return true;
    }
}

当我通过 remix 与该合约交互时,我收到一个错误 "VM Exception while processing transaction: out of gas" 它创建了一个交易,gas 价格是 21000000000,当我试图从执行此方法的任何人。

代码有什么问题?或者我可以为一个人添加一个变量来输入他们想要发送的值,以及一个 withdraw 方法,对吗?但为了学习,我想保持简单。但是即使是这段代码也感觉有点简单,感觉好像缺少了一些东西。

我认为你迷路的地方在于合约内置了接收和持有以太币的机制。例如,如果你想让你的 accept() 方法恰好接收 2 个以太币(或者你设置 price 的任何值),你可以这样做:

contract  AcceptEth {
    address public owner;
    uint public price;
    mapping (address => uint) balance;

    function AcceptEth() {
        // set owner as the address of the one who created the contract
        owner = msg.sender;
        // set the price to 2 ether
        price = 2 ether;
    }

    function accept() payable {
        // Error out if anything other than 2 ether is sent
        require(msg.value == price);

        // Track that calling account deposited ether
        balance[msg.sender] += msg.value;
    }
}

现在,假设您有两个帐户,余额如下:

0x01 = 50 ether

0x02 = 20 ether

此合约已部署,地址为 0xc0。所有地址都可以持有以太币,所以即使是合约本身也有余额。由于它刚刚部署(并且没有使用任何初始以太币部署),它的余额为 0。

现在假设 0x01 调用 accept() 发送 2 个以太币。交易将执行,我们示例中的 3 个地址将具有以下余额:

0x01 = 48 ether

0x02 = 20 ether

0xc0 = 2 ether

现在,假设 0x02 调用 accept() 两次,两次都传递 2 个以太币:

0x01 = 48 ether

0x02 = 16 ether

0xc0 = 6 ether

合约持有发送给它的所有以太币。但是,您的合约还保存状态(您在代码中定义的 balance 映射),它跟踪谁存放了什么。所以,你从那个映射中知道 0x01 存入了 2 个以太币,0x02 存入了 4 个以太币。如果你想引入一个 refund() 发送回以太币的方法,你可以这样写

function refund(uint amountRequested) public {
  require(amountRequested > 0 && amountRequested <= balance[msg.sender]);

  balance[msg.sender] -= amountRequested;

  msg.sender.transfer(amountRequested); // contract transfers ether to msg.sender's address
}