Project - DEX Final Code

Hi, my dex final code.

=======
wallet.sol
=======
pragma solidity ^0.8.0;

// import the IERC2O interface
import "../node_modules/@openzeppelin/contracts/token/ERC20/IERC20.sol";
//import safeMath
import "../node_modules/@openzeppelin/contracts/utils/math/SafeMath.sol";
//import Owernable.sol
import "../node_modules/@openzeppelin/contracts/access/Ownable.sol";

contract Wallet is Ownable {
    using SafeMath for uint;
    using SafeMath for uint256;
    // define token struct with token name and address
    struct Token {
        bytes32 ticker;
        address tokenAddress;
    }
    /*
    keep balances of user. 
    using double mapping to keep track of differnt assets
    */
    mapping(address => mapping(bytes32 => uint256)) public balances;

    // define a token list to store all supported tokens.
    bytes32[] public tokenList;

    // define a token mapping to fetch token
    mapping(bytes32 => Token) public tokenMapping;

    // event is emitted each time a  withdraw happens
    event withdrawal(
        address indexed _to,
        bytes32 _ticker,
        uint256 indexed _amount
    );

    modifier tokenExist(bytes32 _ticker) {
        //check if token exist
        require(
            tokenMapping[_ticker].tokenAddress != address(0),
            "Token does not exist"
        );
        _;
    }

    modifier hasEnoughBalance(uint256 _amount, bytes32 _ticker) {
        //check if the user have enough balance to witdraw
        require(
            balances[msg.sender][_ticker] >= _amount,
            "Balance not sufficient"
        );
        _;
    }

    function addToken(
        bytes32 _ticker,
        address _tokenadress
    ) external onlyOwner {
        require(
            tokenMapping[_ticker].tokenAddress != _tokenadress,
            "Token already exists"
        );
        //define the new token if non existent
        tokenMapping[_ticker] = Token(_ticker, _tokenadress);
        tokenList.push(_ticker);
    }

    /**
     *
     * deposit  _amount of Token named by _ticker into the DEX
     * use tranferfrom function of Token contract
     * requirements
     * Dex needs to receive approval from User in Token Contract
     */
    function deposit(
        bytes32 _ticker,
        uint256 _amount
    ) external tokenExist(_ticker) {
        IERC20 MTK = IERC20(tokenMapping[_ticker].tokenAddress);
        require(MTK.balanceOf(msg.sender) >= _amount, "no enough token");
        uint256 _currentbalance = balances[msg.sender][_ticker];
        (bool success, uint newBalance) = SafeMath.tryAdd(_currentbalance, _amount);
        if (success) {
            balances[msg.sender][_ticker] = newBalance;
            MTK.transferFrom(msg.sender, address(this), _amount);
        }
    }

    /**
     * withdraw _amount from this wallet to msg.sender balances into ERC20 Token contract
     * requirements
     * balance of msg.sender must be greater than or equal to _amount
     * use transfer function in ERC20 token contract to transfer from this wallet address to msg.sender address
     */

    function withdraw(
        bytes32 _ticker,
        uint256 _amount
    ) external tokenExist(_ticker) hasEnoughBalance(_amount, _ticker) {
        uint256 _actualBalance = balances[msg.sender][_ticker];
        // using Math library to avoid overflow
        (bool sucess, uint256 newBalance) = SafeMath.trySub(
            _actualBalance,
            _amount
        );

        // if no overflow adjust balances
        if (sucess) {
            balances[msg.sender][_ticker] = newBalance;
            IERC20(tokenMapping[_ticker].tokenAddress).transfer(
                msg.sender,
                _amount
            );
        }
    }
}
=========
token.sol
=========
pragma solidity ^0.8.0;

// import the IERC2O interface
import "../node_modules/@openzeppelin/contracts/token/ERC20/ERC20.sol";

contract MTK is ERC20 {
    constructor() ERC20("mytoken", "MTK") {
        _mint(msg.sender, 1000);
    }
}
=======
dex.sol
=======
pragma solidity ^0.8.0;

import "./Wallet.sol";

