<center></center> This part took a little longer because it was actually time-consuming (also I took a little break). The process is getting harder so it might take a few days longer than expected for the coming parts but I will do my best. In the previous parts, we made a simple front-end with login functionality and initialized our API and back-end application with streaming. ([Part1](https://hive.blog/hive-139531/@mahdiyari/making-a-decentralized-game-on-hive-tic-tac-toe-part-1) and [Part2](https://hive.blog/hive-139531/@mahdiyari/making-a-decentralized-game-on-hive-part-2)) ## MySQL Setup You can use apps like [AMPPS](https://www.ampps.com/) which comes with MySQL and other tools like PHPMyAdmin (one of the best MySQL management apps) or install MySQL directly. I have AMMPS on windows and use MySQL docker on Linux. MySQL docker installation: ``` docker pull mysql/mysql-server:latest ``` I create a folder `/root/mysql-docker1` and put the MySQL config file there `my.cnf` and another folder `data` for holding the database files. Running on port `127.0.0.1:3306`: ``` docker run --name=mysql1 \ --mount type=bind,src=/root/mysql-docker1/my.cnf,dst=/etc/my.cnf \ --mount type=bind,src=/root/mysql-docker1/data,dst=/var/lib/mysql \ -p 127.0.0.1:3306:3306 -d mysql/mysql-server:latest ``` There are different ways to tune your MySQL server based on your hardware which I'm not going to talk about. The following config is for medium-range hardware (32GB ram). `my.cnf`: ``` [mysqld] skip_name_resolve user=mysql default_authentication_plugin = mysql_native_password symbolic-links=0 character_set_server=utf8mb4 collation_server=utf8mb4_general_ci innodb_max_dirty_pages_pct = 90 innodb_max_dirty_pages_pct_lwm = 10 innodb_flush_neighbors = 0 innodb_undo_log_truncate=off max_connect_errors = 1000000 # InnoDB Settings innodb_file_per_table innodb_log_files_in_group = 2 innodb_open_files = 4000 default_storage_engine = InnoDB innodb_buffer_pool_instances = 8 # Use 1 instance per 1GB of InnoDB pool size innodb_buffer_pool_size = 16G # Use up to 70-80% of RAM innodb_flush_method = O_DIRECT_NO_FSYNC innodb_log_buffer_size = 64M innodb_log_file_size = 10G innodb_stats_on_metadata = 0 # tune innodb_doublewrite= 1 innodb_thread_concurrency = 0 innodb_flush_log_at_trx_commit = 0 innodb_lru_scan_depth = 2048 innodb_page_cleaners = 4 join_buffer_size = 256K sort_buffer_size = 256K innodb_use_native_aio = 1 innodb_stats_persistent = 1 innodb_adaptive_flushing = 1 innodb_read_io_threads = 16 innodb_write_io_threads = 16 innodb_io_capacity = 1500 innodb_io_capacity_max = 2500 innodb_purge_threads = 4 innodb_adaptive_hash_index = 0 max_prepared_stmt_count = 1000000 innodb_monitor_enable = '%' performance_schema = ON key_buffer_size = 512M # Connection Settings max_connections = 2000 # UPD back_log = 3000 interactive_timeout = 180 wait_timeout = 10 table_open_cache = 200000 # UPD table_open_cache_instances = 64 open_files_limit = 100000 # UPD ``` Note: restart MySQL server after updating the`my.cnf` file. MySQL password on AMMPS is `mysql` and on docker setup, I think you get the password from `docker logs mysql1`. Anyway, there are many documentations about MySQL already on the internet. Create a database `tictactoe`. It's easier with tools like PHPMyAdmin if you are using AMPPS. Or try HeidiSQL. Here is the SQL command for creating the database: ``` CREATE DATABASE `tictactoe`; ``` *** ## Development Let's create a config file for holding MySQL login information for our app. I will put this file as `config.example.js` in repository and you have to rename it manually. `config.js`: ``` const config = { dbName: 'tictactoe', dbUser: 'root', dbPassword: 'password', dbHost: '127.0.0.1', dbPort: 3306 } module.exports = config ``` *** I have a personal code for MySQL connection pooling. It simply makes a custom async function just like the original connect function of [mysqljs](https://github.com/mysqljs/mysql) library but for pooling connections. `helpers/mysql.js`: ``` const mysql = require('mysql') const config = require('../config') const pool = mysql.createPool({ connectionLimit: 5, host: config.dbHost, port: config.dbPort, user: config.dbUser, password: config.dbPassword, database: config.dbName, charset: 'utf8mb4' }) // Rewriting MySQL query method as a promise const con = {} con.query = async (query, val) => { if (val) { const qu = await new Promise((resolve, reject) => { pool.query(query, val, (error, results) => { if (error) reject(new Error(error)) resolve(results) }) }) return qu } else { const qu = await new Promise((resolve, reject) => { pool.query(query, (error, results) => { if (error) reject(new Error(error)) resolve(results) }) }) return qu } } module.exports = con ``` It creates a pool of 5 connections which is more than enough for our game. And of course: ``` npm install mysql ``` *** #### Initializing database We make a function to create necessary tables if they don't exist already. `helpers/initDatabase.js`: ``` const mysql = require('./mysql') /** * id, game_id, player1, player2, starting_player, status, winner */ const tableGames = 'CREATE TABLE IF NOT EXISTS `tictactoe`.`games` ( `id` INT NOT NULL AUTO_INCREMENT , ' + '`game_id` TINYTEXT NOT NULL , ' + '`player1` TINYTEXT NOT NULL , `player2` TINYTEXT NULL DEFAULT NULL , ' + '`starting_player` TINYTEXT NOT NULL , `status` TINYTEXT NULL , ' + '`winner` TINYTEXT NULL DEFAULT NULL , PRIMARY KEY (`id`)) ' + 'ENGINE = InnoDB CHARSET=utf8mb4 COLLATE utf8mb4_general_ci;' /** * id, game_id, player, col, row */ const tableMoves = 'CREATE TABLE IF NOT EXISTS `tictactoe`.`moves` ( `id` INT NOT NULL AUTO_INCREMENT , ' + '`game_id` TINYTEXT NOT NULL , `player` TINYTEXT NOT NULL , ' + '`col` INT(1) NOT NULL , `row` INT(1) NOT NULL , ' + 'PRIMARY KEY (`id`)) ENGINE = InnoDB CHARSET=utf8mb4 COLLATE utf8mb4_general_ci;' const tableRquests = 'CREATE TABLE IF NOT EXISTS `tictactoe`.`requests` ( `id` INT NOT NULL AUTO_INCREMENT , ' + '`game_id` TINYTEXT NOT NULL , `player` TINYTEXT NOT NULL , `status` TINYTEXT NOT NULL , ' + 'PRIMARY KEY (`id`)) ENGINE = InnoDB CHARSET=utf8mb4 COLLATE utf8mb4_general_ci;' const initDatabase = async () => { await mysql.query(tableGames) await mysql.query(tableMoves) await mysql.query(tableRquests) } module.exports = initDatabase ``` #### Created tables `games` <center></center> `moves` <center></center> `requests` <center></center> *** #### Updating main application Now we can complete the game methods in `index.js`: `createGame` ``` const createGame = async (data, user) => { if (!data || !data.id || !data.starting_player) { return } // validating if ( data.id.length !== 20 || (data.starting_player !== 'first' && data.starting_player !== 'second') ) { return } // Check already existing games const duplicate = await mysql.query( 'SELECT `id` FROM `games` WHERE `game_id`= ?', [data.id] ) if (duplicate && Array.isArray(duplicate) && duplicate.length > 0) { return } // Add game to database await mysql.query( 'INSERT INTO `games`(`game_id`, `player1`, `starting_player`, `status`) VALUES (?, ?, ?, ?)', [data.id, user, data.starting_player, 'waiting'] ) } ``` *** `requestJoin` ``` const requestJoin = async (data, user) => { if (!data || !data.id || !data.id.length !== 20) { return } // Check game id in database const game = await mysql.query( 'SELECT `player1` FROM `games` WHERE `game_id`= ? AND `status`= ?', [data.id, 'waiting'] ) if (!game || !Array.isArray(game) || game.length < 1) { return } // Players can not play with themselves if (game[0].player1 === user) { return } // Check already open requests const requests = await mysql.query( 'SELECT `id` FROM `requests` WHERE `game_id`= ? AND (`player`= ? OR `status`= ?)', [data.id, user, 'accepted'] ) if (requests && Array.isArray(requests) && requests.length > 0) { return } // Request join game await mysql.query( 'INSERT INTO `requests`(`game_id`, `player`, `status`) VALUES (?, ?, ?)', [data.id, user, 'waiting'] ) } ``` *** `acceptRequest` ``` const acceptRequest = async (data, user) => { if (!data || !data.id || !data.player || !data.id.length !== 20) { return } // Validate game in database const game = await mysql.query( 'SELECT `player1` FROM `games` WHERE `game_id`= ? AND `status`= ?', [data.id, 'waiting'] ) if (!game || !Array.isArray(game) || game.length < 1) { return } const requests = await mysql.query( 'SELECT `id` FROM `requests` WHERE `game_id`= ? AND `player`= ? AND `status`= ?', [data.id, data.player, 'waiting'] ) if (!requests || !Array.isArray(requests) || requests.length < 1) { return } // Accept the join request and update game status await mysql.query( 'UPDATE `games` SET `player2`=?,`status`=? WHERE `game_id`=?', [data.player, 'running', data.id] ) await mysql.query( 'UPDATE `requests` SET `status`=? WHERE `game_id`=? AND `player`=?', ['accepted', data.id, data.player] ) } ``` *** Some updates to `processData`: ``` const processData = (jsonData, postingAuths) => { try { if (!jsonData) { return } const data = JSON.parse(jsonData) if (!data || !data.action || !data.app) { return } if ( !postingAuths || !Array.isArray(postingAuths) || postingAuths.length < 1 ) { return } const user = postingAuths[0] if (data.action === 'create_game') { createGame(data, user) } else if (data.action === 'request_join') { requestJoin(data, user) } else if (data.action === 'accept_request') { acceptRequest(data, user) } else if (data.action === 'play') { play(data, user) } } catch (e) { // error might be on JSON.parse and wrong json format return null } } ``` And streaming function: ``` try { stream.streamBlockOperations((ops) => { if (ops) { const op = ops[0] if (op && op[0] === 'custom_json' && op[1].id === 'tictactoe') { processData(op[1].json, op[1].required_posting_auths) } } }) } catch (e) { throw new Error(e) } ``` *** I think it's enough for this part. Let's finish before I sleep on the keyboard. We set up the MySQL server and made a script to create 3 tables. Our back-end is now processing data into the database and 3 main functions are working as expected. Creating a game, Requesting to join a game, and accepting the requests. We have to create the front-end for these functions in the next part. I think the hard part is going to be the `play` function which holds the game rules. Upvote if you like and leave a comment. Make sure to follow me and share the post. Thanks for reading. *** [GitLab](https://gitlab.com/mahdiyari/decentralized-game-on-hive) [Part1](https://hive.blog/hive-139531/@mahdiyari/making-a-decentralized-game-on-hive-tic-tac-toe-part-1) [Part2](https://hive.blog/hive-139531/@mahdiyari/making-a-decentralized-game-on-hive-part-2) [Next part >>](https://hive.blog/hive-169321/@mahdiyari/making-a-decentralized-game-on-hive-part-4) *** **Vote for my witness:** - https://wallet.hive.blog/~witnesses - https://peakd.com/witnesses - https://ecency.com/witnesses
author | mahdiyari |
---|---|
permlink | making-a-decentralized-game-on-hive-part-3 |
category | hive-139531 |
json_metadata | {"tags":["dev","development","game","decentralized","tutorial","technology"],"image":["https://images.hive.blog/DQmeBMvQ9RAne3j2qH1RrtDaWEyQ2bZo81ik3wsNXYGbp3E/coding-1853305_1280.jpg","https://images.hive.blog/DQmVCMyNZax6xd6kCc2VZijGjMa9Qbt8Myeev7jF8KmcqXe/image.png","https://images.hive.blog/DQmVwyDZg1N3KEteDgfA5NdMHeUkjpngHZEmizBXxhh3XPs/image.png","https://images.hive.blog/DQmQLxfwKEfWSQ614vWb6qfUNVMSyiFgnKEh5nSWcKYFQQv/image.png"],"links":["https://hive.blog/hive-139531/@mahdiyari/making-a-decentralized-game-on-hive-tic-tac-toe-part-1"],"app":"hiveblog/0.1","format":"markdown"} |
created | 2021-03-28 20:31:39 |
last_update | 2021-04-04 08:25:03 |
depth | 0 |
children | 4 |
last_payout | 2021-04-04 20:31:39 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 95.262 HBD |
curator_payout_value | 80.668 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 12,225 |
author_reputation | 199,858,009,060,549 |
root_title | "Making a Decentralized Game on Hive - Part 3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 102,665,392 |
net_rshares | 144,115,149,946,979 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
tombstone | 0 | 31,816,548,602 | 1.5% | ||
modeprator | 0 | 758,092,128 | 100% | ||
justtryme90 | 0 | 163,115,664,357 | 7.5% | ||
kaylinart | 0 | 11,131,877,881 | 7.5% | ||
gtg | 0 | 23,829,875,599,411 | 100% | ||
gerber | 0 | 119,442,128,013 | 8% | ||
daan | 0 | 62,928,593,385 | 8% | ||
ezzy | 0 | 94,396,172,031 | 8% | ||
matt-a | 0 | 1,349,443,276 | 7% | ||
bryanj4 | 0 | 2,557,257,862 | 100% | ||
cloh76 | 0 | 141,001,619,934 | 100% | ||
inertia | 0 | 2,310,327,836,314 | 100% | ||
arcange | 0 | 1,651,134,414,940 | 25% | ||
konti | 0 | 28,391,693,448 | 100% | ||
exyle | 0 | 85,703,163,573 | 8% | ||
sokoloffa | 0 | 555,391,782 | 7.5% | ||
raphaelle | 0 | 3,212,441,887 | 3% | ||
joshglen | 0 | 809,323,348 | 7.5% | ||
happyphoenix | 0 | 35,645,536,308 | 39% | ||
ace108 | 0 | 250,251,251,243 | 10% | ||
psygambler | 0 | 7,261,503,120 | 50% | ||
jphamer1 | 0 | 4,182,495,989,442 | 100% | ||
randomblock1 | 0 | 1,018,034,077 | 15% | ||
leduc1984 | 0 | 769,005,591 | 100% | ||
someguy123 | 0 | 162,758,648,884 | 8% | ||
wakeupnd | 0 | 21,660,768,340 | 10% | ||
petrvl | 0 | 16,719,216,940 | 2% | ||
ebargains | 0 | 543,564,368 | 2% | ||
aschatria | 0 | 526,372,073 | 7.5% | ||
freshfund | 0 | 19,028,749,360 | 100% | ||
lloyddavis | 0 | 129,902,322,361 | 100% | ||
planosdeunacasa | 0 | 716,313,030 | 8% | ||
syahhiran | 0 | 2,531,825,516 | 100% | ||
gamer00 | 0 | 8,084,009,798 | 0.75% | ||
techslut | 0 | 283,530,389,787 | 50% | ||
jaybird | 0 | 387,827,048,719 | 100% | ||
sward | 0 | 21,199,861,625 | 100% | ||
zorg67 | 0 | 565,905,629 | 100% | ||
walterjay | 0 | 22,901,658,427 | 4.37% | ||
blockchaincat | 0 | 2,209,889,000 | 100% | ||
santinhos | 0 | 1,739,412,710 | 100% | ||
barvon | 0 | 222,865,358 | 21% | ||
steemitboard | 0 | 12,165,340,179 | 3% | ||
ihsan19 | 0 | 1,073,058,596 | 100% | ||
privex | 0 | 16,258,786,231 | 16% | ||
radiv | 0 | 1,349,569,752 | 25% | ||
culturearise369 | 0 | 8,563,210,698 | 100% | ||
dapu | 0 | 808,597,671 | 100% | ||
elevator09 | 0 | 19,126,788,542 | 100% | ||
tibra | 0 | 710,304,374 | 15% | ||
pastzam | 0 | 165,873,158,896 | 28% | ||
thatsweeneyguy | 0 | 2,989,644,267 | 10% | ||
teachblogger | 0 | 2,102,601,429 | 50% | ||
dune69 | 0 | 1,209,077,798 | 7.2% | ||
underground | 0 | 12,541,634,007 | 100% | ||
andyjaypowell | 0 | 223,222,569,248 | 55% | ||
iansart | 0 | 15,056,861,774 | 8% | ||
bargolis | 0 | 780,708,763 | 5% | ||
jraysteem | 0 | 3,163,563,305 | 50% | ||
rycharde | 0 | 519,874,671 | 10% | ||
coquiunlimited | 0 | 1,109,344,711 | 10% | ||
bitcoinflood | 0 | 197,722,595,237 | 11% | ||
belahejna | 0 | 2,833,293,335 | 2% | ||
brumest | 0 | 124,342,094,973 | 30% | ||
giuatt07 | 0 | 1,085,790,299,638 | 100% | ||
zerotoone | 0 | 3,066,128,594 | 7.5% | ||
slefesteem | 0 | 828,212,384 | 50% | ||
kisom1 | 0 | 2,066,814,842 | 100% | ||
bearone | 0 | 10,173,214,235 | 4% | ||
alphacore | 0 | 30,995,698,488 | 6.41% | ||
enjar | 0 | 475,547,669,895 | 100% | ||
mahdiyari | 0 | 972,247,904,095 | 100% | ||
bellatravelph | 0 | 1,527,804,148 | 20% | ||
gingerninja | 0 | 1,870,644,944 | 10% | ||
pibara | 0 | 321,944,046,084 | 100% | ||
spectrumecons | 0 | 1,754,735,391,002 | 35% | ||
guchtere | 0 | 1,775,319,889 | 10% | ||
sirjaxxy | 0 | 1,089,950,446 | 100% | ||
monkeypattycake | 0 | 885,843,846 | 2.5% | ||
duckmast3r | 0 | 2,439,412,761 | 5% | ||
joeyarnoldvn | 0 | 521,156,988 | 1.98% | ||
jamiz | 0 | 1,482,341,979 | 50% | ||
heyitshaas | 0 | 7,557,567,960 | 100% | ||
wdougwatson | 0 | 13,672,894,815 | 50% | ||
thegreens | 0 | 1,748,832,550 | 2% | ||
makrotheblack | 0 | 8,666,538,538 | 100% | ||
toofasteddie | 0 | 147,728,435,908 | 31% | ||
khoon | 0 | 46,563,735,890 | 100% | ||
otom | 0 | 5,492,857,169 | 25% | ||
gambit.coin | 0 | 827,163,906 | 100% | ||
wandergirl | 0 | 948,140,584 | 2.5% | ||
gooze | 0 | 19,173,896,963 | 100% | ||
gurujames | 0 | 622,571,611 | 100% | ||
luciancovaci | 0 | 1,958,487,591 | 49% | ||
shitsignals | 0 | 3,817,431,802 | 8% | ||
themarkymark | 0 | 2,958,654,307,915 | 10% | ||
madstacks | 0 | 1,519,946,536 | 7.5% | ||
bucipuci | 0 | 12,469,380,807 | 10% | ||
sanjeevm | 0 | 712,428,372,230 | 30% | ||
marian0 | 0 | 82,494,678,778 | 100% | ||
greatness96 | 0 | 527,541,572 | 50% | ||
macchiata | 0 | 5,023,598,271 | 10% | ||
dineroconopcion | 0 | 698,280,700 | 8% | ||
kharrazi | 0 | 11,713,400,961 | 100% | ||
francosteemvotes | 0 | 2,545,495,747 | 8.75% | ||
prapanth | 0 | 11,269,226,436 | 70% | ||
azirgraff | 0 | 42,490,947,135 | 60% | ||
zonabitcoin | 0 | 720,538,747 | 8% | ||
jeanlucsr | 0 | 1,312,471,607 | 0.8% | ||
leyla5 | 0 | 2,934,750,653 | 100% | ||
abieikram | 0 | 2,399,194,966 | 100% | ||
sevillaespino | 0 | 29,609,473,319 | 8% | ||
tesaganewton | 0 | 40,489,522,770 | 100% | ||
redrica | 0 | 11,730,327,267 | 11% | ||
horpey | 0 | 76,762,245,154 | 100% | ||
duekie | 0 | 41,045,430 | 100% | ||
jenesa | 0 | 2,524,288,715 | 50% | ||
shanibeer | 0 | 276,718,422,846 | 25% | ||
appleskie | 0 | 602,664,062 | 2.5% | ||
sunisa | 0 | 24,674,174,950 | 60% | ||
jonyoudyer | 0 | 4,197,466,250 | 10% | ||
theleapingkoala | 0 | 7,660,759,373 | 50% | ||
ilyasismail | 0 | 2,214,280,344 | 100% | ||
a-alice | 0 | 1,901,233,720 | 7.5% | ||
raghib | 0 | 1,577,389,209 | 100% | ||
recan | 0 | 682,542,477 | 50% | ||
felander | 0 | 38,933,189,481 | 8% | ||
pjmisa | 0 | 855,946,976 | 50% | ||
santigs | 0 | 35,375,629,365 | 97% | ||
ekkah | 0 | 877,658,368 | 100% | ||
bahagia-arbi | 0 | 17,300,895,301 | 100% | ||
agentzero | 0 | 1,404,978,205 | 50% | ||
accelerator | 0 | 79,422,248,977 | 5% | ||
buildawhale | 0 | 7,168,711,870,840 | 10% | ||
markjason | 0 | 2,544,148,920 | 12.5% | ||
aidefr | 0 | 1,720,906,261 | 6.56% | ||
yogacoach | 0 | 7,479,242,307 | 8% | ||
therealwolf | 0 | 820,173,802,356 | 5% | ||
roleerob | 0 | 15,890,407,560 | 5% | ||
murat81 | 0 | 4,834,489,576 | 100% | ||
walidchabir | 0 | 1,557,184,689 | 100% | ||
jiminykricket | 0 | 18,941,259,422 | 100% | ||
majes.tytyty | 0 | 47,969,140,892 | 10% | ||
cuthamza | 0 | 1,932,008,295 | 100% | ||
suheri | 0 | 636,072,566 | 7.5% | ||
thedarkhorse | 0 | 965,587,954 | 1% | ||
afrikablr | 0 | 4,541,245,600 | 15% | ||
silberpapst | 0 | 1,080,236,861 | 50% | ||
makerhacks | 0 | 30,894,161,953 | 10% | ||
gringo211985 | 0 | 4,088,267,768 | 100% | ||
blockgators | 0 | 52,633,672,787 | 100% | ||
investegg | 0 | 320,892,739,594 | 7.3% | ||
vegoutt-travel | 0 | 24,269,990,064 | 35% | ||
macmaniac77 | 0 | 23,342,027,895 | 100% | ||
liverpool-fan | 0 | 998,879,683 | 25% | ||
afterglow | 0 | 533,628,513 | 2.5% | ||
reyarobo | 0 | 1,849,923,096 | 50% | ||
princeso | 0 | 4,379,545,571 | 50% | ||
steemph.cebu | 0 | 15,271,165,449 | 100% | ||
arabisouri | 0 | 101,516,030,879 | 100% | ||
noble-noah | 0 | 17,646,015,798 | 100% | ||
caladan | 0 | 883,163,434 | 7.2% | ||
achmadyani | 0 | 2,173,531,707 | 100% | ||
mrsyria | 0 | 1,179,536,284 | 100% | ||
lays | 0 | 3,848,357,075 | 100% | ||
war-tp | 0 | 782,377,595 | 100% | ||
legendarryll | 0 | 1,630,387,875 | 50% | ||
anutta | 0 | 2,050,962,138 | 50% | ||
emrebeyler | 0 | 159,259,793,117 | 8% | ||
steveconnor | 0 | 60,074,745,383 | 50% | ||
sankysanket18 | 0 | 198,349,720,936 | 100% | ||
dizzyapple | 0 | 3,205,161,572 | 50% | ||
paulmoon410 | 0 | 560,977,991 | 4% | ||
jhiecortez | 0 | 559,571,718 | 100% | ||
maverickinvictus | 0 | 1,103,330,833 | 2.5% | ||
smartsteem | 0 | 730,925,367,528 | 5% | ||
xsasj | 0 | 2,146,765,841 | 8% | ||
danile666 | 0 | 14,078,585,835 | 14.25% | ||
thegaillery | 0 | 1,103,840,931 | 10% | ||
junebride | 0 | 1,121,288,201 | 2.5% | ||
janicemars | 0 | 864,597,328 | 50% | ||
hendersonp | 0 | 3,706,849,866 | 8% | ||
steeminer4up | 0 | 1,235,872,437 | 100% | ||
mhm-philippines | 0 | 1,038,979,264 | 50% | ||
tpkidkai | 0 | 785,193,857 | 2.5% | ||
xanderslee | 0 | 6,467,624,230 | 100% | ||
nathen007 | 0 | 75,949,414,569 | 100% | ||
fjcalduch | 0 | 15,552,436,707 | 8% | ||
robotics101 | 0 | 2,098,447,356 | 8.75% | ||
afril | 0 | 4,792,283,188 | 50% | ||
lpv | 0 | 529,771,064 | 1.64% | ||
breelikeatree | 0 | 4,753,546,372 | 100% | ||
williams-owb | 0 | 1,134,986,006 | 10% | ||
willsaldeno | 0 | 35,599,709,163 | 100% | ||
as31 | 0 | 1,433,832,123 | 3.28% | ||
baroen96 | 0 | 7,047,431,444 | 100% | ||
crescendoofpeace | 0 | 7,159,701,476 | 10% | ||
upmyvote | 0 | 6,887,067,397 | 10% | ||
kirazay | 0 | 135,525,028 | 100% | ||
pizzanniza | 0 | 889,896,972 | 50% | ||
eaglespirit | 0 | 9,384,409,616 | 5% | ||
rezawijaya | 0 | 522,223,753 | 100% | ||
happydaddyfr | 0 | 1,406,009,510 | 6.56% | ||
cyyy1998 | 0 | 697,929,207 | 50% | ||
dudeontheweb | 0 | 30,183,587,380 | 100% | ||
shoganaii | 0 | 1,001,491,079 | 50% | ||
not-a-gamer | 0 | 1,372,349,974 | 100% | ||
hijosdelhombre | 0 | 91,047,296,158 | 100% | ||
irisworld | 0 | 2,212,994,016 | 100% | ||
emjoe | 0 | 12,069,709,391 | 100% | ||
dynamicgreentk | 0 | 1,412,959,476 | 15% | ||
bengy | 0 | 6,532,306,117 | 5% | ||
nealmcspadden | 0 | 9,109,831,919 | 8% | ||
christianyocte | 0 | 1,918,577,514 | 10% | ||
admiralsp | 0 | 1,057,800,613 | 100% | ||
hhaskana | 0 | 1,769,750,223 | 100% | ||
socialmediaseo | 0 | 1,067,317,155 | 50% | ||
baycan | 0 | 4,174,115,644 | 50% | ||
piotrgrafik | 0 | 52,439,778,861 | 7.92% | ||
brusd | 0 | 547,427,007 | 50% | ||
mrxplicit | 0 | 1,445,367,120 | 100% | ||
riovanes | 0 | 33,285,912,696 | 100% | ||
honeyletsgo | 0 | 571,086,382 | 50% | ||
georgie84 | 0 | 722,706,520 | 50% | ||
mirnasahara | 0 | 518,472,781 | 100% | ||
seikatsumkt | 0 | 4,118,554,978 | 75% | ||
davids-tales | 0 | 1,062,515,898 | 50% | ||
thehoneys | 0 | 1,022,014,300 | 3.75% | ||
cheesom | 0 | 907,334,670 | 50% | ||
tobias-g | 0 | 563,368,477 | 7.5% | ||
investyourvote | 0 | 3,565,807,004 | 6% | ||
corndog54 | 0 | 16,222,682,918 | 100% | ||
yadah04 | 0 | 1,014,986,836 | 7.5% | ||
kamalkhann | 0 | 1,289,879,063 | 50% | ||
leguidecrypto | 0 | 541,301,976 | 5% | ||
ian19 | 0 | 1,056,292,426 | 100% | ||
pelephotography | 0 | 782,955,614 | 100% | ||
unconditionalove | 0 | 648,192,351 | 4% | ||
natha93 | 0 | 39,257,405,494 | 100% | ||
geeyang15 | 0 | 520,561,267 | 50% | ||
gvincentjosephm | 0 | 3,451,852,093 | 100% | ||
princefm | 0 | 2,442,514,226 | 100% | ||
beverages | 0 | 204,949,084,998 | 95% | ||
foodtaster | 0 | 2,230,606,618 | 100% | ||
gakimov | 0 | 622,653,455 | 100% | ||
mgzayyar | 0 | 42,262,146,010 | 100% | ||
pkocjan | 0 | 3,941,545,069 | 6.4% | ||
chungsu1 | 0 | 17,725,886,298 | 100% | ||
marekwojciakcom | 0 | 5,127,685,879 | 10% | ||
gohenry | 0 | 1,460,148,661 | 1.25% | ||
starzy | 0 | 2,527,594,397 | 50% | ||
asgarth | 0 | 2,175,083,031,909 | 100% | ||
lightflares | 0 | 4,185,205,395 | 95% | ||
movement19 | 0 | 6,335,716,009 | 2.5% | ||
akpos | 0 | 19,175,342,454 | 100% | ||
ladysalsa | 0 | 1,481,151,515 | 8% | ||
forester-joe | 0 | 3,723,986,804 | 7% | ||
futurecurrency | 0 | 36,068,790,245 | 60% | ||
g4fun | 0 | 10,659,703,062 | 25% | ||
vicesrus | 0 | 155,669,026,011 | 95% | ||
tamala | 0 | 614,715,594 | 3% | ||
sawi | 0 | 1,470,598,484 | 50% | ||
sitiaishah | 0 | 5,957,007,367 | 100% | ||
polashsen | 0 | 645,317,567 | 100% | ||
kim24 | 0 | 518,474,598 | 100% | ||
olgadmitriewna | 0 | 1,791,515,135 | 100% | ||
frassman | 0 | 8,593,334,965 | 50% | ||
reazuliqbal | 0 | 33,630,829,619 | 8% | ||
henlicps | 0 | 675,922,847 | 8% | ||
throwbackthurs | 0 | 12,613,745,250 | 95% | ||
miroslavrc | 0 | 9,416,673,338 | 10% | ||
simplymike | 0 | 6,407,672,391 | 5.6% | ||
yusrizakaria | 0 | 5,271,690,345 | 90% | ||
evlachsblog | 0 | 1,267,531,962 | 5% | ||
patlu | 0 | 820,010,355 | 20% | ||
shaheerbari | 0 | 1,919,807,972 | 10% | ||
scottshots | 0 | 2,723,042,491 | 5% | ||
themarshann | 0 | 884,439,974 | 50% | ||
ai1love | 0 | 617,655,795 | 50% | ||
a0i | 0 | 2,314,157,648,457 | 100% | ||
bdlatif | 0 | 2,643,508,803 | 50% | ||
bestboom | 0 | 2,019,421,019 | 8% | ||
oomcie85 | 0 | 6,593,562,915 | 100% | ||
paulo380 | 0 | 638,073,167 | 20% | ||
masjenk | 0 | 2,146,332,155 | 100% | ||
manniman | 0 | 78,805,102,703 | 11% | ||
jackobeat | 0 | 747,574,587 | 50% | ||
sirmiraculous | 0 | 632,366,160 | 100% | ||
virgo27 | 0 | 2,215,572,752 | 100% | ||
jan23com | 0 | 6,572,096,473 | 90% | ||
franciscopr | 0 | 1,509,699,851 | 100% | ||
obsesija | 0 | 4,117,412,393 | 10% | ||
juanmanuellopez1 | 0 | 1,640,172,580 | 8% | ||
freddio | 0 | 23,620,499,416 | 8% | ||
abdulmath | 0 | 13,221,866,948 | 100% | ||
ycgg | 0 | 2,137,112,020 | 100% | ||
tonimontana | 0 | 7,279,185,959 | 100% | ||
lynbabe10 | 0 | 622,142,122 | 100% | ||
sustainablelivin | 0 | 884,384,564 | 7.5% | ||
choco11oreo11 | 0 | 3,627,302,047 | 90% | ||
imcore | 0 | 1,020,777,047 | 10% | ||
aljunecastro | 0 | 522,066,495 | 50% | ||
kgakakillerg | 0 | 35,098,082,973 | 10% | ||
houstonrockets | 0 | 1,514,529,934 | 100% | ||
meanbees | 0 | 123,775,084,694 | 50% | ||
irwandarasyid | 0 | 3,318,007,924 | 99% | ||
msearles | 0 | 2,299,379,844 | 15% | ||
a1-shroom-spores | 0 | 624,803,875 | 7.5% | ||
steemph.uae | 0 | 557,559,782 | 5% | ||
youraverageguy | 0 | 1,084,936,787 | 100% | ||
romeskie | 0 | 144,123,203,244 | 25% | ||
jancharlest | 0 | 1,061,541,928 | 20% | ||
celinavisaez | 0 | 4,939,207,223 | 18% | ||
kont82 | 0 | 912,046,144 | 100% | ||
ikarus56 | 0 | 1,608,456,839 | 8% | ||
steem.services | 0 | 10,004,873,313 | 2% | ||
justasperm | 0 | 3,211,464,073 | 100% | ||
kriptoqraf | 0 | 1,644,631,764 | 100% | ||
davidesimoncini | 0 | 2,534,401,162 | 25% | ||
khiabels | 0 | 1,092,726,774 | 10% | ||
steem-tube | 0 | 505,054,361,939 | 100% | ||
jason04 | 0 | 7,831,818,304 | 50% | ||
joanpablo | 0 | 601,004,886 | 100% | ||
fernandosoder | 0 | 23,451,484,076 | 100% | ||
cloudhyip | 0 | 1,101,871,613 | 50% | ||
nasel | 0 | 5,828,999,990 | 100% | ||
cambridgeport90 | 0 | 11,986,703,143 | 100% | ||
rustam-02 | 0 | 874,248,152 | 100% | ||
kyanzieuno | 0 | 519,536,081 | 50% | ||
ibook-ishare | 0 | 539,875,989 | 100% | ||
solarwarrior | 0 | 1,658,438,406,448 | 100% | ||
nfaith | 0 | 2,024,905,536 | 100% | ||
mdaminulislam | 0 | 32,360,276,522 | 100% | ||
dipoabasch | 0 | 4,129,130,443 | 100% | ||
disruptivas | 0 | 3,804,335,925 | 100% | ||
sgbonus | 0 | 2,668,271,364 | 1% | ||
bububoomt | 0 | 3,317,367,252 | 50% | ||
sunnya | 0 | 648,167,567 | 100% | ||
konradxxx3 | 0 | 9,483,857,325 | 100% | ||
ihal0001 | 0 | 1,030,492,497 | 50% | ||
swisswitness | 0 | 5,156,473,921 | 8% | ||
mayib | 0 | 1,588,281,872 | 100% | ||
mojacko | 0 | 520,765,884 | 50% | ||
bjornb | 0 | 2,231,888,396 | 100% | ||
gaottantacinque | 0 | 8,962,727,379 | 100% | ||
estourefugiado | 0 | 904,228,938 | 100% | ||
dynamicsteemians | 0 | 1,907,293,784 | 15% | ||
puregrace | 0 | 527,696,845 | 11.25% | ||
steemian258 | 0 | 5,472,071,762 | 50% | ||
gocular | 0 | 1,003,765,961 | 100% | ||
sarimanok | 0 | 652,256,466 | 2.5% | ||
angelica7 | 0 | 2,125,158,376 | 2.25% | ||
mrnightmare89 | 0 | 638,652,061 | 2.5% | ||
srl-zone | 0 | 1,720,172,236 | 100% | ||
ocdb | 0 | 71,921,169,562,156 | 20% | ||
steinz | 0 | 1,214,245,710 | 50% | ||
edundayo | 0 | 897,882,272 | 100% | ||
aljif7 | 0 | 97,038,499,557 | 100% | ||
laiyuehta | 0 | 5,971,309,275 | 100% | ||
thehive | 0 | 153,200,768,851 | 70% | ||
dalz | 0 | 26,398,248,511 | 4% | ||
ekafao | 0 | 1,900,685,702 | 100% | ||
holovision | 0 | 110,422,145,384 | 100% | ||
lebey1 | 0 | 6,158,159,292 | 50% | ||
honeycup-waters | 0 | 1,624,280,663 | 7.5% | ||
quatro | 0 | 612,766,939 | 10% | ||
littleshadow | 0 | 6,229,398,211 | 90% | ||
luppers | 0 | 2,990,445,934 | 4% | ||
dlike | 0 | 57,871,388,404 | 8% | ||
tommasobusiello | 0 | 22,597,740,861 | 100% | ||
abduljalil.mbo | 0 | 7,985,404,164 | 25% | ||
voxmortis | 0 | 878,188,896 | 0.5% | ||
spoke | 0 | 2,292,334,388 | 100% | ||
emaillisahere | 0 | 6,382,340,598 | 75% | ||
buzzbee | 0 | 1,078,164,944 | 50% | ||
engrave | 0 | 166,445,278,168 | 7.2% | ||
sunit | 0 | 1,576,869,912 | 50% | ||
pboulet | 0 | 8,487,478,651 | 8.75% | ||
fuzzythumb | 0 | 716,394,278 | 100% | ||
chike4545 | 0 | 949,524,484 | 100% | ||
yuki-nee | 0 | 23,701,325,256 | 100% | ||
marcocasario | 0 | 84,166,048,701 | 20% | ||
caoimhin | 0 | 870,834,244 | 100% | ||
bobby.madagascar | 0 | 2,411,946,226 | 8% | ||
numanbutt | 0 | 1,808,917,156 | 100% | ||
marshalmugi | 0 | 74,512,511,282 | 85% | ||
podg3 | 0 | 1,268,417,337 | 90% | ||
angoujkalis | 0 | 1,282,217,587 | 50% | ||
steemwhalepower | 0 | 959,118,959 | 100% | ||
the.success.club | 0 | 6,702,143,833 | 7.5% | ||
dappcast | 0 | 3,664,402,880 | 100% | ||
misstaken | 0 | 4,263,718,077 | 90% | ||
ldp | 0 | 982,180,173 | 8% | ||
berthold | 0 | 2,275,452,520 | 6% | ||
merlin7 | 0 | 19,902,749,748 | 8% | ||
ravenking13 | 0 | 1,243,724,159 | 3% | ||
brianoflondon | 0 | 911,918,024,983 | 100% | ||
bolsfit | 0 | 1,846,156,642 | 100% | ||
forecasteem | 0 | 11,202,884,068 | 100% | ||
followjohngalt | 0 | 25,771,691,369 | 7.2% | ||
barslanhan | 0 | 554,669,367 | 100% | ||
carbodexkim | 0 | 713,913,368 | 100% | ||
dashand | 0 | 0 | 0.25% | ||
jussbren | 0 | 1,385,701,001 | 90% | ||
nipek | 0 | 1,184,830,587 | 100% | ||
rajaumer837 | 0 | 618,653,440 | 100% | ||
fullalt | 0 | 76,843,355,466 | 100% | ||
mariyem | 0 | 707,200,596 | 100% | ||
variedades | 0 | 2,820,891,983 | 8% | ||
martinstomisin | 0 | 5,320,792,940 | 100% | ||
khan.dayyanz | 0 | 15,906,764,017 | 100% | ||
bluerobo | 0 | 67,194,879,372 | 100% | ||
kork75 | 0 | 4,222,178,381 | 100% | ||
jtm.support | 0 | 541,602,652 | 7.5% | ||
carrycarrie | 0 | 982,808,298 | 100% | ||
honeygirl | 0 | 697,289,012 | 100% | ||
permaculturedude | 0 | 3,220,603,232 | 8% | ||
ctime | 0 | 111,097,696,231 | 1% | ||
iccel35 | 0 | 849,220,759 | 100% | ||
hanke | 0 | 3,569,884,345 | 100% | ||
goodcontentbot | 0 | 806,941,354 | 15% | ||
owasola | 0 | 752,423,503 | 100% | ||
maskuncoro | 0 | 6,862,884,048 | 100% | ||
limka | 0 | 34,732,337 | 100% | ||
creepycreature | 0 | 2,161,625,872 | 100% | ||
haikusailor | 0 | 711,870,244 | 8% | ||
ava77 | 0 | 10,387,146,128 | 100% | ||
jadung | 0 | 582,288,886 | 10% | ||
kshahrck | 0 | 813,898,830 | 100% | ||
cryptological | 0 | 26,438,084,736 | 95% | ||
goodcontentbot1 | 0 | 1,288,293,844 | 90% | ||
apostle-thomas | 0 | 925,635,050 | 100% | ||
sophieandhenrik | 0 | 10,617,901,599 | 100% | ||
cindis | 0 | 555,052,669 | 100% | ||
filosof103 | 0 | 5,649,169,368 | 7.5% | ||
theinspiration | 0 | 542,751,377 | 100% | ||
linur | 0 | 712,557,923 | 100% | ||
mfblack | 0 | 3,830,642,604 | 7.6% | ||
epicdice | 0 | 1,537,443,666 | 1.5% | ||
bitcoingodmode | 0 | 666,590,191 | 75% | ||
zackarie | 0 | 1,102,068,117 | 50% | ||
maclevis | 0 | 5,208,738,649 | 100% | ||
herbncrypto | 0 | 11,893,810,442 | 100% | ||
helgalubevi | 0 | 1,231,220,179 | 5% | ||
trxjjbtc | 0 | 662,832,575 | 8% | ||
plebtv | 0 | 708,187,065 | 100% | ||
threejay | 0 | 2,253,676,817 | 4% | ||
abdulmatin69 | 0 | 519,279,947 | 50% | ||
fractalfrank | 0 | 144,965,131,711 | 95% | ||
oemplus | 0 | 946,889,430 | 50% | ||
yildiss | 0 | 2,112,348,057 | 100% | ||
xyz004 | 0 | 45,422,822,697 | 25% | ||
steemindian | 0 | 583,946,246 | 4% | ||
teamashen | 0 | 28,378,050,709 | 50% | ||
map10k | 0 | 476,005,029 | 25% | ||
shookt | 0 | 657,664,263 | 7.5% | ||
suigener1s | 0 | 533,762,287 | 100% | ||
psyo | 0 | 745,732,454 | 7.5% | ||
milu-the-dog | 0 | 3,782,728,340 | 8% | ||
yeswecan | 0 | 21,485,686,486 | 90% | ||
kgcoin | 0 | 1,258,798,042 | 100% | ||
drhoofman | 0 | 42,179,486,671 | 20% | ||
triplea.bot | 0 | 2,242,484,671 | 8% | ||
steem.leo | 0 | 76,662,022,585 | 8% | ||
fredkese.pal | 0 | 522,916,477 | 100% | ||
hyborian-strain | 0 | 2,427,637,888 | 30% | ||
partitura.stem | 0 | 300,264,164 | 100% | ||
babytarazkp | 0 | 2,956,466,115 | 40% | ||
elgranpoeta | 0 | 4,830,774,486 | 8% | ||
asteroids | 0 | 831,434,224 | 7.2% | ||
helengutier2 | 0 | 5,563,497,404 | 8% | ||
abh12345.stem | 0 | 2,854,686,425 | 100% | ||
rafalforeigner | 0 | 16,807,515,574 | 100% | ||
botante | 0 | 1,751,908,656 | 1% | ||
yorra | 0 | 939,713,842 | 100% | ||
joshuafootball | 0 | 783,890,919 | 50% | ||
hugo1954 | 0 | 4,323,166,526 | 100% | ||
acta | 0 | 13,202,269,997 | 100% | ||
the-table | 0 | 20,001,938,213 | 100% | ||
cardtrader | 0 | 525,996,136 | 100% | ||
maxuvd | 0 | 32,045,049,818 | 8% | ||
stem.alfa | 0 | 870,450,639 | 100% | ||
thehouse | 0 | 1,810,919,043 | 90% | ||
luvlylady | 0 | 724,655,969 | 100% | ||
ksheni | 0 | 17,480,246,995 | 100% | ||
andylein | 0 | 16,219,371,833 | 20% | ||
stemd | 0 | 316,863,732 | 100% | ||
leoneil | 0 | 715,861,855 | 2.5% | ||
monstervoter | 0 | 1,070,841,210 | 50% | ||
cineq24 | 0 | 1,310,695,862 | 100% | ||
silverquest | 0 | 126,362,709,112 | 90% | ||
bilpcoin.pay | 0 | 2,310,513,941 | 50% | ||
yggdrasil.laguna | 0 | 337,690,951 | 70% | ||
mowemu | 0 | 4,956,034,251 | 50% | ||
dbfoodbank | 0 | 4,852,347,985 | 100% | ||
gerbo | 0 | 50,974,622 | 8% | ||
honeychip | 0 | 18,667,710,937 | 85% | ||
artmusiclife | 0 | 620,557,366 | 100% | ||
vikas612 | 0 | 1,089,112,003 | 100% | ||
weddinggift | 0 | 4,652,655,080 | 100% | ||
gmlrecordz | 0 | 618,549,188 | 50% | ||
ribary | 0 | 2,704,519,089 | 4% | ||
sharkthelion | 0 | 151,258,542,048 | 25% | ||
onestop | 0 | 30,652,396,566 | 100% | ||
marviman | 0 | 760,005,916 | 11% | ||
mice-k | 0 | 33,322,959,575 | 8% | ||
davidlionfish | 0 | 10,652,721,015 | 100% | ||
jhoancp | 0 | 7,391,858,338 | 100% | ||
troll3838 | 0 | 818,266,498 | 8% | ||
curamax | 0 | 1,267,291,167 | 8% | ||
theisacoin | 0 | 2,701,114,783 | 5% | ||
hive-169321 | 0 | 3,602,360,634 | 100% | ||
groove-logic | 0 | 560,328,827 | 7.5% | ||
dpend.active | 0 | 1,558,922,544 | 1.6% | ||
shinoxl | 0 | 19,342,620,246 | 100% | ||
fengchao | 0 | 8,704,705,707 | 2% | ||
blue-witness | 0 | 17,655,000,173 | 100% | ||
laruche | 0 | 363,437,441,246 | 8.75% | ||
hornetsnest | 0 | 156,363,602,463 | 95% | ||
hiveph | 0 | 11,261,843,752 | 5% | ||
master-lamps | 0 | 13,365,647,629 | 100% | ||
softworld | 0 | 664,712,329,266 | 83% | ||
polish.hive | 0 | 107,958,756,325 | 8% | ||
captainhive | 0 | 643,452,585,324 | 35% | ||
quello | 0 | 720,989,562 | 7.5% | ||
monster-burner | 0 | 616,362,371 | 4% | ||
dcityrewards | 0 | 505,809,860,453 | 8% | ||
lhen18 | 0 | 0 | 0.25% | ||
photodashph | 0 | 0 | 0.25% | ||
patagonian-nomad | 0 | 1,530,161,899 | 100% | ||
alapok | 0 | 1,440,277,322 | 100% | ||
hivelist | 0 | 2,123,641,219 | 0.8% | ||
argenvista | 0 | 298,219,753 | 100% | ||
ninnu | 0 | 1,644,431,313 | 0.37% | ||
heystack | 0 | 1,613,549,098 | 100% | ||
localgrower | 0 | 8,456,902,757 | 10% | ||
belen0949 | 0 | 670,142,527 | 100% | ||
iamyohann | 0 | 9,092,668,367 | 25% | ||
kaseldz | 0 | 1,560,443,641 | 7.5% | ||
sportsfanboy | 0 | 8,544,864,080 | 100% | ||
poshbot | 0 | 6,015,904,771 | 10% | ||
jsalvage | 0 | 13,197,857,663 | 100% | ||
hivecur | 0 | 16,572,934,539 | 8% | ||
losapuntesdetux | 0 | 7,190,328,319 | 100% | ||
greengalletti | 0 | 9,090,549,068 | 100% | ||
ilovegames | 0 | 5,978,231,232 | 20% | ||
utopiaeducators | 0 | 1,399,463,067 | 100% | ||
ollasysartenes | 0 | 1,609,152,590 | 100% | ||
jearo101 | 0 | 1,822,629,248 | 50% | ||
koxmicart | 0 | 1,960,936,790 | 100% | ||
recoveryinc | 0 | 2,854,907,467 | 5% | ||
tinycurator | 0 | 6,175,290,402 | 8% | ||
angelga25 | 0 | 3,397,255,022 | 100% | ||
whoaretheyph | 0 | 4,717,583,267 | 10% | ||
rudy-dj | 0 | 8,673,337,089 | 100% | ||
discohedge | 0 | 1,248,622,386 | 4% | ||
usainvote | 0 | 2,944,111,116,499 | 20% | ||
jonalyn2020 | 0 | 2,970,934,387 | 12.5% | ||
leone.bianco | 0 | 41,954,403,401 | 80% | ||
borbolet | 0 | 8,287,044,864 | 30% | ||
senseiphil | 0 | 46,767,618,971 | 100% | ||
dorkpower | 0 | 2,702,565,724 | 100% | ||
barbyjr | 0 | 518,728,473 | 50% | ||
chucknun | 0 | 3,905,635,482 | 100% | ||
kattycrochet | 0 | 3,084,424,128 | 10% | ||
cryptoaeneas | 0 | 36,805,136,039 | 100% | ||
jff7777 | 0 | 869,079,823 | 100% | ||
brofund-stem | 0 | 2,773,453,672 | 100% | ||
rikarivka | 0 | 3,298,310,813 | 100% | ||
zelensky | 0 | 70,160,426,803 | 100% | ||
hivechat | 0 | 927,867,127 | 4% | ||
sillybilly | 0 | 104,380,811 | 100% | ||
meestemboom | 0 | 528,899,950 | 28% | ||
jmsansan.hive | 0 | 1,046,646,090 | 50% | ||
godfather.ftw | 0 | 4,402,858,656 | 100% | ||
emrebeyler.stem | 0 | 1,483,517,277 | 100% | ||
vonzeppelin | 0 | 3,483,779,701 | 100% | ||
scientician | 0 | 90,285,750 | 100% | ||
abuahmad | 0 | 1,087,560,958 | 100% | ||
arnol99 | 0 | 1,901,683,879 | 100% | ||
krishu.stem | 0 | 818,785,747 | 100% | ||
ballsy | 0 | 3,121,061,713 | 100% | ||
samrisso | 0 | 144,190,383,684 | 5% | ||
damla.stem | 0 | 209,422,738 | 100% | ||
shahab021 | 0 | 0 | 100% | ||
petrahaller | 0 | 6,443,488,531 | 100% | ||
thebeardflex | 0 | 14,596,987,928 | 20% | ||
datbeardguy | 0 | 1,261,722,958 | 10% | ||
zerga | 0 | 321,037,603 | 100% | ||
brofi | 0 | 161,762,274,628 | 3.94% | ||
dgoal | 0 | 28,520,028,121 | 100% | ||
quixoticflux | 0 | 617,274,727 | 100% | ||
cryptololo | 0 | 4,695,125,447 | 100% | ||
maxelitereturned | 0 | 520,883,125 | 50% | ||
juecoree.stem | 0 | 583,609,095 | 100% | ||
counterterrorism | 0 | 128,971,793,085 | 7.5% | ||
techoverlord | 0 | 686,033,399 | 100% | ||
jhorprz13 | 0 | 0 | 100% | ||
phuong.sitha | 0 | 200,674,297 | 20% |
https://twitter.com/MahdiYari4/status/1376273141530558476
author | poshbot |
---|---|
permlink | re-making-a-decentralized-game-on-hive-part-3-20210328t204108z |
category | hive-139531 |
json_metadata | "{"app": "beem/0.24.20"}" |
created | 2021-03-28 20:41:06 |
last_update | 2021-03-28 20:41:06 |
depth | 1 |
children | 0 |
last_payout | 2021-04-04 20:41:06 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.000 HBD |
curator_payout_value | 0.000 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 57 |
author_reputation | 5,554,335,374,496 |
root_title | "Making a Decentralized Game on Hive - Part 3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 102,665,565 |
net_rshares | 0 |
This looks very complicated to my non-programmer mind. So much code, so many things to keep track of. Good luck with getting the first playable version done, I hope to try it once it's ready :-)
author | quixoticflux |
---|---|
permlink | qqsm79 |
category | hive-139531 |
json_metadata | {"app":"hiveblog/0.1"} |
created | 2021-03-30 17:35:33 |
last_update | 2021-03-30 17:35:33 |
depth | 1 |
children | 0 |
last_payout | 2021-04-06 17:35:33 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.066 HBD |
curator_payout_value | 0.066 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 194 |
author_reputation | 25,571,749,785,491 |
root_title | "Making a Decentralized Game on Hive - Part 3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 102,704,976 |
net_rshares | 205,663,598,626 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
mahdiyari | 0 | 205,663,598,626 | 20% |
Is the custom_json object we considering as a nft and we have to mint it on the blockchain
author | socialite |
---|---|
permlink | ryv8ib |
category | hive-139531 |
json_metadata | {"app":"hiveblog/0.1"} |
created | 2023-08-04 12:11:03 |
last_update | 2023-08-04 12:11:03 |
depth | 1 |
children | 0 |
last_payout | 2023-08-11 12:11:03 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.000 HBD |
curator_payout_value | 0.000 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 90 |
author_reputation | 0 |
root_title | "Making a Decentralized Game on Hive - Part 3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 125,932,502 |
net_rshares | 0 |
!WINE
author | zelensky | ||||||||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|
permlink | qqpuib | ||||||||||||
category | hive-139531 | ||||||||||||
json_metadata | {"app":"hiveblog/0.1"} | ||||||||||||
created | 2021-03-29 05:42:09 | ||||||||||||
last_update | 2021-03-29 05:42:09 | ||||||||||||
depth | 1 | ||||||||||||
children | 0 | ||||||||||||
last_payout | 2021-04-05 05:42:09 | ||||||||||||
cashout_time | 1969-12-31 23:59:59 | ||||||||||||
total_payout_value | 0.012 HBD | ||||||||||||
curator_payout_value | 0.012 HBD | ||||||||||||
pending_payout_value | 0.000 HBD | ||||||||||||
promoted | 0.000 HBD | ||||||||||||
body_length | 5 | ||||||||||||
author_reputation | 486,864,775,001 | ||||||||||||
root_title | "Making a Decentralized Game on Hive - Part 3" | ||||||||||||
beneficiaries |
| ||||||||||||
max_accepted_payout | 1,000,000.000 HBD | ||||||||||||
percent_hbd | 10,000 | ||||||||||||
post_id | 102,672,555 | ||||||||||||
net_rshares | 37,554,429,677 | ||||||||||||
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
cryptoaeneas | 0 | 37,554,429,677 | 100% |