Last active
January 18, 2019 21:18
-
-
Save crazyrabbitLTC/813f1ea59a2ef5fad55f1fbe0c00c480 to your computer and use it in GitHub Desktop.
LinkedList educational EVM package in Solidity v5.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
pragma solidity >=0.4.24 <0.6.0; | |
import "zos-lib/contracts/Initializable.sol"; | |
contract LinkedList is Initializable{ | |
event EntryAdded(bytes32 head, string data, bytes32 next); | |
//Struct will be our Node | |
struct Node { | |
bytes32 next; | |
string data; | |
} | |
//Mappping will hold nodes | |
mapping (bytes32 => Node) public nodes; | |
//Length of LinkedList (initialize with constructor/initalizer) | |
uint public length; | |
//Head of list; | |
bytes32 public head; | |
//Name of LinkedList (the purpose for the list) | |
string public listName; | |
function initialize(string memory _listName) initializer public { | |
require(bytes(_listName).length >= 0); | |
length = 0; | |
listName = _listName; | |
} | |
function addNode(string memory _data) public returns (bool){ | |
Node memory node = Node(head, _data); | |
bytes32 id = keccak256(abi.encodePacked(node.data, length, now)); | |
nodes[id] = node; | |
head = id; | |
length = length+1; | |
emit EntryAdded(head, node.data, node.next); | |
} | |
//popNode | |
function popHead() public returns (bool) { | |
require(length > 0, "error...head is empty"); | |
//hold this to delete it | |
bytes32 newHead = nodes[head].next; | |
//delete it | |
delete nodes[head]; | |
head = newHead; | |
length = length-1; | |
} | |
//Contract interface | |
function getNodeExternal(bytes32 _node) external view returns (bytes32, string memory){ | |
return (nodes[_node].next, nodes[_node].data); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment