create account

Steemit Pending Curation Rewards by firedream

View this thread on: hive.blogpeakd.comecency.com
· @firedream · (edited)
$112.33
Steemit Pending Curation Rewards
## [Steemit Pending Curation Rewards](https://fdsteemtools.neocities.org/curation_flow.html)
### About [Pending Curation Rewards](https://fdsteemtools.neocities.org/curation_flow.html)
Steemit Pending Curation Rewards is a single web-page tool that shows the potential *curation rewards* earned based on your upvotes.

![image.png](https://cdn.utopian.io/posts/8deb03bb301fc3ba15a0ca6e59a0667d5d04image.png)

With all the upvotes that are given to posts, curation rewards are earned.
There were really good documents on calculation formula of curation rewards.
* @YabapMatt has a [tool and a really explaining post](https://steemit.com/utopian-io/@yabapmatt/curation-reward-estimation-tool) for a single post curation estimation.
This tool I used for verification of my calculations.
* @miniature-tiger has a [great post](https://steemit.com/curation/@miniature-tiger/an-illustrated-guide-to-curation-from-the-simple-to-the-complex-with-real-examples-from-past-posts-part-1) on visually explaining the curation reward system.
With the help of his tool, I had a deeper understanding and slightly differentiated @YabapMatt's formula to fit my code, giving exactly the same result.

### How to use Curation Flow?
* Go to web-page https://fdsteemtools.neocities.org/curation_flow.html
* Enter your name in the username section

![image.png](https://cdn.utopian.io/posts/28df2d3415942d513ed6a5432d88886da09fimage.png)

* Press "Calculate" button

![image.png](https://cdn.utopian.io/posts/b20888d4de8cfb4306638415cdfd706c8b46image.png)

* You will see your curation reward pay-outs and the dates in the divs.

### Code
Curation flow is using HTML and [steem.js](https://github.com/steemit/steem-js) API

* Calculate the feed-price, this is used to convert SBD payments to steem.
```
   // Get current feed price
    var feed;
    var the_voter;
    steem.api.getFeedHistory(function(err, result) {
      var feed_arr = result.current_median_history.base;
      feed = feed_arr.split(" ")[0];
    });
```
* Get all the posts the user has voted and eliminate the ones that are older than 7 days.
```
var aut = [];
      var perm = [];
      var post_date = [];

      // Get all the post data that user have upvoted
      steem.api.getAccountVotes(the_voter, function(err, result) {

        // Calculate the current time as UTC since post dates are in UTC
        var now = new Date();
        var nowUtc = new Date(now.getTime() + (now.getTimezoneOffset() * 60000));
        // Convert UTC date to timestamp
        var now_stamp = now.getTime();
        var nowUtc_stamp = nowUtc.getTime();
        // Put variable to check -7 days
        var limit = nowUtc_stamp - 24 * 60 * 60 * 1000 * 7

        for (let i = 0; i < result.length; i++) {
          // convert post date to timestamp
          var ptime = Date.parse(result[i].time);
          post_date.push(ptime);
          // Disregard if it is a downvote or if the post is older than exactly 7 days
          if ((result[i].rshares > 0) && (ptime >= limit)) {
            // form the arrays with information of suitable posts

            aut.push((result[i].authorperm).split("/")[0]);
            perm.push((result[i].authorperm).split("/")[1]);

          }
        }

        get_content(aut, perm, limit);
      });

    }
```
* Get the content of the posts that are upvoted
```
 // This function forms the content array according to the voted posts
    function get_content(aut, per, limit) {

      var result_array = [];

      var count = 0;
      for (let i = 0; i < aut.length; i++) {
        // get the content for each author and permlink
        steem.api.getContent(aut[i], per[i], function(err, result) {
          var p_date = result.created;
          var p_date_stamp = Date.parse(p_date);
          // check if the post or comment is new < 7 days
          if (p_date_stamp > limit) {
            // if fresh, fill the arrays

            result_array.push(result);
          }
          // check if the async function got all the results

          // if OK, send results for calculation
          count++;
          if (count > aut.length - 1) {
            calculate(result_array);
          }

        });

      }

    }
```
* Calculate the curation rewards
```
// function for calculation of curation rewards
    function calculate(result) {
      var votes = []
      var sbd_pay = [];
      var ratio;
      var before;
      var now;
      var p_date;
      var p_date_parsed;
      var v_date;
      var v_date_parsed;
      var penalty;
      var sbd_arr;
      var sbd;
      var tot_share;
      var temp;
      var vote = [];
      var netshares = [];
      var author = [];
      var permlink = [];
      var postdate = [];
      for (let i = 0; i < result.length; i++) {    
        before = 0;
        // get the active votes
		vote = result[i].active_votes;
        // sort the votes according to vote time
		vote.sort(compare);
        votes.push(vote);
        for (let j = 0; j < vote.length; j++) {
          tot_share = parseInt(result[i].net_rshares);
          now = before + parseInt(vote[j].rshares);
         // if the current total rshares is negative due to downvotes it must be equal to zero!
		  if (now < 0) {
            now = 0;
          }
		// make the calculation when user is the voter
          if (vote[j].voter == the_voter) {
           // formula of curation reward calculation
		    ratio = (Math.sqrt(now) - Math.sqrt(before)) / (Math.sqrt(tot_share));
            p_date = result[i].created;
            p_date_parsed = Date.parse(p_date);
            v_date = vote[j].time;
            v_date_parsed = Date.parse(v_date);
			// calculate the ratio if the post is voted before 30 minutes
            penalty = (v_date_parsed - p_date_parsed) / (30 * 60 * 1000);
            if (penalty >= 1) {
              penalty = 1;
            }			
			
            sbd_arr = result[i].pending_payout_value;
            sbd = sbd_arr.split(" ")[0];
           // if the post is a total downvote, no pay-out
		    if (parseInt(result[i].net_rshares) < 0) {
              sbd_pay.push(0);
            }
			// calculate the SP payment
            if (parseInt(result[i].net_rshares) >= 0) {
              sbd_pay.push((sbd * 0.25 * ratio * penalty) / feed);
            }
          }
          before = now;
         // no need for this, extra security!
		  if (before < 0) {
            before = 0;
          }
        }
       // form the arrays
	    netshares.push(parseInt(result[i].net_rshares));//this array is not used, just for check!
        author.push(result[i].author);
        var str = "https://steemit.com/@" + result[i].author + "/" + result[i].permlink;
        var lin = (result[i].permlink).substring(0, 70) + ".......";
        permlink.push(lin.link(str));
        postdate.push(result[i].cashout_time);
      }
     // send all to final function to be written in DIV
      final(permlink, sbd_pay, postdate);
    }
```
It is the sqrt formula that calculates the curation rewards
Ratio of reward

``` ratio = (Math.sqrt(now) - Math.sqrt(before)) / (Math.sqrt(tot_share));```

The penalty for voting before 30 mins

```penalty = (v_date_parsed - p_date_parsed) / (30 * 60 * 1000);```

The full code can be found [here](https://github.com/firedreamgames/steem_curation_flow/blob/master/curation_flow.html)


### Connect
@FireDream - Steemit

@firedream#3528 - Discord

### Links

Curation flow tool : https://fdsteemtools.neocities.org/curation_flow.html

GitHub: https://github.com/firedreamgames/steem_curation_flow

### Proof of work
![image.png](https://cdn.utopian.io/posts/37d314e7aacd06d0fa6d2cdf52a572b05192image.png)

    
👍  , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , , and 238 others
properties (23)
authorfiredream
permlinksteemit-curation-flow
categoryutopian-io
json_metadata"{"community":"utopian","app":"utopian/1.0.0","format":"markdown","repository":{"id":131712281,"name":"steem_curation_flow","full_name":"firedreamgames/steem_curation_flow","html_url":"https://github.com/firedreamgames/steem_curation_flow","fork":false,"owner":{"login":"firedreamgames"}},"pullRequests":[],"platform":"github","type":"development","tags":["utopian-io","steemit","curation","steem-js","firedreamblog"],"users":["YabapMatt","yabapmatt","miniature-tiger","FireDream","firedream"],"links":["https://fdsteemtools.neocities.org/curation_flow.html","https://cdn.utopian.io/posts/8deb03bb301fc3ba15a0ca6e59a0667d5d04image.png","https://steemit.com/utopian-io/@yabapmatt/curation-reward-estimation-tool","https://steemit.com/curation/@miniature-tiger/an-illustrated-guide-to-curation-from-the-simple-to-the-complex-with-real-examples-from-past-posts-part-1","https://cdn.utopian.io/posts/28df2d3415942d513ed6a5432d88886da09fimage.png","https://cdn.utopian.io/posts/b20888d4de8cfb4306638415cdfd706c8b46image.png","https://github.com/steemit/steem-js","https://github.com/firedreamgames/steem_curation_flow/blob/master/curation_flow.html","https://cdn.utopian.io/posts/37d314e7aacd06d0fa6d2cdf52a572b05192image.png"],"image":["https://cdn.utopian.io/posts/8deb03bb301fc3ba15a0ca6e59a0667d5d04image.png","https://cdn.utopian.io/posts/28df2d3415942d513ed6a5432d88886da09fimage.png","https://cdn.utopian.io/posts/b20888d4de8cfb4306638415cdfd706c8b46image.png","https://cdn.utopian.io/posts/37d314e7aacd06d0fa6d2cdf52a572b05192image.png"],"moderator":{"account":"codingdefined","time":"2018-05-03T11:12:10.184Z","pending":false,"reviewed":true,"flagged":false},"config":{"questions":[{"question":"How would you describe the formatting, language and overall presentation of the post?","question_id":"dev-1","answers":[{"answer":"The post is of very high quality.","answer_id":"dev-1-a-1","value":10},{"answer":"The post is of decent quality, but not spectacular in any way.","answer_id":"dev-1-a-2","value":7},{"answer":"The post is poorly written and/or formatted, but readable.","answer_id":"dev-1-a-3","value":3},{"answer":"The post is really hard to read and the content is barely understandable.","answer_id":"dev-1-a-4","value":0}]},{"question":"How would you rate the impact and significance of the contribution to the project and/or open source ecosystem in terms of uniqueness, usefulness and potential future applications?","question_id":"dev-2","answers":[{"answer":"This contribution adds high value and holds great significance for the project and/or open source ecosystem.","answer_id":"dev-2-a-1","value":35},{"answer":"This contribution adds significant value to the project and/or open source ecosystem. ","answer_id":"dev-2-a-2","value":23},{"answer":"This contribution adds some value to the project and/or open source ecosystem.","answer_id":"dev-2-a-3","value":12.5},{"answer":"This contribution hold no value and is insignificant in impact. ","answer_id":"dev-2-a-4","value":0}]},{"question":"How would you rate the total volume of work invested into this contribution?","question_id":"dev-3","answers":[{"answer":"This contribution appears to have demanded a lot of intensive work.","answer_id":"dev-3-a-1","value":20},{"answer":"This contribution appears to have required an average volume of work.","answer_id":"dev-3-a-2","value":14},{"answer":"This contribution shows some work done.","answer_id":"dev-3-a-3","value":6},{"answer":"This contribution shows no work done.","answer_id":"dev-3-a-4","value":0}]},{"question":"How would you rate the quality of the code submitted?","question_id":"dev-4","answers":[{"answer":"High - it follows all best practices. ","answer_id":"dev-4-a-1","value":20},{"answer":"Average - it follows most best practices.","answer_id":"dev-4-a-2","value":14},{"answer":"Low - it follows some best practices.","answer_id":"dev-4-a-3","value":6},{"answer":"Very low - it doesn't follow any best practices. ","answer_id":"dev-4-a-4","value":0}]},{"question":"How would you rate the knowledge and expertise necessary to fix the bug / implement the added feature(s)?","question_id":"dev-5","answers":[{"answer":"High - a lot of research and specific knowledge was required.","answer_id":"dev-5-a-1","value":7.5},{"answer":"Average - some research and knowledge was required.","answer_id":"dev-5-a-2","value":5.25},{"answer":"Low - not much knowledge or skill were required.","answer_id":"dev-5-a-3","value":2.25},{"answer":"Insignificant - no knowledge or skills were necessary.","answer_id":"dev-5-a-4","value":0}]},{"question":"How would you rate the accuracy and readability of the commit messages?","question_id":"dev-6","answers":[{"answer":"High - they are concise, descriptive and consistent. ","answer_id":"dev-6-a-1","value":2.5},{"answer":"Average - they are mostly concise, descriptive and consistent. ","answer_id":"dev-6-a-2","value":2},{"answer":"Low - they could be more concise, descriptive or consistent.","answer_id":"dev-6-a-3","value":0.75},{"answer":"Very low - they aren't concise, descriptive or consistent at all.","answer_id":"dev-6-a-4","value":0}]},{"question":"How do you rate the quality of the comments in the code?","question_id":"dev-7","answers":[{"answer":"High - everything is well-commented and adds to the readability of the code. ","answer_id":"dev-7-a-1","value":5},{"answer":"Average - most of the code is commented and most if it adds to the readability of the code.","answer_id":"dev-7-a-2","value":3},{"answer":"Low - little of the code is commented, but it still adds to the readability.","answer_id":"dev-7-a-3","value":1.5},{"answer":"Very low - the added comments provide no value or are not present at all.","answer_id":"dev-7-a-4","value":0}]}]},"questions":{"voters":["flugschwein","codingdefined"],"answers":[{"question_id":"dev-1","answer_id":"dev-1-a-2","user":"flugschwein","influence":5},{"question_id":"dev-2","answer_id":"dev-2-a-1","user":"flugschwein","influence":5},{"question_id":"dev-3","answer_id":"dev-3-a-1","user":"flugschwein","influence":5},{"question_id":"dev-4","answer_id":"dev-4-a-2","user":"flugschwein","influence":5},{"question_id":"dev-5","answer_id":"dev-5-a-2","user":"flugschwein","influence":5},{"question_id":"dev-6","answer_id":"dev-6-a-3","user":"flugschwein","influence":5},{"question_id":"dev-7","answer_id":"dev-7-a-1","user":"flugschwein","influence":5},{"question_id":"dev-1","answer_id":"dev-1-a-2","user":"codingdefined","influence":60},{"question_id":"dev-2","answer_id":"dev-2-a-3","user":"codingdefined","influence":60},{"question_id":"dev-3","answer_id":"dev-3-a-3","user":"codingdefined","influence":60},{"question_id":"dev-4","answer_id":"dev-4-a-4","user":"codingdefined","influence":60},{"question_id":"dev-5","answer_id":"dev-5-a-2","user":"codingdefined","influence":60},{"question_id":"dev-6","answer_id":"dev-6-a-4","user":"codingdefined","influence":60},{"question_id":"dev-7","answer_id":"dev-7-a-4","user":"codingdefined","influence":60}],"total_influence":0,"most_rated":[{"question_id":"dev-1","answer_id":"dev-1-a-2","influence":65,"voters":["flugschwein","codingdefined"]},{"question_id":"dev-2","answer_id":"dev-2-a-3","influence":60,"voters":["codingdefined"]},{"question_id":"dev-3","answer_id":"dev-3-a-3","influence":60,"voters":["codingdefined"]},{"question_id":"dev-4","answer_id":"dev-4-a-4","influence":60,"voters":["codingdefined"]},{"question_id":"dev-5","answer_id":"dev-5-a-2","influence":65,"voters":["flugschwein","codingdefined"]},{"question_id":"dev-6","answer_id":"dev-6-a-4","influence":60,"voters":["codingdefined"]},{"question_id":"dev-7","answer_id":"dev-7-a-4","influence":60,"voters":["codingdefined"]}]},"score":30.75,"total_influence":65,"staff_pick":null,"staff_pick_by":null}"
created2018-05-01 13:38:21
last_update2018-05-03 14:43:45
depth0
children22
last_payout2018-05-08 13:38:21
cashout_time1969-12-31 23:59:59
total_payout_value86.961 HBD
curator_payout_value25.373 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length7,655
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries
0.
accountutopian.pay
weight1,500
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,239,865
net_rshares22,078,428,433,341
author_curate_reward""
vote details (302)
@akdx ·
$0.09
Great! I was looking for the tools which can calculate my curation rewards. I appreciate this move.
👍  
properties (23)
authorakdx
permlinkre-firedream-steemit-curation-flow-20180501t170050562z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-01 17:00:51
last_update2018-05-01 17:00:51
depth1
children2
last_payout2018-05-08 17:00:51
cashout_time1969-12-31 23:59:59
total_payout_value0.064 HBD
curator_payout_value0.021 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length99
author_reputation79,417,869,591,547
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,275,488
net_rshares15,269,054,237
author_curate_reward""
vote details (1)
@firedream ·
@akdx, thanks for your comment.
Glad to hear it is good for someone.
FD.
properties (22)
authorfiredream
permlinkre-akdx-re-firedream-steemit-curation-flow-20180501t192838366z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"users":["akdx"],"app":"steemit/0.1"}
created2018-05-01 19:28:39
last_update2018-05-01 19:28:39
depth2
children1
last_payout2018-05-08 19:28:39
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_length72
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,298,271
net_rshares0
@akdx ·
You're welcome!
properties (22)
authorakdx
permlinkre-firedream-re-akdx-re-firedream-steemit-curation-flow-20180503t025233440z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-03 02:52:33
last_update2018-05-03 02:52:33
depth3
children0
last_payout2018-05-10 02:52: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_length15
author_reputation79,417,869,591,547
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,555,851
net_rshares0
@felipejoys ·
$6.37
See that tab I almost always have open? SteemCash? It's the one I use the most. Why aren't your other tools open, though? Because they'd take up too many tabs!

![](https://steemitimages.com/DQmRUX7UBDWUVLEdAfKpSFbXgCWNcF56X39ZV23vagaxGNk/image.png)

You see, I really dislike using bookmarks. Do you think you could add a link of all of your tools on each of them? Dunno, maybe on the region below "TOTAL SBD", using the same placement for all of them.
👍  , , , , , , , , , , ,
properties (23)
authorfelipejoys
permlinkre-firedream-steemit-curation-flow-20180505t190212218z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"image":["https://steemitimages.com/DQmRUX7UBDWUVLEdAfKpSFbXgCWNcF56X39ZV23vagaxGNk/image.png"],"app":"steemit/0.1"}
created2018-05-05 19:02:21
last_update2018-05-05 19:02:21
depth1
children4
last_payout2018-05-12 19:02:21
cashout_time1969-12-31 23:59:59
total_payout_value4.797 HBD
curator_payout_value1.572 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length453
author_reputation282,499,263,951,336
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id54,073,517
net_rshares1,247,264,244,560
author_curate_reward""
vote details (12)
@boomerang ·
This post has received a 2.94 % upvote from @boomerang.
properties (22)
authorboomerang
permlinkre-re-firedream-steemit-curation-flow-20180505t190212218z-20180507t045509
categoryutopian-io
json_metadata""
created2018-05-07 04:55:12
last_update2018-05-07 04:55:12
depth2
children0
last_payout2018-05-14 04:55:12
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_length55
author_reputation1,273,205,827,891
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id54,313,488
net_rshares0
@booster ·
<p>This comment has received a 0.84 % upvote from @booster thanks to: @felipejoys.</p>
properties (22)
authorbooster
permlinkre-felipejoys-re-firedream-steemit-curation-flow-20180505t190212218z-20180507t042153427z
categoryutopian-io
json_metadata{"tags":["steemit-curation-flow"],"app":"drotto/0.0.5pre1"}
created2018-05-07 04:21:51
last_update2018-05-07 04:21:51
depth2
children0
last_payout2018-05-14 04:21:51
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_length87
author_reputation68,767,115,776,562
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id54,309,597
net_rshares0
@firedream ·
@felipejoys,
Just try https://fdsteemtools.neocities.org
There you have all the tools I made :)

FD
properties (22)
authorfiredream
permlinkre-felipejoys-re-firedream-steemit-curation-flow-20180506t003502933z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"users":["felipejoys"],"links":["https://fdsteemtools.neocities.org"],"app":"steemit/0.1"}
created2018-05-06 00:35:03
last_update2018-05-06 00:35:03
depth2
children1
last_payout2018-05-13 00:35: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_length99
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id54,108,861
net_rshares0
@felipejoys ·
Yeah but there's no way to swit--- I can just hit the back button if I enter through the hub. Okay. Hah. *~~slides away~~*
properties (22)
authorfelipejoys
permlinkre-firedream-re-felipejoys-re-firedream-steemit-curation-flow-20180506t014034693z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-06 01:40:42
last_update2018-05-06 01:40:42
depth3
children0
last_payout2018-05-13 01:40:42
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_length122
author_reputation282,499,263,951,336
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id54,115,158
net_rshares0
@flugschwein · (edited)
$0.06
Awesome! I really like this. Initially i wanted to make such a webpage myself, but apparently you got there first, but maybe I end up making additions to it.

You should consider taking the css and the javascript out of the main html and make them in their own `.css`and`.js`files. This would make the project way more organized and readable and gives it some more structure. Otherwise this looks pretty cool. Thank you for your Contribution!

Edit: That @utopian-1up vote came from me ;)
👍  
properties (23)
authorflugschwein
permlinkre-firedream-steemit-curation-flow-20180502t190656431z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"community":"utopian","app":"utopian/1.0.0"}
created2018-05-02 19:07:00
last_update2018-05-02 19:38:00
depth1
children1
last_payout2018-05-09 19:07:00
cashout_time1969-12-31 23:59:59
total_payout_value0.062 HBD
curator_payout_value0.000 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length488
author_reputation11,950,112,708,339
root_title"Steemit Pending Curation Rewards"
beneficiaries
0.
accountutopian.pay
weight1,500
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,498,083
net_rshares17,076,968,762
author_curate_reward""
vote details (1)
@firedream ·
$1.13
@flugschwein;
Thank you very much for your comments and review.
You are right about .css and .js files out of the main.html.
For .css, I am using Google Web Designer so it is always inside.
For .js , well I am coming from Commodore64 times where everything was all one code and there was a command like GoTo :)
But I agree with you, I have to get the habit.
For next project, I will do this.



FD.
👍  
properties (23)
authorfiredream
permlinkre-flugschwein-re-firedream-steemit-curation-flow-20180503t051823080z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"users":["flugschwein"],"app":"steemit/0.1"}
created2018-05-03 05:18:24
last_update2018-05-03 05:18:24
depth2
children0
last_payout2018-05-10 05:18:24
cashout_time1969-12-31 23:59:59
total_payout_value0.848 HBD
curator_payout_value0.279 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length398
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,574,220
net_rshares202,333,095,375
author_curate_reward""
vote details (1)
@fuckmylife ·
$0.09
Nice tool, sadly I can do the math in my head with out the use of it. Its always 0
👍  
properties (23)
authorfuckmylife
permlinkre-firedream-steemit-curation-flow-20180501t161559937z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-01 16:12:03
last_update2018-05-01 16:12:03
depth1
children5
last_payout2018-05-08 16:12:03
cashout_time1969-12-31 23:59:59
total_payout_value0.064 HBD
curator_payout_value0.021 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length82
author_reputation1,365,524,722,971
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,267,163
net_rshares15,562,689,895
author_curate_reward""
vote details (1)
@firedream ·
Curation is not a game for us minnows...so, sadly you are right...
FD.
👍  
properties (23)
authorfiredream
permlinkre-fuckmylife-re-firedream-steemit-curation-flow-20180501t192710580z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-01 19:27:12
last_update2018-05-01 19:27:12
depth2
children3
last_payout2018-05-08 19:27:12
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_length70
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,298,079
net_rshares275,536,518
author_curate_reward""
vote details (1)
@fuckmylife ·
lol I keep on trying, but I keep on failing. I wonder if any minnows have ever got a post to go viral without paying for it? I keep on thinking after thousands of hours  and making thousands of posts , at least one of my posts would make $50 or $100, but no. I truly do not think it is possible based on how steem is structured.
properties (22)
authorfuckmylife
permlinkre-firedream-re-fuckmylife-re-firedream-steemit-curation-flow-20180501t204250370z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-01 20:38:54
last_update2018-05-01 20:38:54
depth3
children2
last_payout2018-05-08 20:38: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_length328
author_reputation1,365,524,722,971
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,308,012
net_rshares0
@flugschwein ·
I once got 0.015SP as a curation reward back in the days I had 15SP.
That felt absolutely awesome. Utopian posts seem to give huge curation rewards if you vote at the right moment.
properties (22)
authorflugschwein
permlinkre-fuckmylife-re-firedream-steemit-curation-flow-20180503t052816833z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-03 05:28:21
last_update2018-05-03 05:28:21
depth2
children0
last_payout2018-05-10 05:28:21
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_length180
author_reputation11,950,112,708,339
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,575,393
net_rshares0
@hatoto ·
Thanks for sharing this tool! Awesome
properties (22)
authorhatoto
permlinkre-firedream-steemit-curation-flow-20180502t150250036z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"community":"busy","app":"busy/2.4.0"}
created2018-05-02 15:02:51
last_update2018-05-02 15:02:51
depth1
children0
last_payout2018-05-09 15:02:51
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_length37
author_reputation98,176,609,275,942
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,458,580
net_rshares0
@jacksondavies ·
$0.08
This is an impressive tool you've created.
This will save steemians the stress of cracking their heads to figure out how much they'll earn from curation.
👍  
properties (23)
authorjacksondavies
permlinkre-firedream-201852t185527973z
categoryutopian-io
json_metadata{"tags":["utopian-io","steemit","curation","steem-js","firedreamblog"],"app":"esteem/1.5.1","format":"markdown+html","community":"esteem"}
created2018-05-02 17:55:36
last_update2018-05-02 17:55:36
depth1
children2
last_payout2018-05-09 17:55:36
cashout_time1969-12-31 23:59:59
total_payout_value0.062 HBD
curator_payout_value0.021 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length153
author_reputation5,638,529,084,453
root_title"Steemit Pending Curation Rewards"
beneficiaries
0.
accountesteemapp
weight1,000
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,487,463
net_rshares16,684,394,768
author_curate_reward""
vote details (1)
@firedream ·
And as minnows, when they see they can't get a significant amount from curation, they will go back to posting and commenting :)