contract Dex is Wallet {
    // Enum that describe wheter the order is a SELL or BUY order
    enum Side {
        BUY,
        SELL
    }

     struct Trader {
        address account ;
        uint256 share;
    }

    /**
     *  Order Struct used to describe an order
     *
     */
    struct Order {
        uint id;
        uint position;
        Side side;
        bytes32 ticker;
        uint256 amount;
        uint256 price; 
        bool filled;
    }

    /**
    * used to track the share a trader have in each order
    *
    *
    **/
    struct Ordermap{
        Trader[] traders;
        mapping(address => uint256) indexes;
    }
    // used to initialize the order ID
    uint256 orderID = 0;

    /**
     * used to fetch orders from the order book
     * need the ticker and the side of the order
     */
    mapping(bytes32 => mapping(uint => Order[])) public orderbook;
    // map an order to the involved traders
    mapping(uint => Ordermap) orderTotradersmapping;
    /**
    * used to  synchronize amount on buy side based on the price
    *
    */
    modifier checkbalances(bytes32 _ticker,Side side, uint256 _amount, uint256 _price){
           if (side == Side.BUY) {
            (, uint256 price) = SafeMath.tryMul(_amount, _price);
            require(
                balances[msg.sender][bytes32("ETH")] >= price,
                "balance no sufficient"
            );
           
        } else if (side == Side.SELL) {
            require(
                balances[msg.sender][_ticker] >= _amount,
                "no Enough tokens"
            );
         
        }
        _;
    }
    /**
     * used to set the user Ether balance
     * is a public payable function
     */
    function depositEther() public payable {
        balances[msg.sender][bytes32("ETH")] += msg.value;
    }
     

    function createMarketOrder(uint256 _amount, bytes32 _ticker, Side side) public {
        uint otherside = 0;
        if (side == Side.BUY) {
            otherside = 1;
        }
       if (side == Side.SELL) {
            require(balances[msg.sender][_ticker] >= _amount, "Token balance not sufficient");
            otherside = 0;
        }
        uint256 r_amount = _amount;
        uint256 counter = 0;
        Order[] storage orders = orderbook[_ticker][otherside];
        if(orders.length==0){
            return ;
        }
        while (r_amount > 0 && counter < orders.length) {
            r_amount = _marketOrderTrade(r_amount, _ticker,orders[counter],otherside);
            counter++;
        }
    }

    function _marketOrderTrade( uint256 _amount, bytes32 _ticker, Order storage order,uint _otherside) private returns (uint256 remaining) {
        uint256 traded = 0;
        // if side is buy i.e otherside == 1 ; msg.sender  want to buy _amount token from order.traders 
        // if side is sell i.e otherside == 0; msg.sender want to sell _amount token to order.traders
        if (_otherside == 1) {
            uint i=0;
            //get the list of the buyers
            Trader[] storage buyers = orderTotradersmapping[order.id].traders;
            while(i <buyers.length && traded<_amount){
                uint256 tradable = getTradable(order.amount,buyers[i].share);
                _buy(buyers[i],_ticker,tradable, order.price);
                (,traded) = SafeMath.tryAdd(traded,tradable);
                (,order.amount) = SafeMath.trySub(order.amount,tradable);
                i++;
            }
        }else if(_otherside == 0){
            uint j=0;
            //get the list of sellers 
            Trader[] storage sellers = orderTotradersmapping[order.id].traders;
            while(j <sellers.length && traded<_amount){
                uint256 tradable = getTradable(order.amount,sellers[j].share);
                _sell(sellers[j],_ticker,tradable, order.price);
                (,traded) = SafeMath.tryAdd(traded,tradable);
                j++;
            }
        }
        (,remaining) = SafeMath.trySub(_amount,traded);
        return remaining;
    }

   
    function _buy(Trader storage _from, bytes32 _ticker, uint256 _amount,uint256 price) private {
         // Estimate the price in ETH for the trade for each order on the sell side
        (bool success, uint256 due) = SafeMath.tryMul(price, _amount);
        // require the buy must have enough ETH to proceed to the trade
        require(balances[msg.sender][bytes32("ETH")] >= due,"ETH balance not sufficient for this Buy Market Order ");
         
        if (success) {
            // decrease the ETH balance of the buyer
            (, balances[msg.sender][bytes32("ETH")]) = SafeMath.trySub(balances[msg.sender][bytes32("ETH")], due);
            // increase the ETH balance of the trader on the SELL side
            (, balances[_from.account][bytes32("ETH")]) = SafeMath.tryAdd(balances[_from.account][bytes32("ETH")], due);
            // decrease the Token balance of the trader on the SELL side
            (, balances[_from.account][_ticker]) = SafeMath.trySub(balances[_from.account][_ticker], _amount);
            // transfer the token to Buyer
            (, balances[msg.sender][_ticker]) = SafeMath.tryAdd(balances[msg.sender][_ticker], _amount);
            // adjust trader share 
            (,_from.share) = SafeMath.trySub(_from.share, _amount);
        }  
    }

    function _sell(Trader storage _to, bytes32 _ticker, uint256 _amount,uint256 price) private  {
        // get the estimate eth due  by the trader on the buy side for each order to process
        (bool success, uint256 due) = SafeMath.tryMul(_amount, price);
        if (success) {
            // decrease  ETH balance of the  trader on the buy side
            (, balances[_to.account][bytes32("ETH")]) = SafeMath.trySub(balances[_to.account][bytes32("ETH")], due);
             // Increase seller ETH balance
            (, balances[msg.sender][bytes32("ETH")]) = SafeMath.tryAdd(balances[msg.sender][bytes32("ETH")],due);
            //decrease seller token balance
            (, balances[msg.sender][_ticker]) = SafeMath.trySub(balances[msg.sender][_ticker], _amount);
            //transfer token to  the trader on the buy side
            (, balances[_to.account][_ticker]) = SafeMath.tryAdd(balances[_to.account][_ticker],_amount);
            (,_to.share) = SafeMath.trySub(_to.share, _amount);
        }
    }

    function _trade(bytes32 ticker,Trader storage buyer, Trader storage seller,uint256 price,uint256 _amount) private {
            (bool success, uint256 due) = SafeMath.tryMul(_amount, price);
            //require(balances[buyer.trader]["ETH"]>=due, "Balance not enough");
            if(success){
                (,balances[buyer.account]["ETH"]) = SafeMath.trySub(balances[buyer.account]["ETH"],due);
                (,balances[seller.account]["ETH"]) = SafeMath.tryAdd(balances[seller.account]["ETH"],due);
                (,balances[seller.account][ticker]) = SafeMath.trySub(balances[seller.account][ticker],_amount);
                (,balances[buyer.account][ticker]) = SafeMath.tryAdd(balances[buyer.account][ticker],_amount);
                (,buyer.share) = SafeMath.trySub(buyer.share, _amount);
                (,seller.share) = SafeMath.trySub(seller.share, _amount);
            }
    }
    /**
     * @param _amount the amount of token
     *
     *
     *
     */
    function createLimitOrder(uint256 _amount, uint256 _price, bytes32 _ticker,Side side) public checkbalances(_ticker,side,_amount,_price){
        Order[] storage orders = orderbook[_ticker][uint(side)];
        (uint position, bool exist)  = _lookfor(_ticker,_price, side);
        Order storage currentOrder;
        if(exist){
                 currentOrder = orders[position];
                 addTraderToOrder(currentOrder, _amount);  
        }else{

            orders.push( Order({id: orderID, position: orders.length, side: side,ticker: _ticker, amount: _amount, price: _price, filled: false }));
            // store the new added Order
            currentOrder = orders[orders.length-1];
            // create a Trader struct to store informations about the buyer
            Trader memory trader  = Trader(msg.sender, _amount);
            // link the order to the Trader with orderTotradersmapping 
            orderTotradersmapping[currentOrder.id].traders.push(trader);
            orderTotradersmapping[currentOrder.id].indexes[trader.account] =   orderTotradersmapping[orderID].traders.length;
        }
            //sort the orderbook
            _quicksort(orders,0, orders.length, side);
            orderID++;
            if(currentOrder.side == Side.BUY){
                (uint index, bool exist) = _lookfor(_ticker, _price,Side.SELL);
                if(exist){
                     _processLimitOrder(currentOrder,orderbook[_ticker][uint(Side.SELL)][index]);
                }
                // proceed the limit orders if a matching is founded
            } else if(currentOrder.side == Side.SELL){
                (uint index, bool exist) = _lookfor(_ticker, _price,Side.BUY);
                if(exist){
                     _processLimitOrder(orderbook[_ticker][uint(Side.BUY)][index],currentOrder);
                }
            }
    }

    // we use a _quicksort(_tosort, low, high); algorithm to sort orders
    function _quicksort(Order[] storage _tosort, uint low, uint high,Side _side) private {
        if (low < high) {
            uint256 pivot = partition(_tosort, low, high, _side);
            _quicksort(_tosort, low, pivot, _side);
            _quicksort(_tosort, pivot + 1, high, _side);
        }
    }

     function addTraderToOrder(Order storage current,uint256 _amount) private{
            uint256 trader_index = orderTotradersmapping[current.id].indexes[msg.sender];
              // trader_index == 0 mean the trader does not have any shares in the order
            if(trader_index == 0){
                    // add the buyer to trader list 
                orderTotradersmapping[current.id].traders.push(Trader(msg.sender,_amount));
                orderTotradersmapping[current.id].indexes[msg.sender] =  orderTotradersmapping[current.id].traders.length;
                (, current.amount) = SafeMath.tryAdd(current.amount, _amount);
                 }// trader already have a share in the order
                 else if(trader_index >0){
                (,orderTotradersmapping[current.id].traders[trader_index-1].share) = SafeMath.tryAdd(orderTotradersmapping[current.id].traders[trader_index-1].share, _amount); 
                (, current.amount) = SafeMath.tryAdd(current.amount, _amount);
          }
     }
    function _lookfor(bytes32 _ticker, uint256 _price,Side side) private view returns(uint index, bool found){
            Order[] storage tolookup = orderbook[_ticker][uint(side)];
            for(uint i=0; i<tolookup.length; i++){
                if((tolookup[i].ticker ==_ticker)&&(tolookup[i].price == _price)){
                    index = i;
                    found = true;
                    return (index, found);
                }
            }
            return (0, false);
    }

    function _processLimitOrder(Order storage current, Order storage matching) private {
                uint256 tradable = getTradable(current.amount, matching.amount);
                Trader[] storage buyers = orderTotradersmapping[current.id].traders;
                Trader[] storage sellers = orderTotradersmapping[matching.id].traders;
                uint i=0;
                uint j=0;
                while(tradable >0){
                    if(i >= buyers.length){
                        return;
                    }
                    if(j >= sellers.length){
                        return;
                    }
                    if(buyers[i].share < sellers[j].share){
                        uint256 trade_amount = buyers[i].share;
                        _trade(current.ticker, buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) = SafeMath.trySub(current.amount, trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        i++;
                    }else if(buyers[i].share > sellers[j].share){
                        uint256 trade_amount = sellers[i].share;
                        _trade(current.ticker,buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) =  SafeMath.trySub(current.amount,trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        j++;
                    }else{
                        uint256 trade_amount = buyers[i].share;
                        _trade(current.ticker, buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) = SafeMath.trySub(current.amount, trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        i++;
                        j++;
                    }
                }
            if(current.amount == 0){
                    _deleteFromOrderBook(current);
            }
            if(matching.amount == 0){
                    _deleteFromOrderBook(matching);
            }
    }
    // partition functions returns the
    function partition(Order[] storage arr, uint low, uint high,Side _side) private returns (uint256 index) {
        Order memory pivot = arr[low];
        uint i = low;
        uint j = high - 1;
        while (true) {
            //sort descending
            if (_side == Side.BUY) {
                while (arr[i].price > pivot.price) {
                    i++;
                }

                while (arr[j].price < pivot.price) {
                    j--;
                }
            } else if (_side == Side.SELL) {
                //sort ascending
                while (arr[i].price < pivot.price) {
                    i++;
                }

                while (arr[j].price > pivot.price) {
                    j--;
                }
                if (i >= j) {
                    return j;
                }
            }
            if (i >= j) {
                return j;
            }
            
            Order memory temp = arr[i];
            arr[j].position = i;
            arr[i] = arr[j];
            temp.position = j;
            arr[j] = temp;
        }
    }

     function getTradable(uint256 first, uint256 second) private  pure returns(uint256){
             if(first>second){
                return first;
             }
             return second;
    }


    function _deleteFromOrderBook(Order storage _todelete) private {
        require(orderbook[_todelete.ticker][uint(_todelete.side)].length > 0," orderbook not empty");
        Order[] storage orders = orderbook[_todelete.ticker][uint(_todelete.side)];
        if(_todelete.position == orders.length-1){
            orders.pop();
            return;
        }
        Order memory toremove = orders[_todelete.position];
        orders[_todelete.position] =  orders[orders.length-1];
        orders[orders.length-1] = toremove;
        orders.pop();
        delete orderTotradersmapping[_todelete.id];
    }

    function getOrderbook(bytes32 _ticker,Side side) public view returns (Order[] memory) {
        return orderbook[_ticker][uint(side)];
    }
}

Hi, i left the course two years (for a master degree :sweat_smile:). Here is my attempt. I will share a web interface later to interact with my dex.

===========
wallet.sol
===========
pragma solidity ^0.8.0;

// import the IERC2O interface
import "../node_modules/@openzeppelin/contracts/token/ERC20/IERC20.sol";
//import safeMath
import "../node_modules/@openzeppelin/contracts/utils/math/SafeMath.sol";
//import Owernable.sol
import "../node_modules/@openzeppelin/contracts/access/Ownable.sol";

contract Wallet is Ownable {
    using SafeMath for uint;
    using SafeMath for uint256;
    // define token struct with token name and address
    struct Token {
        bytes32 ticker;
        address tokenAddress;
    }
    /*
    keep balances of user. 
    using double mapping to keep track of differnt assets
    */
    mapping(address => mapping(bytes32 => uint256)) public balances;

    // define a token list to store all supported tokens.
    bytes32[] public tokenList;

    // define a token mapping to fetch token
    mapping(bytes32 => Token) public tokenMapping;

    // event is emitted each time a  withdraw happens
    event withdrawal(
        address indexed _to,
        bytes32 _ticker,
        uint256 indexed _amount
    );

    modifier tokenExist(bytes32 _ticker) {
        //check if token exist
        require(
            tokenMapping[_ticker].tokenAddress != address(0),
            "Token does not exist"
        );
        _;
    }

    modifier hasEnoughBalance(uint256 _amount, bytes32 _ticker) {
        //check if the user have enough balance to witdraw
        require(
            balances[msg.sender][_ticker] >= _amount,
            "Balance not sufficient"
        );
        _;
    }

    function addToken(
        bytes32 _ticker,
        address _tokenadress
    ) external onlyOwner {
        require(
            tokenMapping[_ticker].tokenAddress != _tokenadress,
            "Token already exists"
        );
        //define the new token if non existent
        tokenMapping[_ticker] = Token(_ticker, _tokenadress);
        tokenList.push(_ticker);
    }

    /**
     *
     * deposit  _amount of Token named by _ticker into the DEX
     * usetransferfrom function of Token contract
     * requirements
     * Dex needs to receive approval from User in Token Contract
     */
    function deposit(
        bytes32 _ticker,
        uint256 _amount
    ) external tokenExist(_ticker) {
        IERC20 MTK = IERC20(tokenMapping[_ticker].tokenAddress);
        require(MTK.balanceOf(msg.sender) >= _amount, "no enough token");
        uint256 _currentbalance = balances[msg.sender][_ticker];
        (bool success, uint newBalance) = SafeMath.tryAdd(_currentbalance, _amount);
        if (success) {
            balances[msg.sender][_ticker] = newBalance;
            MTK.transferFrom(msg.sender, address(this), _amount);
        }
    }

    /**
     * withdraw _amount from this wallet to msg.sender balances into ERC20 Token contract
     * requirements
     * balance of msg.sender must be greater than or equal to _amount
     * use transfer function in ERC20 token contract to transfer from this wallet address to msg.sender address
     */

    function withdraw(
        bytes32 _ticker,
        uint256 _amount
    ) external tokenExist(_ticker) hasEnoughBalance(_amount, _ticker) {
        uint256 _actualBalance = balances[msg.sender][_ticker];
        // using Math library to avoid overflow
        (bool sucess, uint256 newBalance) = SafeMath.trySub(
            _actualBalance,
            _amount
        );

        // if no overflow adjust balances
        if (sucess) {
            balances[msg.sender][_ticker] = newBalance;
            IERC20(tokenMapping[_ticker].tokenAddress).transfer(
                msg.sender,
                _amount
            );
        }
    }
}
=========
MyToken
=========
pragma solidity ^0.8.0;

// import the IERC2O interface
import "../node_modules/@openzeppelin/contracts/token/ERC20/ERC20.sol";

contract MTK is ERC20 {
    constructor() ERC20("mytoken", "MTK") {
        _mint(msg.sender, 1000);
    }
}
========
dex.sol
========
pragma solidity ^0.8.0;

import "./Wallet.sol";

contract Dex is Wallet {
    // Enum that describe wheter the order is a SELL or BUY order
    enum Side {
        BUY,
        SELL
    }

     struct Trader {
        address account ;
        uint256 share;
    }

    /**
     *  Order Struct used to describe an order
     *
     */
    struct Order {
        uint id;
        uint position;
        Side side;
        bytes32 ticker;
        uint256 amount;
        uint256 price; 
        bool filled;
    }

    /**
    * used to track the share a trader have in each order
    *
    *
    **/
    struct Ordermap{
        Trader[] traders;
        mapping(address => uint256) indexes;
    }
    // used to initialize the order ID
    uint256 orderID = 0;

    /**
     * used to fetch orders from the order book
     * need the ticker and the side of the order
     */
    mapping(bytes32 => mapping(uint => Order[])) public orderbook;
    // map an order to the involved traders
    mapping(uint => Ordermap) orderTotradersmapping;
    /**
    * used to  synchronize amount on buy side based on the price
    *
    */
    modifier checkbalances(bytes32 _ticker,Side side, uint256 _amount, uint256 _price){
           if (side == Side.BUY) {
            (, uint256 price) = SafeMath.tryMul(_amount, _price);
            require(
                balances[msg.sender][bytes32("ETH")] >= price,
                "balance no sufficient"
            );
           
        } else if (side == Side.SELL) {
            require(
                balances[msg.sender][_ticker] >= _amount,
                "no Enough tokens"
            );
         
        }
        _;
    }
    /**
     * used to set the user Ether balance
     * is a public payable function
     */
    function depositEther() public payable {
        balances[msg.sender][bytes32("ETH")] += msg.value;
    }
     

    function createMarketOrder(uint256 _amount, bytes32 _ticker, Side side) public {
        uint otherside = 0;
        if (side == Side.BUY) {
            otherside = 1;
        }
       if (side == Side.SELL) {
            require(balances[msg.sender][_ticker] >= _amount, "Token balance not sufficient");
            otherside = 0;
        }
        uint256 r_amount = _amount;
        uint256 counter = 0;
        Order[] storage orders = orderbook[_ticker][otherside];
        if(orders.length==0){
            return ;
        }
        while (r_amount > 0 && counter < orders.length) {
            r_amount = _marketOrderTrade(r_amount, _ticker,orders[counter],otherside);
            counter++;
        }
    }

    function _marketOrderTrade( uint256 _amount, bytes32 _ticker, Order storage order,uint _otherside) private returns (uint256 remaining) {
        uint256 traded = 0;
        // if side is buy i.e otherside == 1 ; msg.sender  want to buy _amount token from order.traders 
        // if side is sell i.e otherside == 0; msg.sender want to sell _amount token to order.traders
        if (_otherside == 1) {
            uint i=0;
            //get the list of the buyers
            Trader[] storage buyers = orderTotradersmapping[order.id].traders;
            while(i <buyers.length && traded<_amount){
                uint256 tradable = getTradable(order.amount,buyers[i].share);
                _buy(buyers[i],_ticker,tradable, order.price);
                (,traded) = SafeMath.tryAdd(traded,tradable);
                (,order.amount) = SafeMath.trySub(order.amount,tradable);
                i++;
            }
        }else if(_otherside == 0){
            uint j=0;
            //get the list of sellers 
            Trader[] storage sellers = orderTotradersmapping[order.id].traders;
            while(j <sellers.length && traded<_amount){
                uint256 tradable = getTradable(order.amount,sellers[j].share);
                _sell(sellers[j],_ticker,tradable, order.price);
                (,traded) = SafeMath.tryAdd(traded,tradable);
                j++;
            }
        }
        (,remaining) = SafeMath.trySub(_amount,traded);
        return remaining;
    }

   
    function _buy(Trader storage _from, bytes32 _ticker, uint256 _amount,uint256 price) private {
         // Estimate the price in ETH for the trade for each order on the sell side
        (bool success, uint256 due) = SafeMath.tryMul(price, _amount);
        // require the buy must have enough ETH to proceed to the trade
        require(balances[msg.sender][bytes32("ETH")] >= due,"ETH balance not sufficient for this Buy Market Order ");
         
        if (success) {
            // decrease the ETH balance of the buyer
            (, balances[msg.sender][bytes32("ETH")]) = SafeMath.trySub(balances[msg.sender][bytes32("ETH")], due);
            // increase the ETH balance of the trader on the SELL side
            (, balances[_from.account][bytes32("ETH")]) = SafeMath.tryAdd(balances[_from.account][bytes32("ETH")], due);
            // decrease the Token balance of the trader on the SELL side
            (, balances[_from.account][_ticker]) = SafeMath.trySub(balances[_from.account][_ticker], _amount);
            // transfer the token to Buyer
            (, balances[msg.sender][_ticker]) = SafeMath.tryAdd(balances[msg.sender][_ticker], _amount);
            // adjust trader share 
            (,_from.share) = SafeMath.trySub(_from.share, _amount);
        }  
    }

    function _sell(Trader storage _to, bytes32 _ticker, uint256 _amount,uint256 price) private  {
        // get the estimate eth due  by the trader on the buy side for each order to process
        (bool success, uint256 due) = SafeMath.tryMul(_amount, price);
        if (success) {
            // decrease  ETH balance of the  trader on the buy side
            (, balances[_to.account][bytes32("ETH")]) = SafeMath.trySub(balances[_to.account][bytes32("ETH")], due);
             // Increase seller ETH balance
            (, balances[msg.sender][bytes32("ETH")]) = SafeMath.tryAdd(balances[msg.sender][bytes32("ETH")],due);
            //decrease seller token balance
            (, balances[msg.sender][_ticker]) = SafeMath.trySub(balances[msg.sender][_ticker], _amount);
            //transfer token to  the trader on the buy side
            (, balances[_to.account][_ticker]) = SafeMath.tryAdd(balances[_to.account][_ticker],_amount);
            (,_to.share) = SafeMath.trySub(_to.share, _amount);
        }
    }

    function _trade(bytes32 ticker,Trader storage buyer, Trader storage seller,uint256 price,uint256 _amount) private {
            (bool success, uint256 due) = SafeMath.tryMul(_amount, price);
            //require(balances[buyer.trader]["ETH"]>=due, "Balance not enough");
            if(success){
                (,balances[buyer.account]["ETH"]) = SafeMath.trySub(balances[buyer.account]["ETH"],due);
                (,balances[seller.account]["ETH"]) = SafeMath.tryAdd(balances[seller.account]["ETH"],due);
                (,balances[seller.account][ticker]) = SafeMath.trySub(balances[seller.account][ticker],_amount);
                (,balances[buyer.account][ticker]) = SafeMath.tryAdd(balances[buyer.account][ticker],_amount);
                (,buyer.share) = SafeMath.trySub(buyer.share, _amount);
                (,seller.share) = SafeMath.trySub(seller.share, _amount);
            }
    }
    /**
     * @param _amount the amount of token
     *
     *
     *
     */
    function createLimitOrder(uint256 _amount, uint256 _price, bytes32 _ticker,Side side) public checkbalances(_ticker,side,_amount,_price){
        Order[] storage orders = orderbook[_ticker][uint(side)];
        (uint position, bool exist)  = _lookfor(_ticker,_price, side);
        Order storage currentOrder;
        if(exist){
                 currentOrder = orders[position];
                 addTraderToOrder(currentOrder, _amount);  
        }else{

            orders.push( Order({id: orderID, position: orders.length, side: side,ticker: _ticker, amount: _amount, price: _price, filled: false }));
            // store the new added Order
            currentOrder = orders[orders.length-1];
            // create a Trader struct to store informations about the buyer
            Trader memory trader  = Trader(msg.sender, _amount);
            // link the order to the Trader with orderTotradersmapping 
            orderTotradersmapping[currentOrder.id].traders.push(trader);
            orderTotradersmapping[currentOrder.id].indexes[trader.account] =   orderTotradersmapping[orderID].traders.length;
        }
            //sort the orderbook
            _quicksort(orders,0, orders.length, side);
            orderID++;
            if(currentOrder.side == Side.BUY){
                (uint index, bool exist) = _lookfor(_ticker, _price,Side.SELL);
                if(exist){
                     _processLimitOrder(currentOrder,orderbook[_ticker][uint(Side.SELL)][index]);
                }
                // proceed the limit orders if a matching is founded
            } else if(currentOrder.side == Side.SELL){
                (uint index, bool exist) = _lookfor(_ticker, _price,Side.BUY);
                if(exist){
                     _processLimitOrder(orderbook[_ticker][uint(Side.BUY)][index],currentOrder);
                }
            }
    }

    // we use a _quicksort(_tosort, low, high); algorithm to sort orders
    function _quicksort(Order[] storage _tosort, uint low, uint high,Side _side) private {
        if (low < high) {
            uint256 pivot = partition(_tosort, low, high, _side);
            _quicksort(_tosort, low, pivot, _side);
            _quicksort(_tosort, pivot + 1, high, _side);
        }
    }

     function addTraderToOrder(Order storage current,uint256 _amount) private{
            uint256 trader_index = orderTotradersmapping[current.id].indexes[msg.sender];
              // trader_index == 0 mean the trader does not have any shares in the order
            if(trader_index == 0){
                    // add the buyer to trader list 
                orderTotradersmapping[current.id].traders.push(Trader(msg.sender,_amount));
                orderTotradersmapping[current.id].indexes[msg.sender] =  orderTotradersmapping[current.id].traders.length;
                (, current.amount) = SafeMath.tryAdd(current.amount, _amount);
                 }// trader already have a share in the order
                 else if(trader_index >0){
                (,orderTotradersmapping[current.id].traders[trader_index-1].share) = SafeMath.tryAdd(orderTotradersmapping[current.id].traders[trader_index-1].share, _amount); 
                (, current.amount) = SafeMath.tryAdd(current.amount, _amount);
          }
     }
    function _lookfor(bytes32 _ticker, uint256 _price,Side side) private view returns(uint index, bool found){
            Order[] storage tolookup = orderbook[_ticker][uint(side)];
            for(uint i=0; i<tolookup.length; i++){
                if((tolookup[i].ticker ==_ticker)&&(tolookup[i].price == _price)){
                    index = i;
                    found = true;
                    return (index, found);
                }
            }
            return (0, false);
    }

    function _processLimitOrder(Order storage current, Order storage matching) private {
                uint256 tradable = getTradable(current.amount, matching.amount);
                Trader[] storage buyers = orderTotradersmapping[current.id].traders;
                Trader[] storage sellers = orderTotradersmapping[matching.id].traders;
                uint i=0;
                uint j=0;
                while(tradable >0){
                    if(i >= buyers.length){
                        return;
                    }
                    if(j >= sellers.length){
                        return;
                    }
                    if(buyers[i].share < sellers[j].share){
                        uint256 trade_amount = buyers[i].share;
                        _trade(current.ticker, buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) = SafeMath.trySub(current.amount, trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        i++;
                    }else if(buyers[i].share > sellers[j].share){
                        uint256 trade_amount = sellers[i].share;
                        _trade(current.ticker,buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) =  SafeMath.trySub(current.amount,trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        j++;
                    }else{
                        uint256 trade_amount = buyers[i].share;
                        _trade(current.ticker, buyers[i],sellers[j],current.price,trade_amount);
                        (, tradable)  = SafeMath.trySub(tradable,trade_amount);
                        (,current.amount) = SafeMath.trySub(current.amount, trade_amount);
                        (,matching.amount) = SafeMath.trySub(matching.amount,trade_amount);
                        i++;
                        j++;
                    }
                }
            if(current.amount == 0){
                    _deleteFromOrderBook(current);
            }
            if(matching.amount == 0){
                    _deleteFromOrderBook(matching);
            }
    }
    // partition functions returns the
    function partition(Order[] storage arr, uint low, uint high,Side _side) private returns (uint256 index) {
        Order memory pivot = arr[low];
        uint i = low;
        uint j = high - 1;
        while (true) {
            //sort descending
            if (_side == Side.BUY) {
                while (arr[i].price > pivot.price) {
                    i++;
                }

                while (arr[j].price < pivot.price) {
                    j--;
                }
            } else if (_side == Side.SELL) {
                //sort ascending
                while (arr[i].price < pivot.price) {
                    i++;
                }

                while (arr[j].price > pivot.price) {
                    j--;
                }
                if (i >= j) {
                    return j;
                }
            }
            if (i >= j) {
                return j;
            }
            
            Order memory temp = arr[i];
            arr[j].position = i;
            arr[i] = arr[j];
            temp.position = j;
            arr[j] = temp;
        }
    }

     function getTradable(uint256 first, uint256 second) private  pure returns(uint256){
             if(first>second){
                return first;
             }
             return second;
    }


    function _deleteFromOrderBook(Order storage _todelete) private {
        require(orderbook[_todelete.ticker][uint(_todelete.side)].length > 0," orderbook not empty");
        Order[] storage orders = orderbook[_todelete.ticker][uint(_todelete.side)];
        if(_todelete.position == orders.length-1){
            orders.pop();
            return;
        }
        Order memory toremove = orders[_todelete.position];
        orders[_todelete.position] =  orders[orders.length-1];
        orders[orders.length-1] = toremove;
        orders.pop();
        delete orderTotradersmapping[_todelete.id];
    }

    function getOrderbook(bytes32 _ticker,Side side) public view returns (Order[] memory) {
        return orderbook[_ticker][uint(side)];
    }
}

Finally completed the Dex project. All tests pass.

Thanks to Filip for this great course.

I will add front-end later to the Dex project.

My code:

Dex Contract

// SPDX-License-Identifier: Unlicensed

pragma solidity ^0.8.19;
pragma experimental ABIEncoderV2;
import "./Wallet.sol";

contract Dex is Wallet {

    using Math for uint256;

    enum Side {
        BUY, //0
        SELL //1
    }

    struct Order {
        uint id;
        bytes32 ticker;
        uint numTokensOrder;
        uint256 price;
        Side side;
        address trader;
        uint256 filled;
    }

    mapping(bytes32 => mapping(uint => Order[])) public orderBook; 

    function getOrderBook(bytes32 ticker, Side side) view public returns(Order[] memory) {
        return orderBook[ticker][uint(side)];
    }
  
    function depositEth(address _userAddress) public payable returns(address userAddress ) {
       //userAddress = msg.sender;
        userEthBalance[_userAddress] += msg.value;
        return _userAddress;
    }

    function createLimitOrder(
        bytes32 _ticker,
        Side _side,
        uint _numTokens,
        uint256 _price     
        ) public payable {
            
            uint filled;
            uint id = orderBook[_ticker][uint(_side)].length + 1;

            Order memory newLimitOrder = Order(id, _ticker, _numTokens, _price, _side, msg.sender, filled);

            if(_side == Side.BUY){
                require(userEthBalance[msg.sender] >= _price, "Insufficient ETH balance for Buy Limit Order");
                orderBook[_ticker][uint(_side)].push(newLimitOrder);
        
                uint arrayNum = orderBook[_ticker][uint(_side)].length - 1;

                if (arrayNum != 0) {

                    for ( uint i = arrayNum; i > 0; i-- ) {
                        if(orderBook[_ticker][uint(_side)][i].price > orderBook[_ticker][uint(_side)][i - 1].price) {
                            orderBook[_ticker][uint(_side)][i] = orderBook[_ticker][uint(_side)][i - 1];
                            orderBook[_ticker][uint(_side)][i - 1] = newLimitOrder;
                        }
                    }
                }
            }
            else if(_side == Side.SELL) {
                require(balances[msg.sender][_ticker] >= _numTokens, "Insufficient tokens to sell");
                orderBook[_ticker][uint(_side)].push(newLimitOrder);
            
                uint arrayNum = orderBook[_ticker][uint(_side)].length - 1;

                if (arrayNum != 0) {

                    for (uint i = arrayNum; i > 0; i--) {
                        if(orderBook[_ticker][uint(_side)][i].price < orderBook[_ticker][uint(_side)][i - 1].price) {
                            orderBook[_ticker][uint(_side)][i] = orderBook[_ticker][uint(_side)][i - 1];
                            orderBook[_ticker][uint(_side)][i - 1] = newLimitOrder;
                        }
                    }
                }
            }
    }
    
    function createMarketOrder(
    bytes32 _ticker,
    Side _side,
    uint _amountMarketOrder
    ) public {
        
        uint orderBookSide = 0;
        if(_side == Side.BUY){        
            orderBookSide = 1;
        }
        else if (_side == Side.SELL){
            orderBookSide = 0;
            require(balances[msg.sender][_ticker] >= _amountMarketOrder, "Insufficient token balance.");
        }

        Order[] storage orders = orderBook[_ticker][orderBookSide];
        uint totalFilledMarketOrder = 0;

        //how much can be filled from order[i]
        //update limitorder -> total filled, remaining Market Order amount  
        for(uint i = 0; i < orders.length && totalFilledMarketOrder < _amountMarketOrder; i++) {
            (, uint leftToFillMarketOrder) = _amountMarketOrder.trySub(totalFilledMarketOrder);
            (, uint currentOrderAvailableToFill) = orders[i].numTokensOrder.trySub(orders[i].filled);
            uint filled = 0;

            if(leftToFillMarketOrder >= currentOrderAvailableToFill) {
                filled = currentOrderAvailableToFill;
            }
            else if(leftToFillMarketOrder < currentOrderAvailableToFill) {
                filled = leftToFillMarketOrder;
            }

            totalFilledMarketOrder += filled;
            (, orders[i].filled) = orders[i].filled.tryAdd(filled);

            //verify buyer has enough Eth for the trade
            (,uint orderCost) = filled.tryMul(orders[i].price);
            uint256 marketOrderBuyerEthBalance = userEthBalance[msg.sender];

            if(_side == Side.BUY){
                //verify market order buyer has enough Eth for the trade
                require(marketOrderBuyerEthBalance >= orderCost, "Insufficient ETH balance");
                
                //update ETH and token balances
                (, userEthBalance[msg.sender]) = userEthBalance[msg.sender].trySub(orderCost);
                (, balances[msg.sender][_ticker]) = balances[msg.sender][_ticker].tryAdd(filled);
                (, userEthBalance[orders[i].trader]) = userEthBalance[orders[i].trader].tryAdd(orderCost);
                (, balances[orders[i].trader][_ticker]) = balances[orders[i].trader][_ticker].trySub(filled);
            }
            else if(_side == Side.SELL){
                //update ETH and token balances
                (, userEthBalance[msg.sender]) = userEthBalance[msg.sender].tryAdd(orderCost);
                (, balances[msg.sender][_ticker]) = balances[msg.sender][_ticker].trySub(filled);
                (, userEthBalance[orders[i].trader]) = userEthBalance[orders[i].trader].trySub(orderCost);
                (, balances[orders[i].trader][_ticker]) = balances[orders[i].trader][_ticker].tryAdd(filled);
            }
        }

        //remove 100% filled orders
        while(orders.length > 0 && orders[0].filled == orders[0].numTokensOrder){
            for(uint i=0; i < orders.length - 1; i++){
                orders[i] = orders[i + 1];
            }
            orders.pop();
        }
    }
}

Wallet Contract

// SPDX-License-Identifier: Unlicensed

pragma solidity ^0.8.19;
import "../node_modules/@openzeppelin/contracts/token/ERC20/IERC20.sol";
import "../node_modules/@openzeppelin/contracts/utils/math/Math.sol";
import "../node_modules/@openzeppelin/contracts/access/Ownable.sol";

contract Wallet is Ownable {

    using Math for uint256;

    struct Token {
        bytes32 ticker;
        address tokenAddress;
    }

    constructor () Ownable(msg.sender) {

    }

    mapping(bytes32 => Token) public tokenMapping;
    bytes32[] public tokenList;

    mapping(address => mapping(bytes32 => uint256)) public balances;

    //Dex users ETH balance
    mapping(address => uint256) public userEthBalance;

    modifier isValidToken(bytes32 _ticker) {
        require(tokenMapping[_ticker].tokenAddress != address(0), "Token does not exist");
        _;
    }

    function addToken(bytes32 _ticker, address _tokenAddress) external onlyOwner() {
        tokenMapping[_ticker] = Token(_ticker, _tokenAddress);
        tokenList.push(_ticker);
    }

    function deposit(uint256 _amount, bytes32 _ticker) external isValidToken(_ticker) {
        
        //transfer to this contract from token contract
        IERC20(tokenMapping[_ticker].tokenAddress).transferFrom(msg.sender, address(this), _amount);

        //increase owner's balance in this contract
        (bool overFlowsAdd, uint256 newBalance) = balances[msg.sender][_ticker].tryAdd(_amount);
        if (overFlowsAdd != false) {
            balances[msg.sender][_ticker] = newBalance;
        }
    }

    function withdraw(uint256 _amount, bytes32 _ticker) external isValidToken(_ticker) {
        require(balances[msg.sender][_ticker] >= _amount, "Balance not sufficient");
        require(msg.sender != address(0));
        IERC20(tokenMapping[_ticker].tokenAddress).transfer(msg.sender, _amount);
    }

    function transfer(uint256 _amount, bytes32 _ticker, address _to) internal isValidToken(_ticker) {
        require(balances[msg.sender][_ticker] >= _amount, "Balance not sufficient");
        require(msg.sender != address(0));
        require(_to != address(0));

        //decrease token balance of the sender. Increase trader's token balance
        (bool overFlowsSub, uint256 newSenderTokenBalance) = balances[msg.sender][_ticker].trySub(_amount);
        if (overFlowsSub != false) {
            balances[msg.sender][_ticker] = newSenderTokenBalance;
        }
        (bool overFlowsAdd, uint256 newTokenBalance) = balances[_to][_ticker].tryAdd(_amount);
        if (overFlowsAdd != false) {
            balances[_to][_ticker] = newTokenBalance;
        }

        IERC20(tokenMapping[_ticker].tokenAddress).transfer(_to, _amount);
    }

    function getTraderTokenBalance(address _trader, bytes32 _ticker) public view returns(uint256 _tokenBalance) {
        return balances[_trader][_ticker];
    }

    function getUserEthBalance(address userAddress) public view returns(uint256 ethBalance) {
        return userEthBalance[userAddress];
    }
}

Unit Tests
Market Order tests

//When creating a SELL market order, the seller should have enough tokens for the trade
//When creating a BUY market order, the buyer should have enough ETH for the trade
//Market orders can be submitted even if the order book is empty
//The ETH balance of the buyer should decrease with the filled amount
//The token balance of the sellers should decrease with the filled amount
//Filled limit orders should be removed from the orderbook

const Link = artifacts.require("Link");
const Dex = artifacts.require("Dex");
const truffleAssert = require("truffle-assertions");

let Side = {
    BUY: 0,
    SELL: 1
}

contract("Dex", accounts => {

    it("Initial test data setup", async() => {
        let dex = await Dex.deployed();
        let link = await Link.deployed();

        await dex.addToken(web3.utils.fromUtf8("LINK"), link.address);

        //deposit tokens
        await link.transfer(accounts[1], 150);
        await link.transfer(accounts[2], 130);

        await link.approve(dex.address, 500);
        await link.approve(dex.address, 150, {from: accounts[1]});
        await link.approve(dex.address, 130, {from: accounts[2]});

        await dex.deposit(500, web3.utils.fromUtf8("LINK"), {from: accounts[0]});
        await dex.deposit(150, web3.utils.fromUtf8("LINK"), {from: accounts[1]});
        await dex.deposit(130, web3.utils.fromUtf8("LINK"), {from: accounts[2]});

        //deposit WEI
        await dex.depositEth(accounts[0], {value: 10000});
        await dex.depositEth(accounts[1], {value: 3000});
        await dex.depositEth(accounts[2], {value: 2000});
    })
 
    it("Test 1 - Submit SELL MARKET Order - Seller should have enough tokens for the trade", async () => {

        let dex = await Dex.deployed();
        let link = await Link.deployed();

        let traderTokenBalance = await dex.getTraderTokenBalance(accounts[3], web3.utils.fromUtf8("LINK"));
        assert(traderTokenBalance == 0, "Test1: Token balance is not 0.");

        //seller does not have enough tokens for the sell order - accounts[3]
        await truffleAssert.reverts(
            dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 10, {from: accounts[3]})
        );

        //seller now has enough tokens for the sell order
        await link.transfer(accounts[3], 10);
        await link.approve(dex.address, 10, {from: accounts[3]});
        await dex.deposit(10, web3.utils.fromUtf8("LINK"), {from: accounts[3]});

        //submit buy limit order - accounts[1]
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, 10, {from: accounts[1]});

        traderTokenBalance = await dex.getTraderTokenBalance(accounts[3], web3.utils.fromUtf8("LINK"));
        assert.equal(traderTokenBalance.toNumber(), 10, "Test1: Token balance is not correct.");

        //submit sell market order - accounts[3]
        await truffleAssert.passes(dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 1, {from:accounts[3]}));

        //market order trader now has 9 link left - accounts[3]
        traderTokenBalance = await dex.getTraderTokenBalance(accounts[3], web3.utils.fromUtf8("LINK"));
        assert.equal(traderTokenBalance.toNumber(), 9, "Test1: Token balance is not correct after sell.");
    });


    it("Test 2 - Submit BUY MARKET Order - Buyer should have enough ETH (WEI) for the trade", async () => {
        
        let dex = await Dex.deployed();

        //buyer does not have enough ETH for the buy order - accounts[4]
        let userBalanceEth = await dex.getUserEthBalance(accounts[4]);
        assert.equal(userBalanceEth.toNumber(), 0, "Test2: Trader WEI balance is not zero.")
 
        //submit sell limit order - accounts[2]
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 3, 10, {from: accounts[2]});

        //submit buy market order - no ETH balance - accounts[4]
        await truffleAssert.reverts(
            dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, {from: accounts[4]})
        );

        //deposit Eth - accounts[4]
        await dex.depositEth(accounts[4], {value: 100});
        
        //submit buy order - trader has sufficient wei balance - accounts[4]
        await truffleAssert.passes(
           dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, {from: accounts[4]})
        );

        //market order buyer WEI balance is reduced by 3x10 WEI - accounts[4]
        userBalanceEth = await dex.getUserEthBalance(accounts[4]);
        assert.equal(userBalanceEth.toNumber(), 70, "Test2: WEI balance is not correct after buy market order.");

        //link balance increases for market order buyer - accounts[4]
        let traderLinkBalance = await dex.getTraderTokenBalance(accounts[4], web3.utils.fromUtf8("LINK"));
        assert.equal(traderLinkBalance.toNumber(), 3, "Test2: Incorrect link balance after buy market order.");
    });

        
    it("Test 3 - Market orders - BUY or SELL - can be submitted even if the order book is empty", async () => {
        //submit market order with no orders in order book

        let dex = await Dex.deployed();

        //check sell orderbook is empty
        let sellOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 1);
        assert.equal(sellOrderBook.length, 0, "Orderbook is not empty");

        //submit buy market order - accounts[1]
        await truffleAssert.passes(
           dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, {from: accounts[1]})
        );
    });

     it("Test 4  - The ETH balance of the buyer should decrease with the filled amount", async () => {
        let dex = await Dex.deployed();

        let userBalanceEthBefore = await dex.getUserEthBalance(accounts[4]);
    
        //submit sell limit order - accounts[2]
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 3, 10, {from: accounts[2]});

        //submit buy market order - accounts[4]
        await truffleAssert.passes(dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, {from: accounts[4]}));

        //check ethBalance for accounts[4] is 3x10 WEI less
        let userBalanceEthAfter = await dex.getUserEthBalance(accounts[4]);
        assert.equal(userBalanceEthAfter.toNumber(), userBalanceEthBefore.toNumber() - 30, "WEI balance did not decrease.");
    });

    it("Test 5  - The token balance of the seller should decrease with the filled amounts", async () => {
        let dex = await Dex.deployed();

        let trader1TokenBalanceBefore = await dex.getTraderTokenBalance(accounts[1], web3.utils.fromUtf8("LINK"));
        let trader2TokenBalanceBefore = await dex.getTraderTokenBalance(accounts[2], web3.utils.fromUtf8("LINK"));

        //submit buy limit order - Trader2 - accounts[2]
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 6, 10, {from: accounts[2]});

        //create Market Sell order - Trader1 - accounts[1]
        await dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 12, {from: accounts[1]});
        
        //check Trader1 - accounts[1] token balance decreases by 6 link tokens
        let trader1TokenBalanceAfter = await dex.getTraderTokenBalance(accounts[1], web3.utils.fromUtf8("LINK"));
        assert.equal(trader1TokenBalanceBefore.toNumber() - 6, trader1TokenBalanceAfter.toNumber(), 
            "Trader 1 - accounts[1] token balance did not decrease correctly.")
        
        //check Trader2 - accounts[2] token balance increases by 6 link tokens
        trader2TokenBalanceAfter = await dex.getTraderTokenBalance(accounts[2], web3.utils.fromUtf8("LINK"));
        assert.equal(trader2TokenBalanceBefore.toNumber() + 6, trader2TokenBalanceAfter.toNumber(), 
            "Trader 1 - accounts[2] token balance did not increase correctly.")
     });

    it("Test 6  - Filled limit orders should be removed from the orderbook", async () => {
        
        let dex = await Dex.deployed();

        //buy order book is empty initially
        let buyOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 0);
        assert.equal(buyOrderBook.length, 0, "Order book is not empty");;

        //accounts[2] submits a buy limit order for 9 link at 10 wei per link
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 9,  10, {from: accounts[2]});
        buyOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 0);
        assert.equal(buyOrderBook.length, 1, "Buy limit order was not successfully submitted.");

        //accounts[1] submits a sell market order for 5 link - buy limit order is partially filled, remains in buy order book
        await dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 5, {from: accounts[1]});
        buyOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 0);
        assert.equal(buyOrderBook.length, 1, "Order book is empty");

        //accounts[1]) submits a sell market order for 6 link -> buy limit order is now fully filled -> removed from order book
        await dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 6, {from: accounts[1]});

        //assert that the buy Limit Order is removed from the order book
        buyOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 0);
        assert.equal(buyOrderBook.length, 0, "Buy order book is not empty");
    });

    it("Test 7  - Market orders should be filled until the orderbook is empty or the market order is 100% fulfilled", async () => {

        let dex = await Dex.deployed();

        //sell limit orderbook should be empty initially.
        let sellOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 1);
        assert.equal(sellOrderBook.length, 0, "Sell Order book is not empty");

        //Part 1 - Market orders should be filled until the orderbook is empty 
        //Submit sell limit orders from different traders. Each buy limit order is fulfilled
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 3,  10, {from: accounts[1]});
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 6,  12, {from: accounts[2]});

        //submit buy market order - account[0] for 11 Link (which is 2 more than total sell limit orders)
        await dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 11);

        //sell limit orderbook should be empty. Market order is partially filled
        sellOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 1);
        assert.equal(sellOrderBook.length, 0, "Sell Order book is not empty");

        //Part 2 - market order is 100% fulfilled
        //1. submit sell limit orders from different traders to fulfill the market sell order
        let traderTokenBalanceBefore = await dex.getTraderTokenBalance(accounts[0], web3.utils.fromUtf8("LINK"));

        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 5,  100, {from: accounts[1]});
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 5,  100, {from: accounts[2]});        

        //submit buy market order - account[0] for 9 Link
        await dex.createMarketOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 9);
        let traderTokenBalanceAfter = await dex.getTraderTokenBalance(accounts[0], web3.utils.fromUtf8("LINK"));
        assert.equal(traderTokenBalanceBefore.toNumber() + 9, traderTokenBalanceAfter.toNumber(), 
        "Trader - Buy market order for accounts[0] not fulfilled.")
    });
})

