create account

MyDiceBot - v190610 with KryptoGamers is supported by mydicebot

View this thread on: hive.blogpeakd.comecency.com
· @mydicebot · (edited)
$3.36
MyDiceBot - v190610 with KryptoGamers is supported
# MyDiceBot - v190610 with KryptoGamers is supported

![image](https://user-images.githubusercontent.com/39991582/59188205-a86ab000-8b66-11e9-9fa9-b6f78cfc5bae.png)

# Feature Update
* [KryptoGamers](https://kryptogamers.com/?ref=mydicebot) is supported

# Source Codes

* UI code

```javascript
function init() {
    console.log('hello KryptoGames Dice');
    $$("bet_currency_selection").define("options", [
        {id:1,value:"STEEM"},
        {id:2,value:"SBD"},
    ]);
    minBetAmount = 0.1;
    $$("manual_bet_amount").setValue(minBetAmount);
    $$("auto_bet_base_amount").setValue(minBetAmount);
    $$("manual_bet_chance").setValue(49);
    $$("auto_bet_base_chance").setValue(49);
    $$("bet_currency_selection").refresh();
    $$("manual_bet_high_button").hide();
    $$("auto_bet_start_low_high").define("options", ["LOW"]);
    $$("auto_bet_start_low_high").refresh();
}

function checkParams(p,ch){
    //console.log(p,ch);
    if(p < 0.00000001 || p > 1000000000*1000000000) {
        return false
    }
    if(ch>94 || ch<1) {
        return false
    }
    return true;
}

function initScriptBalance(currencyValue, cb){
    getInfo(function(userinfo){
        if(userinfo.info.success == 'true'){
            try {
                balance = userinfo.info.balance;
                bets = userinfo.info.bets;
                wins = userinfo.info.wins;
                losses = userinfo.info.losses;
                profit = userinfo.info.profit;
            } catch(err){
                console.error(err.message);
                webix.message({type: 'error', text: err.message});
                return false;
            }
            cb();
        }
    });
}

function getBalance(userinfo){
    balance = userinfo.info.balance
    return balance;
}

function getProfit(userinfo){
    profit = userinfo.currentInfo.profit;
    //console.log('actprofit:'+actProfit);
    return profit;
}

function getCurrProfit(ret){
    currentprofit = ret.betInfo.profit
    //console.log('currprofit:'+currProfit);
    return currentprofit;
}

function getCurrentBetId(ret){
    let betId = ret.betInfo.id;
    //console.log('currentBetId:'+betId);
    return betId;
}

function getCurrentRoll(ret){
    currentroll = ret.betInfo.roll_number;
    //console.log('currentRoll:'+roll);
    return currentroll;
}

function outError(ret){
    let mess = ret.err;
    return checkerr(mess);
}

function isError(ret){
    if(typeof ret.err != "undefined")
        return false;
    else
        return true;
}

function getWinStatus(ret){
    return ret.betInfo.win;
}

function setDatatable(ret){
    let chanceStr = '<font size="3" color="red">'+ ret.betInfo.condition + ' '+ ret.betInfo.target +'</font>';
    if(ret.betInfo.win){
        chanceStr = '<font size="3" color="green">'+ ret.betInfo.condition + ' '+ ret.betInfo.target +'</font>';
    }
    let profitStr = '<font size="3" color="red">' + ret.betInfo.profit+ '</font>';
    if(ret.betInfo.profit>0) {
        profitStr = '<font size="3" color="green">' + ret.betInfo.profit + '</font>';
    }
    $$('bet_datatable').add({
        bet_datatable_id:ret.betInfo.id,
        bet_datatable_amount:ret.betInfo.amount,
        bet_datatable_low_high:ret.betInfo.condition,
        bet_datatable_payout:ret.betInfo.payout,
        bet_datatable_bet_chance:chanceStr,
        bet_datatable_actual_chance:ret.betInfo.roll_number,
        bet_datatable_profit:profitStr,
    },0);
}

function setStats(userinfo, cv){
    if(userinfo.info.success == 'true'){
        $$('bet_total_stats').setValues({
            bet_total_stats_balance:userinfo.info.balance,
            bet_total_stats_win:userinfo.info.wins,
            bet_total_stats_loss:userinfo.info.losses,
            bet_total_stats_bet:userinfo.info.bets,
            bet_total_stats_profit:userinfo.info.profit,
            bet_total_stats_wagered:userinfo.info.wagered,
        });
        $$('bet_current_stats').setValues({
            bet_current_stats_balance:userinfo.currentInfo.balance,
            bet_current_stats_win:userinfo.currentInfo.wins,
            bet_current_stats_loss:userinfo.currentInfo.losses,
            bet_current_stats_bet:userinfo.currentInfo.bets,
            bet_current_stats_profit:userinfo.currentInfo.profit,
            bet_current_stats_wagered:userinfo.currentInfo.wagered,
        });
    }
}

* Backend Code

```javascript
'use strict';

import {BaseDice} from './base'
import FormData from 'form-data';
import {APIError} from '../errors/APIError';
import steem from 'steem';
import request from 'request';
import fetch from 'isomorphic-fetch';

export class KryptoGames extends BaseDice {
    constructor(){
        super();
        this.url = 'https://kryptogames.io';
        this.benefit = '?ref=mydicebot'
        this.currencys = ["steem","sbd"];
        steem.api.setOptions({url:'https://api.steemit.com'});
    }

    async login(userName, password, twoFactor ,apiKey, req) {
        req.session.accessToken = apiKey;
        req.session.username = userName;
        return true;
    }

    async getUserInfo(req) {
        let info = req.session.info;
        if(typeof info != 'undefined'){
            return true;
        }
        let userName = req.session.username;
        let ret = await steem.api.getAccountsAsync([userName]);
        let userinfo = {
            'bets' : 0,
            'wins' : 0,
            'losses' : 0,
            'profit' : 0,
            'wagered' : 0,
            'balance' : 0,
        };
        for(let k in ret){
            let sbd = ret[k]['sbd_balance'].split(' ');
            let steem_balance = ret[k]['balance'].split(' ');
            userinfo.balance = parseFloat(steem_balance[0]);
        }
        info = {};
        let currentInfo = userinfo;
        info.info = userinfo;
        req.session.info = info;
        console.log(req.session.info);
        return info;
    }

    async refresh(req) {
        let info = req.session.info;
        if(info){
            return info;
        }
        let userName = req.session.username;
        let ret = await steem.api.getAccountsAsync([userName]);
        for(let k in ret){
            let balance = new Array();
            balance['sbd'] = ret[k]['sbd_balance'].split(' ');
            balance['steem'] = ret[k]['balance'].split(' ');
            info.info.balance = parseFloat(balance[req.query.currency][0]);
        }
        req.session.info = info;
        return info;
    }

    async clear(req) {
        let userName = req.session.username;
        let ret = await steem.api.getAccountsAsync([userName]);
        let info = {};
        info.info = {
            'bets' : 0,
            'wins' : 0,
            'losses' : 0,
            'profit' : 0,
            'wagered' : 0,
            'balance' : 0,
        };
        info.currentInfo = {
            'bets' : 0,
            'wins' : 0,
            'losses' : 0,
            'profit' : 0,
            'wagered' : 0,
            'balance' : 0,
        }
        for(let k in ret){
            let balance = new Array();
            balance['sbd'] = ret[k]['sbd_balance'].split(' ');
            balance['steem'] = ret[k]['balance'].split(' ');
            info.info.balance = parseFloat(balance[req.query.currency][0]);
            info.currentInfo.balance = parseFloat(balance[req.query.currency][0]);
            info.info.success = 'true';
        }
        req.session.info = info;
        return info;
    }

    async bet(req) {
        req.setTimeout(500000);
        let info = req.session.info;
        let amount = (req.body.PayIn/100000000).toFixed(3);
        let condition = 'under';
        let currency = req.body.Currency.toLowerCase();
        let target = 0;
        target = Math.floor(req.body.Chance) + 1;
		let cseed = Math.random().toString(36).substring(2);
        let memo = 'BRoll ' + condition + ' ' + target + ' '+ cseed;
        let bet = amount + ' '+ req.body.Currency.toUpperCase();
        let userName = req.session.username;
        let token = req.session.accessToken;
		let kryptoGamesDice = 'kryptogames';
	    try{
            let ret = await this._transfer(token, userName, kryptoGamesDice, bet, memo);
            let data = await this._getBetInfo(ret.id, userName, cseed);
            if(typeof data._id == "undefined") {
              data = await this._getBetInfoFromUser(userName,ret.id, cseed);
            }
            if(typeof data._id != "undefined") {
                data.amount = amount;
                let betInfo = {};
                betInfo.id = data._id;
                betInfo.condition = '<';
                betInfo.target = target;
                betInfo.profit = (parseFloat(data.payout) - parseFloat(data.amount)).toFixed(8);
                betInfo.roll_number = data.diceRoll;
                betInfo.payout = parseFloat(data.payout).toFixed(8);
                betInfo.amount = parseFloat(data.amount).toFixed(8);
                info.info.balance = (parseFloat(info.info.balance) + parseFloat(betInfo.profit)).toFixed(8);
                info.currentInfo.balance = (parseFloat(info.currentInfo.balance) + parseFloat(betInfo.profit)).toFixed(8);
                info.info.bets++;
                info.currentInfo.bets++;
                info.info.profit = (parseFloat(info.info.profit) + parseFloat(betInfo.profit)).toFixed(8);
                info.info.wagered = (parseFloat(info.info.wagered) + parseFloat(amount)).toFixed(8);
                info.currentInfo.wagered = (parseFloat(info.currentInfo.wagered) + parseFloat(amount)).toFixed(8);
                info.currentInfo.profit = (parseFloat(info.currentInfo.profit) + parseFloat(betInfo.profit)).toFixed(8);
                if(data.won){
                    betInfo.win = true;
                    info.info.wins++;
                    info.currentInfo.wins++;
                } else {
                    betInfo.win = false;
                    info.info.losses++;
                    info.currentInfo.losses++;
                }
                let returnInfo = {};
                returnInfo.betInfo= betInfo;
                returnInfo.info = info;
                req.session.info = info;
                return returnInfo;
            } else {
                throw new Error('bet data is null');
            }
	    } catch(e) {
            throw e;
	    }
    }

    async _getBetInfoFromUser(account, id, cseed){
        let memoRegEx = /\{(.*)/;
        return new Promise(async (resolve, reject) => {
            try {
                let options = {
                    url: ' https://api.steemit.com',
                    method: 'POST',
                    json: {
                        jsonrpc: '2.0',
                        method: 'condenser_api.get_account_history',
                        params: [account, -1, 1],
                        id: 1
                    },
                    timeout:10000
                };
                for(let tryQueryCount=0; tryQueryCount<20; tryQueryCount++) {
                        let data = await this._queryUserInfo(options,id,cseed);
                        if(data !== undefined){
                            tryQueryCount = 999;
                            console.log(data);
                            resolve(data)
                        } else {
                            console.log('Waiting for blockchain packing.....');
                            await this._sleep(15000);
                        }
                }
                resolve('not found')
            } catch (e) {
                reject( e );
            }
        });
    }



    async _getBetInfo(id, userName, cseed){
        let memoRegEx = /\{(.*)/;
        let tryQueryCount = 0;
        return new Promise(( resolve, reject ) => {
            let release = steem.api.streamOperations(async function (err, op) {
                if (err) {
                    reject( err );
                } else {
                    if (op[0] === "transfer" && op[1].to === userName) {
                        if (op[1].from === "kryptogames" && op[1].memo.startsWith("You")) {
                            tryQueryCount++;
                            try {
				                    memoRegEx = /Client Seed: ([A-Za-z0-9]+),/;
				                    let clientSeed = memoRegEx.exec(op[1].memo)[1] ;
                                    if(clientSeed == cseed ){
                                        release();
				                	    let memo = op[1].memo;
				                	    let steems = op[1].amount.split(' ');
				                	    let data = {};
				                	    console.log(memo);
				                	    data.payout = steems[0];
				                	    data._id = id;
				                	    memoRegEx = /Result: ([0-9]+),/;
				                	    data.diceRoll = memoRegEx.exec(op[1].memo)[1] ;
				                	    data.won = false;	
				                	    if (memo.indexOf("Won")>0) {
				                	    	data.won = true;	
				                	    }
                                	    resolve(data);
                                    }
                            } catch (e) {
                                 reject( e );
                            }
                         }
                         if (op[1].from === "kryptogames" && !op[1].memo.startsWith("You")) {
                             release();
                             let memo = op[1].memo;
                             console.log(memo);
                             reject(memo);
                         }
                    }
                }
                if(tryQueryCount>=100){
                    release();
                    resolve({});
                }
            });
        });
    }

    async _transfer(p,u,t,s,m){
        return new Promise(( resolve, reject ) => {
            steem.broadcast.transfer(p, u, t, s, m, function(err, result){
                if(err) {
                    reject( err );
                } else {
                    resolve( result );
                }
            });
        });
    }
    async _sleep(ms) {
        return new Promise(resolve => setTimeout(resolve, ms))
    }

    async _queryUserInfo(options, id, cseed){
        let memoRegEx = /\{(.*)/;
        return new Promise(( resolve, reject ) => {
            let req = request.post(options,function (e, r, body) {
                if(e) {
                    console.log('reject error');
                    reject( e );
                } else {
                    if(body) {
                        let res = body.result;
                        for(let k  in res) {
                            let tran = res[k][1].op;
                            try {
                                if (tran[0] == "transfer" && tran[1].from == "kryptogames" && tran[1].memo.startsWith("You")) {
					                memoRegEx = /Client Seed: ([A-Za-z0-9]+),/;
					                let clientSeed = memoRegEx.exec(tran[1].memo)[1] ;
					                console.log(clientSeed, cseed);
                                    if(clientSeed == cseed ){
					                	let memo = tran[1].memo;
					                	let steems = tran[1].amount.split(' ');
					                	let data = {};
					                	console.log(memo);
					                	data.payout = steems[0];  
					                	data._id = id;
					                	memoRegEx = /Result: ([0-9]+),/;
					                	data.diceRoll = memoRegEx.exec(tran[1].memo)[1] ;
					                	data.won = false;
					                	if (memo.indexOf("Won")>0) {
					                		data.won = true;
					                	}
                                        resolve(data);
					                }
                                }
                            } catch (e) {
                                reject( e );
                            }
                        }
                    }
                    resolve();
                }
            });
        });
    }
}

```


# Online Simulator
* [https://simulator.mydicebot.com](https://simulator.mydicebot.com)

# Download
* Binaries: [https://github.com/mydicebot/mydicebot.github.io/releases](https://github.com/mydicebot/mydicebot.github.io/releases)
* Source Code: [https://github.com/mydicebot/mydicebot.github.io](https://github.com/mydicebot/mydicebot.github.io)

# Supporting Dice Sites (alphabet sequence)
## Traditional
* [999Dice](https://www.999dice.com/?224280708)
* [Bitsler](https://www.bitsler.com/?ref=mydicebot)
* [Crypto-Games](https://www.crypto-games.net?i=CpQP3V8Up2)
* [PrimeDice](https://primedice.com/?c=mydicebot)
* [Stake](https://stake.com/?code=mydicebot)
* [YoloDice](https://yolodice.com/r?6fAf-wVz)
## Blockchain - STEEM
* [EpicDice](https://epicdice.io/?ref=mydicebot)
* [KryptoGames](https://kryptogamers.com/?ref=mydicebot)
* [SteemBet](https://steem-bet.com?ref=mydicebot)

# Quick Start
* Download MyDiceBot Binaries here: [MyDiceBot Releases](https://github.com/mydicebot/mydicebot.github.io/releases).
* Different execution methods on different platforms.
    * Linux (Open Terminal)
  
        ```
        chmod +x mydicebot-linux
        ```

        ```
        ./mydicebot-linux
        ```

    * Mac (Open Terminal)
        
        ```
        chmod +x mydicebot-macos
        ```

        ```
        ./mydicebot-macos
        ```  

    * Windows (Open Command Prompt)
        
        ```
        mydicebot-win.exe
        ```

* Choose Dice Site, Input username/password/2FA/APIKey, then Login.
* Bet and WIN.

# Features
* Supported platforms: __Windows, Mac, Linux, Web__
* Supported programming languages: __Lua__ and __Javascript__
* Supported multiple dice-sites
* Supported multiple strategies
* New account registration
* Existing account login
* Betting statistics
* Manual bet
* Auto bet
* Script bet (__compatible with Seuntjies DiceBot scripts__)

## Internal Variables
* __Single Bet Info__

|Variable|Type|Permission|Purpose|
|---|---|---|---|
|__basebet__|double|Read Write|Shows the amount of the first bet. Only set for first bet.|
|__previousbet__|double|Read Only|Shows the amount of the previous bet. Only set after first bet.|
|__nextbet__|double|Read Write|The amount to bet in the next bet. You need to assign a value to this variable to change the amount bet. Defaults to previousbet after first bet. Needs to be set before betting can start.|
|__chance__|double|Read Write|The chance to win when betting. Defaults to value set in advanced settings if not set. Need to set this value to change the chance to win/payout when betting.|
|__bethigh__|bool|Read Write|Whether to bet high/over (true) or low/under(false). Defaults to true (bet high/bet over)|
|__win__|bool|Read Only|Indicates whether the last bet you made was a winning bet (true) or a losing bet (false).|
|__currentprofit__|double|Read Only|Shows the profit for the last bet made. This is not the amount returned. betting 1 unit at x2 payout, when winning, currentprofit will show 0.00000001 (returned =0.00000002), when losing, profit will show -0.00000001|

* __Current Session Info__

|Variable|Type|Permission|Purpose|
|---|---|---|---|
|__balance__|double|Read Only|Lists your balance at the site you're logged in to.|
|__bets__|int|Read Only|Shows the number of bets for the current session.|
|__wins__|int|Read Only|Shows the number of wins for the current session.|
|__losses__|int|Read Only|Shows the number of losses for the current session.|
|__profit__|double|Read Only|Shows your session profit. Session is defined as the time since opening the current instance of bot or the last time you reset your stats in the bot.|
|__currentstreak__|double|Read Only|Shows the current winning or losing streak. When positive (>0), it's a winning streak. When negative (<0) it's a losing streak. Can never be 0. Only set after first bet.|
|__currentroll__|double|Read Only|Show current roll information|

## Internal Functions

|Function|Purpose|
|---|---|
|__dobet()__|The loop of bets|
|__stop()__|Stop the bet|

## Sample Code
* Strategy: Basic Martingale
* Using Lua
```lua
chance = 49.5
multiplier = 2
basebet = 0.00000010
bethigh = false

function dobet()
    if profit >= 0.1 then
        stop()
    end
    
    if win then
        nextbet = basebet
    else
        nextbet = previousbet * multiplier
    end
end
```
* Using Javascript
```javascript
chance = 49.5;
multiplier = 2;
baseBet = 0.00000001;
betHigh = false;

function dobet() {
    if (win) {
        nextBet = basebet;
    } else {
        nextBet = previousbet * multiplier;
    }
}
```

# Report Issue
* [https://github.com/mydicebot/mydicebot.github.io/issues](https://github.com/mydicebot/mydicebot.github.io/issues)

# License
* GPL-3.0

# Thanks
* Special thanks to the open source project of [Seuntjies DiceBot](https://github.com/Seuntjie900/DiceBot). 
* If you need simulation functions or advanced-autobet functions, we recommand Seuntjies DiceBot.

# Quote
* "Gambling is gambling no matter what you do or how good your strategy is. The house always wins if you keep playing. Winners know when to stop."
* "Like any human, we make mistakes, and like any program, the bot is bound to have a few bugs. Use the bot at your own risk. "

# Disclaimer
* This is still gambling. The bot is not guaranteed to win. 
* Please do not gamble more than you can afford to lose. 
* The bot has a lot of settings, and we cannot test each and every combination. 
* The bot might behave unpredictable and unreliably with certain combinations of settings.
* Certain actions from the server might also result in unexpected behavior. 
* We cannot be held responsible for any losses incurred while using the bot.

# Legal
* It is your obligation to ensure compliance with any legislation relevant to your country of domicile regarding online gambling.

# Contact
* github: [https://github.com/mydicebot/mydicebot.github.io/issues](https://github.com/mydicebot/mydicebot.github.io/issues)
* steemit: [https://steemit.com/@mydicebot](https://steemit.com/@mydicebot)
* bitcointalk: [MyDiceBot - Cross-Platform | Multi-Script-Language | Multi-Site | Multi-Strategy](https://bitcointalk.org/index.php?topic=5057661)
* discord: [https://discord.gg/S6W5ec9](https://discord.gg/S6W5ec9)

# Donation
* DOGE: D9wMjdtGqsDZvjxWMjt66JLjE9E9nMAKb7
* steemit: [@mydicebot](https://steemit.com/@mydicebot)
👍  , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , ,
properties (23)
authormydicebot
permlinkmydicebot-v190610-with-kryptogamers-is-supported
categoryutopian-io
json_metadata{"tags":["utopian-io","blog","kryptogames","gambling","epicdice"],"image":["https://user-images.githubusercontent.com/39991582/59188205-a86ab000-8b66-11e9-9fa9-b6f78cfc5bae.png"],"links":["https://kryptogamers.com/?ref=mydicebot","https://simulator.mydicebot.com","https://github.com/mydicebot/mydicebot.github.io/releases","https://github.com/mydicebot/mydicebot.github.io","https://www.999dice.com/?224280708","https://www.bitsler.com/?ref=mydicebot","https://www.crypto-games.net?i=CpQP3V8Up2","https://primedice.com/?c=mydicebot","https://stake.com/?code=mydicebot","https://yolodice.com/r?6fAf-wVz","https://epicdice.io/?ref=mydicebot","https://steem-bet.com?ref=mydicebot","https://github.com/mydicebot/mydicebot.github.io/issues","https://github.com/Seuntjie900/DiceBot","https://steemit.com/@mydicebot","https://bitcointalk.org/index.php?topic=5057661","https://discord.gg/S6W5ec9"],"app":"steemit/0.1","format":"markdown"}
created2019-06-10 10:23:27
last_update2019-06-11 09:37:51
depth0
children9
last_payout2019-06-17 10:23:27
cashout_time1969-12-31 23:59:59
total_payout_value2.586 HBD
curator_payout_value0.772 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length22,384
author_reputation4,401,015,603,033
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,368,589
net_rshares5,664,555,760,162
author_curate_reward""
vote details (47)
@ctime ·
great update, for better visibility tag your post with #gambling
properties (22)
authorctime
permlinkpsw0f2
categoryutopian-io
json_metadata{"tags":["utopian-io","gambling"],"app":"steemit/0.1"}
created2019-06-10 14:33:03
last_update2019-06-10 14:33:03
depth1
children1
last_payout2019-06-17 14:33:03
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length64
author_reputation-7,006,220,103,046
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,378,956
net_rshares0
@mydicebot ·
@ctime
thanks a lot for your consistent support and suggestion.

updated tag.
properties (22)
authormydicebot
permlinkpsxhe4
categoryutopian-io
json_metadata{"tags":["utopian-io"],"users":["ctime"],"app":"steemit/0.1"}
created2019-06-11 09:37:18
last_update2019-06-11 09:37:18
depth2
children0
last_payout2019-06-18 09:37:18
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length77
author_reputation4,401,015,603,033
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,421,161
net_rshares0
@partiko ·
Thank you so much for participating in the Partiko Delegation Plan Round 1! We really appreciate your support! As part of the delegation benefits, we just gave you a 3.00% upvote! Together, let’s change the world!
properties (22)
authorpartiko
permlinkre-mydicebot-v190610-with-kryptogamers-is-supported-20190611t173031
categoryutopian-io
json_metadata"{"app": "partiko"}"
created2019-06-11 17:30:33
last_update2019-06-11 17:30:33
depth1
children0
last_payout2019-06-18 17:30:33
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length213
author_reputation39,207,160,334,751
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,444,959
net_rshares0
@steem-ua ·
#### Hi @mydicebot!

Your post was upvoted by @steem-ua, new Steem dApp, using UserAuthority for algorithmic post curation!
Your **UA** account score is currently 1.533 which ranks you at **#37138** across all Steem accounts.
Your rank has dropped 112 places in the last three days (old rank 37026).

In our last Algorithmic Curation Round, consisting of 163 contributions, your post is ranked at **#150**.
##### Evaluation of your UA score:

* Only a few people are following you, try to convince more people with good work.
* The readers like your work!
* Try to work on user engagement: the more people that interact with you via the comments, the higher your UA score!


**Feel free to join our [@steem-ua Discord server](https://discord.gg/KpBNYGz)**
properties (22)
authorsteem-ua
permlinkre-mydicebot-v190610-with-kryptogamers-is-supported-20190610t185422z
categoryutopian-io
json_metadata"{"app": "beem/0.20.19"}"
created2019-06-10 18:54:24
last_update2019-06-10 18:54:24
depth1
children0
last_payout2019-06-17 18:54:24
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length755
author_reputation23,214,230,978,060
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,392,111
net_rshares0
@steemitboard ·
Congratulations @mydicebot! You have completed the following achievement on the Steem blockchain and have been rewarded with new badge(s) :

<table><tr><td><img src="https://steemitimages.com/60x70/https://steemitboard.com/@mydicebot/posts.png?201906101303"></td><td>You published more than 80 posts. Your next target is to reach 90 posts.</td></tr>
</table>

<sub>_You can view [your badges on your Steem Board](https://steemitboard.com/@mydicebot) and compare to others on the [Steem Ranking](https://steemitboard.com/ranking/index.php?name=mydicebot)_</sub>
<sub>_If you no longer want to receive notifications, reply to this comment with the word_ `STOP`</sub>


To support your work, I also upvoted your post!


###### [Vote for @Steemitboard as a witness](https://v2.steemconnect.com/sign/account-witness-vote?witness=steemitboard&approve=1) to get one more award and increased upvotes!
properties (22)
authorsteemitboard
permlinksteemitboard-notify-mydicebot-20190610t160235000z
categoryutopian-io
json_metadata{"image":["https://steemitboard.com/img/notify.png"]}
created2019-06-10 16:02:36
last_update2019-06-10 16:02:36
depth1
children0
last_payout2019-06-17 16:02:36
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length892
author_reputation38,975,615,169,260
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,384,027
net_rshares0
@tykee ·
$10.82
Thank you for the contribution. 

However, the post had the same issues as the last one you published.  I appreciate you for always tagging Utopian in your updates. However, I would appreciate if you could make your future posts more descriptive, clear, and informative. 

Thanks!

Your contribution has been evaluated according to [Utopian policies and guidelines](https://join.utopian.io/guidelines), as well as a predefined set of questions pertaining to the category.

To view those questions and the relevant answers related to your post, [click here](https://review.utopian.io/result/1/4-3-4-2-3-1-2-).

---- 
Need help? Chat with us on [Discord](https://discord.gg/uTyJkNm).

[[utopian-moderator]](https://join.utopian.io/)
👍  , , , , , , , , , , , , , , , , , , , , , , ,
properties (23)
authortykee
permlinkpsydcf
categoryutopian-io
json_metadata{"tags":["utopian-io"],"links":["https://join.utopian.io/guidelines","https://review.utopian.io/result/1/4-3-4-2-3-1-2-","https://discord.gg/uTyJkNm","https://join.utopian.io/"],"app":"steemit/0.1"}
created2019-06-11 21:07:30
last_update2019-06-11 21:07:30
depth1
children2
last_payout2019-06-18 21:07:30
cashout_time1969-12-31 23:59:59
total_payout_value8.222 HBD
curator_payout_value2.594 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length730
author_reputation233,202,435,251,808
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,455,968
net_rshares18,228,409,490,602
author_curate_reward""
vote details (24)
@mydicebot ·
thanks for reviewing and suggestion.
properties (22)
authormydicebot
permlinkpszkk5
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2019-06-12 12:40:54
last_update2019-06-12 12:40:54
depth2
children0
last_payout2019-06-19 12:40:54
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length36
author_reputation4,401,015,603,033
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,497,188
net_rshares0
@utopian-io ·
Thank you for your review, @tykee! Keep up the good work!
properties (22)
authorutopian-io
permlinkre-psydcf-20190614t025526z
categoryutopian-io
json_metadata"{"app": "beem/0.20.17"}"
created2019-06-14 02:55:27
last_update2019-06-14 02:55:27
depth2
children0
last_payout2019-06-21 02:55:27
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length57
author_reputation152,955,367,999,756
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,593,914
net_rshares0
@utopian-io ·
Hey, @mydicebot!

**Thanks for contributing on Utopian**.
We’re already looking forward to your next contribution!

**Get higher incentives and support Utopian.io!**
 Simply set @utopian.pay as a 5% (or higher) payout beneficiary on your contribution post (via [SteemPlus](https://chrome.google.com/webstore/detail/steemplus/mjbkjgcplmaneajhcbegoffkedeankaj?hl=en) or [Steeditor](https://steeditor.app)).

**Want to chat? Join us on Discord https://discord.gg/h52nFrV.**

<a href='https://steemconnect.com/sign/account-witness-vote?witness=utopian-io&approve=1'>Vote for Utopian Witness!</a>
properties (22)
authorutopian-io
permlinkre-mydicebot-v190610-with-kryptogamers-is-supported-20190612t041532z
categoryutopian-io
json_metadata"{"app": "beem/0.20.17"}"
created2019-06-12 04:15:36
last_update2019-06-12 04:15:36
depth1
children0
last_payout2019-06-19 04:15:36
cashout_time1969-12-31 23:59:59
total_payout_value0.000 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length591
author_reputation152,955,367,999,756
root_title"MyDiceBot - v190610 with KryptoGamers is supported"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id86,474,904
net_rshares0