FD.
properties (22)
authorfiredream
permlinkre-jacksondavies-re-firedream-201852t185527973z-20180503t052000579z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"steemit/0.1"}
created2018-05-03 05:20:00
last_update2018-05-03 05:20:00
depth2
children1
last_payout2018-05-10 05:20:00
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_length132
author_reputation11,232,881,853,116
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,574,402
net_rshares0
@jacksondavies ·
Yeah they definitely will. Seeing your stats can be a strong motivator on steemit.
properties (22)
authorjacksondavies
permlinkre-firedream-201853t20222974z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"app":"esteem/1.5.1","format":"markdown+html","community":"esteem"}
created2018-05-03 19:22:15
last_update2018-05-03 19:22:15
depth3
children0
last_payout2018-05-10 19:22:15
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_length82
author_reputation5,638,529,084,453
root_title"Steemit Pending Curation Rewards"
beneficiaries
0.
accountesteemapp
weight1,000
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,697,735
net_rshares0
@resteemable ·
**Your Post Has Been Featured on @Resteemable!** <br> Feature any Steemit post using resteemit.com! <br> **How It Works:** <br> 1. Take Any Steemit URL <br> 2. Erase `https://` <br> 3. Type `re`<br> Get Featured Instantly & Featured Posts are voted every 2.4hrs <br>[Join the Curation Team Here](https://goo.gl/forms/4sr0InoTxcyPRQSj2) | [Vote Resteemable for Witness](https://v2.steemconnect.com/sign/account-witness-vote?witness=resteemable&approve=1)
properties (22)
authorresteemable
permlinkre-resteemable-steemit-curation-flow-20180501t155033317z
categoryutopian-io
json_metadata""
created2018-05-01 15:50:33
last_update2018-05-01 15:50:33
depth1
children0
last_payout2018-05-08 15:50: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_length453
author_reputation711,299,530,826
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,263,205
net_rshares0
@utopian-io ·
$4.10
#### Hey @firedream
We're already looking forward to your next contribution!
##### Decentralised Rewards
Share your expertise and knowledge by rating contributions made by others on Utopian.io to help us reward the best contributions together.
##### Utopian Witness!
<a href="https://v2.steemconnect.com/sign/account-witness-vote?witness=utopian-io&approve=1">Vote for Utopian Witness!</a> We are made of developers, system administrators, entrepreneurs, artists, content creators, thinkers. We embrace every nationality, mindset and belief.

**Want to chat? Join us on Discord https://discord.me/utopian-io**
👍  
properties (23)
authorutopian-io
permlinkre-firedream-steemit-curation-flow-20180503t171345526z
categoryutopian-io
json_metadata{"tags":["utopian-io"],"community":"utopian","app":"utopian/1.0.0"}
created2018-05-03 17:13:48
last_update2018-05-03 17:13:48
depth1
children0
last_payout2018-05-10 17:13:48
cashout_time1969-12-31 23:59:59
total_payout_value4.094 HBD
curator_payout_value0.003 HBD
pending_payout_value0.000 HBD
promoted0.000 HBD
body_length609
author_reputation152,955,367,999,756
root_title"Steemit Pending Curation Rewards"
beneficiaries[]
max_accepted_payout1,000,000.000 HBD
percent_hbd10,000
post_id53,679,287
net_rshares738,723,726,082
author_curate_reward""
vote details (1)