Limit Order tests

//The BUY order book should be ordered on price from highest to lowest starting at index 0
//The SELL order book should be ordered on price from lowest to highest starting at index 0
//The user must have ETH deposited such that deposited eth >= buy order value
//The user must have enough tokens deposited such that token balance >= sell order amount


const Link = artifacts.require("Link");
const Dex = artifacts.require("Dex");
const truffleAssert = require("truffle-assertions");

let Side = {
    BUY: 0,
    SELL: 1
}

contract("Dex", accounts => {
    it("Test 1  - Buy orderbook is ordered by price highest to lowest", async () => {
        let dex = await Dex.deployed();

        //deposit 4 eth to accounts[6]
        await dex.depositEth(accounts[6], {value: web3.utils.toWei("4", "ether")});

        //submit buy orders
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 5, web3.utils.toWei("0.1", "ether"), {from: accounts[6]});
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 2, web3.utils.toWei("0.2", "ether"), {from: accounts[6]});
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 3, web3.utils.toWei("0.3", "ether"), {from: accounts[6]});
       
        //get Buy order book
        let buyOrderBooktest1 = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 0);

        if(buyOrderBooktest1.length > 0) {
            for(let i = 0; i < buyOrderBooktest1.length - 1; i++) {
                assert(buyOrderBooktest1[i].price >= buyOrderBooktest1[i+1].price, 
                    "Buy Orderbook is not sorted in descending order of price");
            }   
        }
    });

    it("Test 2  - Sell orderbook is ordered by price lowest to highest", async () => {

        let dex = await Dex.deployed();
        let link = await Link.deployed();

        //Add Link token to Dex contract
        await truffleAssert.passes(
            dex.addToken(web3.utils.fromUtf8("LINK"), link.address)
        );

        await link.transfer(accounts[0], 100);
        await link.approve(dex.address, 100);
        await dex.deposit(100, web3.utils.fromUtf8("LINK"));

        //submit sell orders
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 3, web3.utils.toWei("0.1", "ether"));
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 2, web3.utils.toWei("0.5", "ether"));
        await dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 4, web3.utils.toWei("0.3", "ether"));

        //get Sell order book
        let sellOrderBook = await dex.getOrderBook(web3.utils.fromUtf8("LINK"), 1);
   
        if(sellOrderBook.length > 0) {
            for(let i = 0; i < sellOrderBook.length - 1; i++) {
                assert(sellOrderBook[i].price <= sellOrderBook[i+1].price, 
                    "Sell Orderbook is not sorted in ascending order of price");
            }   
        }
    });
    
    it("Test 3 - ETH balance should be >= buy order value - trader has less eth balance", async () => {

        let dex = await Dex.deployed();
      
        //submit buy limit order - 5 Link tokens for 0.1 ether each - accounts[1] has no Eth balance
        await truffleAssert.reverts(
            dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 5,  web3.utils.toWei("0.1", "ether"),
            {from: accounts[1]})
        );
    });

    it("Test 4 - ETH balance should be >= buy order value - trader has sufficient eth balance", async () => {

        let dex = await Dex.deployed();
      
        //deposit 2 eth to accounts[1]
        await dex.depositEth(accounts[1], {value: web3.utils.toWei("2", "ether")});
   
        //submit buy order - 5 Link tokens for 0.1 ether - accounts[1] has 2 Eth balance
        await truffleAssert.passes(
            dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.BUY, 5,  web3.utils.toWei("0.1", "ether"), 
            {from: accounts[1]})
        );
    });

    it("Test 5 - Token balance >= sell order amount - trader has less token balance", async () => {

        let dex = await Dex.deployed();
        let link = await Link.deployed();
      
        //Add Link token to Dex contract
        await truffleAssert.passes(dex.addToken(web3.utils.fromUtf8("LINK"), link.address));
        
        await link.transfer(accounts[3], 100);
        await link.approve(dex.address, 100, {from: accounts[3]});
        await dex.deposit(100, web3.utils.fromUtf8("LINK"), {from: accounts[3]});

        //Sell order for 110 tokens - accounts[3] has 100 tokens
        await truffleAssert.reverts(
            dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 110, web3.utils.toWei("0.5", "ether", {from: accounts[3]}))
        );
    });

    it("Test 6 - Token balance >= sell order amount - trader has sufficient token balance", async () => {

        let dex = await Dex.deployed();

        //Sell order for 80 link tokens - accounts[3] has 100 tokens
        await truffleAssert.passes(
            dex.createLimitOrder(web3.utils.fromUtf8("LINK"), Side.SELL, 80, web3.utils.toWei("0.5", "ether"), {from: accounts[3]})
        ); 
    });
})

Wallet tests

const Link = artifacts.require("Link");
const Dex = artifacts.require("Dex");
const truffleAssert = require("truffle-assertions");

contract("Dex", accounts => {
    it("should only be possible for owner to add tokens", async () => {

        let dex = await Dex.deployed();
        let link = await Link.deployed();
      
        
        await truffleAssert.passes(
            dex.addToken(web3.utils.fromUtf8("LINK"), link.address, {from: accounts[0]})
        );

        await truffleAssert.reverts(
            dex.addToken(web3.utils.fromUtf8("AAVE"), link.address, {from: accounts[1]})
        );
        await truffleAssert.reverts(
            dex.addToken(web3.utils.fromUtf8("AAVE"), link.address, {from: accounts[1]}), 
            truffleAssert.ErrorType.REVERT, 'Not owner'
        );
    });

    it("should handle deposits correctly", async () => {

        let dex = await Dex.deployed();
        let link = await Link.deployed();
      
        await link.approve(dex.address, 500);
        await dex.deposit(100, web3.utils.fromUtf8("LINK"));
        let balance =  await dex.balances(accounts[0], web3.utils.fromUtf8("LINK"));
        assert.equal(balance.toNumber(), 100);
    });

    it("should handle faulty withdrawls correctly", async () => {
        let dex = await Dex.deployed();
     
        await truffleAssert.reverts(dex.withdraw(500, web3.utils.fromUtf8("LINK")));
    });

    it("should handle valid withdrawls correctly", async () => {
        let dex = await Dex.deployed();
      
        await truffleAssert.passes(dex.withdraw(100, web3.utils.fromUtf8("LINK")));
    });
})