#### Repository https://github.com/vuejs/vue https://github.com/jnordberg/dsteem/  #### Outline In this tutorials we’re going to make a website for a Steem Blog feed that loads post data from the Steem API. We’ll utilise Vue to handle templates and routing. We’ll look at Dsteem to retrieve data from the Steem blockchain. This is a hands on project based tutorial.I prefer to make things rather than learn every possible function avaible. With that in mind this tutorial does not deep dive into specifcs but aims to hit the ground running. If you have questions about different aspects please feel free to ask in the comments. Enjoy. #### Requirements - A plain text editor (I use VS Code ) - Node.js Installed #### Difficulty Beginner - but not shy about digging into code. This tutorial is intended to be beginner friendly. If you’ve had some experience with Javascript and interacted with the command line before you should have no issues. #### Learning Goals - Setup a Vue.js Project with the command line - Create and use custom component with Vue - Create and use custom route within Vue - Retrive data from the Steem Blockchain using Dsteem library Check the [Github commit history here](https://github.com/code-with-sam/vue-dsteem-feed) to follow along with different steps and see the finished code. ## Setup First make sure you have [Node.js](https://nodejs.org/en/) installed and up to date. Next lets install the latest version of Vue. You can use NPM or yarn for installing packages, from here I’ll be using yarn. ``` yarn global add @vue/cli ``` Once you’ve got Vue installed we can use it from the command line to create all of the boilerplate files we need to kickstart a Vue based website. `vue --version` Check you’re working with the latest version. For this tutorial I am work with `vue version 3.2.1` Let’s go. We’ll run the `vue create` command and will be prompted to select which features to install. Select ‘Manually select features’ ``` vue create project-name ``` ![[screenshot of command line]](https://ipfs.busy.org/ipfs/QmbPv3usHjsZokbE6m1jeZ8QXEAwU4eySQZSEZjCRwSyxh) Make sure to select ‘router’. Navigate using the arrow keys and hitting spacebar to select. Once setup. Navigate to the project and run the development server. Jumping the browser once it’s running to check out the standard Vue starter site. ``` cd project-name yarn serve ``` ![[basic website page screenshot]](https://ipfs.busy.org/ipfs/QmecWQsbB81wHidVUNCGYJ1wzL4h3UmTxKLNoC8c1DVfuL) ## Add Your First Component Open the project in your text editor and familiarise yourself with the structure. The Vue app is built up of View and Component template files. Create a new component within the components directory. `src/components/SteemFeed.vue`. To start we’ll keep ip super simple, following the vue template structure and exporting the component in a script tag. ``` <template> <div class="steemfeed"> <h1>Steem Feed</h1> </div> </template> <script> export default { name: 'SteemFeed' } </script> ``` When using a component in a view there are three steps. 1. Import the component `import SteemFeed from '@/components/SteemFeed.vue'` 2. Include the component in the exported view 3. ``` components: { HelloWorld, SteemFeed // <- added here } ``` 3. Include it where appropriate in your template ``` <div class="home"> <img alt="Vue logo" src="../assets/logo.png"> <SteemFeed/> <HelloWorld msg="Welcome to Your Vue.js App"/> </div> ``` Now try removing the default HelloWorld component leaving only our custom Feed. - [View Changes On Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/4a7a832ab66452bea0f90acc90612cb87e238e65) ## Step 2 - Load Steem Posts With Dsteem Let’s make the component a little more exciting and include DSteem. First add DSteem as a dependency to the project. (I’ve been having problems compiling the latest version of dsteem with vue. For simplify I’m going to set the version specifically) ``` yarn add dsteem@0.10.0 ``` Within our component include DSteem. ``` <script> const dsteem = require('dsteem') export default { name: 'SteemFeed' } </script> ``` Next initialise dSteem and request data from the Database API. We’re going to hook into one of Vues actions. The created action. You can learn more about the [ordering of Vue events here](https://alligator.io/vuejs/component-lifecycle/). For this simple app we’ll just run our DSteem code as the template is created. ``` export default { name: 'SteemFeed', created () { const client = new dsteem.Client('https://api.steemit.com') client.database.getDiscussions('blog', { tag: 'sambillingham', limit: 20 }) .then(result => { console.log(result) }) } } ``` *[View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/6807838e19c3ecb1a8ff81c21fde2bb49069a721)* You can see we’re requesting 20 posts from a specific user and sending the result to the console. Now is a good time to fire up the server and check you are seeing the output in the console.  To make use of the data we can store i in the compontents data first and then use it in the template. Create a data function without the exported component. Set the value to null on creation, we’ll then update this with the STEEM response. ``` data () { return { posts: null } }, created () { const client = new dsteem.Client('https://api.steemit.com') client.database.getDiscussions('blog', { tag: 'sambillingham', limit: 20 }) .then(result => { this.posts = result }) } ``` [View Changes On Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/5fcf8172931c68c5b452c3414bae90ad720e8cc7) Now we have access to this data from within our due template. Double curly brackets will render data `{{ posts }}`. Try this and you’ll see the raw text output of the 20 item array. In plain javascript or jQuery we would look over this data within Javascript and append a html item to the DOM. Within v we can use a vue directive to do this for us. ``` <main v-for="post in posts" :key="post.id"> <h2>{{post.title}}</h2> </main> ``` This will output a heading tag for each of the items in the posts data array.All being well you’ll see a list of post titles on your homepage. [View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/5fcf8172931c68c5b452c3414bae90ad720e8cc7)  ## Step 3 - Vue Router Let’s turn those title into link and setup a post page The router.js file handles navigation for vue. Take a look at the default and you’ll see data for both the Home and About pages. Add a new route to the list. ``` { path: '/:username/:permlink', name: 'post', component: SteemPost } ``` Instead of using a set value. We’re going to use placeholders `:username` and `:permlink`. We don’t know what these values are and we don’t want to code them. Infact these values are what will let us load the correct data from the blockchain. These values act as parameters. make sure to also include your component or view at the top of the router.js file e.g `import SteemPost from './components/SteemPost.vue'` Set a name and component. Component can be a view or single Component. Let’s go ahead and create another component for the individual Steem Posts. ``` // src/componets/SteemPost.vue <template> <div> <h1>STEEM Post</h1> </div> </template> <script> const dsteem = require('dsteem') export default { name: 'SteemPost', data () { return { } }, created () { } } </script> ``` Now turn the titles into links to our SteemPost component ``` <h2>{{post.title}}</h2> ``` ``` <router-link :to="`${post.author}/${post.permlink}`"> <h2>{{post.title}}</h2> </router-link> ``` You can see a `:to` property making use of the Steem data that is saveable within the loop. The router link renders an an anchor tag but is setup within vue to automatically block page reloading and dynamically update the content while keeping history correct. You should be able to navigate to individual posts with a correct url structure. You’ll only see the output of the SteemPost template though, which still looks the same for each post. *[View Changes On Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/a50c3bbe2dd91f17cc70ea8ef42da0d1c3e7e5b5)* ## Step 4 - Steem Post Data Pull individual post data for each post. We’ll work within the SteemPost.vue component. ``` created () { const client = new dsteem.Client('https://api.steemit.com') } ``` setup the esteem client ``` created () { const client = new dsteem.Client('https://api.steemit.com') client.call('condenser_api', 'get_content', [this.$route.params.username, this.$route.params.permlink]) .then(response => { console.log(response) }) } ``` *[View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/2804f406aebcafcec0aab34ddc77c8f2044c7b2c)* Make a steem data request. You’ll notice I’m having to use the call method and the corresponding ‘get_content’ method directly. There is no helper for this yet (working on a PR for this). The call to the STEEM API takes two parameters the username and permlink. We can access these from Vue’s `this.$route` property. e.g `this.$route.params.username`. Add data attributes for the properties we’re interested in using within out view. The title and content. ``` data () { return { title: null, content: null } }, mounted () { const client = new dsteem.Client('https://api.steemit.com') client.call('condenser_api', 'get_content', [this.$route.params.username, this.$route.params.permlink]) .then(response => { this.title = response.title this.content = response.body }) } ``` From within our view. Make use of this new Data. ``` <template> <div> <h1>{{ title }}</h1> <main>{{ content }}</main> </div> </template> ``` *[View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/41cc194a34c60f31ef3883d53266b28c00f95374) The content is currently the raw markdown stored on the blockchain. We can use ‘marked’ package to render the makrdown to html and include it within the view. 1. `yarn add marked` 2. import marked from 'marked' within SteemPost.vue 3. Update the function that stores the response data to make use of marked - `this.content = marked(response.body, { sanitize: true })` 4. use the `:v-html` directive to render html directly instead of data. `<main v-html="content"></main>` *[View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/029b6bf21c45f08b2d070a44fe13a54848cf007d)* Awesome! You should be seeing the post html instead of the raw marked down. ## Step 5 - Tidy up CSS You can add style directly within the vue components. Style as necessary. ``` main { max-width: 700px; margin: 0 auto; text-align: left; } ``` You might notice that you can’t style tags that that have been added with `:v-thml` directive. You can use the Demo selector to target specific elements. e.g ``` *>>> img { max-width: 100%; } ```  *[View Changes on Github](https://github.com/code-with-sam/vue-dsteem-feed/commit/f45dc275787f88a66afcfd77959ab6f197904378)* ## Conclusion You should have a working Vue website that display links to posts on the homepage and individual steem posts on a post page. I hope you’ve enjoyed this first look at Vue. 🚀*[View the finished Code on Github](https://github.com/code-with-sam/vue-dsteem-feed)* If you have questions or any issues with the tutorial please reach out.
author | codewithsam |
---|---|
permlink | tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873 |
category | utopian-io |
json_metadata | {"app":"steeditor/0.1.2","format":"markdown","image":["https://ipfs.busy.org/ipfs/QmbkbEoXWXN3QHEJUPXvvTNjPsiEPQQ5hAmgZ23dXt8CaZ","https://ipfs.busy.org/ipfs/QmbkbEoXWXN3QHEJUPXvvTNjPsiEPQQ5hAmgZ23dXt8CaZ","https://ipfs.busy.org/ipfs/QmbPv3usHjsZokbE6m1jeZ8QXEAwU4eySQZSEZjCRwSyxh","https://ipfs.busy.org/ipfs/QmecWQsbB81wHidVUNCGYJ1wzL4h3UmTxKLNoC8c1DVfuL","https://ipfs.busy.org/ipfs/QmbuSBywpuwLbbUnEYLAQyB9RoUxsyxa1yfZrynWu7jcYj","https://ipfs.busy.org/ipfs/QmcRdK8GmkihrTobZ8yCzMyscTuAAU4frMnTLPA8XKVN5p","https://ipfs.busy.org/ipfs/QmZmVJAtfVfhDoPd23bJ5h94SsE2tsa1zMNbDkDLGxgzVt"],"tags":["utopian-io","tutorials","dsteem","vuejs","steemdev"],"users":["vue","0"],"links":["https://github.com/vuejs/vue","https://github.com/jnordberg/dsteem/","https://github.com/code-with-sam/vue-dsteem-feed","https://nodejs.org/en/","https://github.com/code-with-sam/vue-dsteem-feed/commit/4a7a832ab66452bea0f90acc90612cb87e238e65","https://alligator.io/vuejs/component-lifecycle/","https://api.steemit.com","https://github.com/code-with-sam/vue-dsteem-feed/commit/6807838e19c3ecb1a8ff81c21fde2bb49069a721","https://github.com/code-with-sam/vue-dsteem-feed/commit/5fcf8172931c68c5b452c3414bae90ad720e8cc7","https://github.com/code-with-sam/vue-dsteem-feed/commit/a50c3bbe2dd91f17cc70ea8ef42da0d1c3e7e5b5","https://github.com/code-with-sam/vue-dsteem-feed/commit/2804f406aebcafcec0aab34ddc77c8f2044c7b2c","https://github.com/code-with-sam/vue-dsteem-feed/commit/41cc194a34c60f31ef3883d53266b28c00f95374","https://github.com/code-with-sam/vue-dsteem-feed/commit/029b6bf21c45f08b2d070a44fe13a54848cf007d","https://github.com/code-with-sam/vue-dsteem-feed/commit/f45dc275787f88a66afcfd77959ab6f197904378"]} |
created | 2018-12-06 16:43:39 |
last_update | 2018-12-06 17:39:54 |
depth | 0 |
children | 12 |
last_payout | 2018-12-13 16:43:39 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 19.684 HBD |
curator_payout_value | 6.765 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 12,199 |
author_reputation | 2,770,507,374,729 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 100,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,457,406 |
net_rshares | 45,048,931,536,689 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
ausbitbank | 0 | 2,193,525,569,983 | 100% | ||
sambillingham | 0 | 59,124,955,639 | 100% | ||
teamhumble | 0 | 132,312,226,403 | 100% | ||
miniature-tiger | 0 | 100,116,814,638 | 50% | ||
jga | 0 | 2,514,590,298 | 15.97% | ||
howo | 0 | 267,209,402,098 | 100% | ||
mcfarhat | 0 | 14,504,594,750 | 16% | ||
vladimir-simovic | 0 | 141,129,356,485 | 100% | ||
utopian-io | 0 | 41,625,090,828,726 | 31.94% | ||
jaff8 | 0 | 66,136,197,991 | 40% | ||
scipio | 0 | 59,567,823,830 | 25% | ||
jpphotography | 0 | 84,149,611,978 | 100% | ||
amosbastian | 0 | 83,550,801,417 | 40% | ||
asaj | 0 | 7,930,495,801 | 40% | ||
portugalcoin | 0 | 7,648,447,495 | 30% | ||
codewithsam | 0 | 956,530,446 | 100% | ||
gentmartin | 0 | 2,835,664,514 | 100% | ||
reazuliqbal | 0 | 32,313,724,541 | 30% | ||
properfraction | 0 | 734,483,722 | 100% | ||
critday | 0 | 8,736,401,750 | 100% | ||
xinvista | 0 | 207,927,030 | 100% | ||
clayjohn | 0 | 11,789,321,766 | 100% | ||
loreshapergames | 0 | 11,216,207,707 | 75% | ||
jpphoto | 0 | 343,338,821 | 100% | ||
merlin7 | 0 | 90,277,173,019 | 4.4% | ||
curbot | 0 | 2,105,965,836 | 100% | ||
finallynetwork | 0 | 35,787,002,392 | 100% | ||
someaddons | 0 | 7,116,077,613 | 100% |
Thanks for taking the time to create these tutorials especially during these difficult times. Im personally just learning javascript from you tube tutorials and doing OK with it so this has been favourited on partiko for the future! Best wishes and thanks again Posted using [Partiko Android](https://steemit.com/@partiko-android)
author | gentmartin |
---|---|
permlink | gentmartin-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t182140725z |
category | utopian-io |
json_metadata | {"app":"partiko"} |
created | 2018-12-06 18:21:42 |
last_update | 2018-12-06 18:21:42 |
depth | 1 |
children | 3 |
last_payout | 2018-12-13 18:21:42 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.026 HBD |
curator_payout_value | 0.008 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 331 |
author_reputation | 9,754,259,604,698 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,461,437 |
net_rshares | 58,348,216,969 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
sambillingham | 0 | 57,431,524,299 | 100% | ||
codewithsam | 0 | 916,692,670 | 100% |
Yeah I guess there will be less excitement around these tutorials and crypto in general because of the markets. I still find it fun to make these and I hope people find them useful. Good to know you're learning javascript. If I can help with anything along the way let me know.
author | codewithsam |
---|---|
permlink | re-gentmartin-gentmartin-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t201520398z |
category | utopian-io |
json_metadata | {"community":"busy","app":"busy/2.5.6","format":"markdown","tags":["utopian-io"],"users":[],"links":[],"image":[]} |
created | 2018-12-06 20:15:21 |
last_update | 2018-12-06 20:15:21 |
depth | 2 |
children | 2 |
last_payout | 2018-12-13 20:15:21 |
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 | 278 |
author_reputation | 2,770,507,374,729 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,465,953 |
net_rshares | 0 |
Ahh thank you very much. What Im finding (at 52!) is its not raw coding and syntax that gives me problems but the connecting everything together, the interfacing. Its all slow but sure and it helps I had a deepmIT background albeit 30 years ago! Posted using [Partiko Android](https://steemit.com/@partiko-android)
author | gentmartin |
---|---|
permlink | gentmartin-re-codewithsam-re-gentmartin-gentmartin-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t202353083z |
category | utopian-io |
json_metadata | {"app":"partiko"} |
created | 2018-12-06 20:23:54 |
last_update | 2018-12-06 20:23:54 |
depth | 3 |
children | 1 |
last_payout | 2018-12-13 20:23:54 |
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 | 316 |
author_reputation | 9,754,259,604,698 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,466,272 |
net_rshares | 0 |
Thanks for this, that's exactly what I have been looking for! I will probably use React for my dApp though since I couldn't find a map plugin fit for my needs for Vue. How does dsteem compare to steem.js?
author | jpphotography |
---|---|
permlink | re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t180616053z |
category | utopian-io |
json_metadata | {"tags":["utopian-io"],"community":"steempeak","app":"steempeak"} |
created | 2018-12-06 18:06:18 |
last_update | 2018-12-06 18:06:18 |
depth | 1 |
children | 1 |
last_payout | 2018-12-13 18:06:18 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.027 HBD |
curator_payout_value | 0.008 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 204 |
author_reputation | 130,520,405,558,348 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,460,789 |
net_rshares | 59,540,554,531 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
sambillingham | 0 | 58,604,147,704 | 100% | ||
codewithsam | 0 | 936,406,827 | 100% |
No worries. Hope it's helpful. I've only just started playing with dsteem so can't give you a full comparison yet. The benchmarks I've seen show it to run significantly faster. Pretty sure It already has the same coverage for all of the API calls So i just need to learn the appropriate functions. So far so good.
author | codewithsam |
---|---|
permlink | re-jpphotography-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t201347200z |
category | utopian-io |
json_metadata | {"community":"busy","app":"busy/2.5.6","format":"markdown","tags":["utopian-io"],"users":[],"links":[],"image":[]} |
created | 2018-12-06 20:13:48 |
last_update | 2018-12-06 20:13:48 |
depth | 2 |
children | 0 |
last_payout | 2018-12-13 20:13:48 |
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 | 318 |
author_reputation | 2,770,507,374,729 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,465,885 |
net_rshares | 0 |
Thank you for your contribution @codewithsam. We've been reviewing your tutorial and suggest the following points below: - The image with the data on the console is too small, we can not see the data. Try to put the image a little larger. - Nice work on the explanations of your code, although adding a bit more comments to the code can be helpful as well. Your tutorial is excellent, thanks for your good work on developing this tutorial. We are waiting for more of your tutorials. 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/8/1-1-2-2-1-3-1-3-). ---- Need help? Write a ticket on https://support.utopian.io/. Chat with us on [Discord](https://discord.gg/uTyJkNm). [[utopian-moderator]](https://join.utopian.io/)
author | portugalcoin |
---|---|
permlink | re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t225031612z |
category | utopian-io |
json_metadata | {"tags":["utopian-io"],"users":["codewithsam"],"links":["https://join.utopian.io/guidelines","https://review.utopian.io/result/8/1-1-2-2-1-3-1-3-","https://support.utopian.io/","https://discord.gg/uTyJkNm","https://join.utopian.io/"],"app":"steemit/0.1"} |
created | 2018-12-06 22:50:30 |
last_update | 2018-12-06 22:50:30 |
depth | 1 |
children | 2 |
last_payout | 2018-12-13 22:50:30 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 5.898 HBD |
curator_payout_value | 1.903 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 986 |
author_reputation | 599,460,335,323,040 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,471,011 |
net_rshares | 12,842,905,844,392 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
sambillingham | 0 | 31,481,670,726 | 53% | ||
codingdefined | 0 | 7,738,225,386 | 7.5% | ||
utopian-io | 0 | 12,651,492,503,431 | 8.81% | ||
emrebeyler | 0 | 122,878,308 | 0.01% | ||
amosbastian | 0 | 35,080,046,569 | 17.24% | ||
codewithsam | 0 | 956,530,446 | 100% | ||
organicgardener | 0 | 7,417,363,849 | 25% | ||
reazuliqbal | 0 | 5,404,758,052 | 5% | ||
statsexpert | 0 | 7,143,897,093 | 100% | ||
mightypanda | 0 | 90,985,639,032 | 60% | ||
fastandcurious | 0 | 1,978,054,346 | 60% | ||
largeadultson | 0 | 452,633,249 | 3.33% | ||
linknotfound | 0 | 1,871,856,165 | 100% | ||
monster-inc | 0 | 643,453,136 | 100% | ||
yff | 0 | 136,334,604 | 100% |
Hey 👋thanks for taking the time to review the tutorial. You're right the console screenshot it way to small! Doesn't help with the recent steemit.com image resolution downgrade too. I'll make sure to think about zooming in on these, I forget you can't easily do that on most Steem interfaces. Code comments too 🙈oops! Can totally add more, would for sure be helpful when looking through the Github Repo. I think perhaps this would have been even better as a video tutorial. When working through projects with multiple files I think written tutorials sometimes struggle to show full files and enough comments/write up for each change. This was already 1800words and I felt I could have added a lot more detail. Looking forward to adding more tutorials. Expect some more soon :)
author | codewithsam |
---|---|
permlink | re-portugalcoin-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181207t055840498z |
category | utopian-io |
json_metadata | {"community":"busy","app":"busy/2.5.6","format":"markdown","tags":["utopian-io"],"users":[],"links":[],"image":[]} |
created | 2018-12-07 05:58:42 |
last_update | 2018-12-07 05:58:42 |
depth | 2 |
children | 0 |
last_payout | 2018-12-14 05:58:42 |
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 | 782 |
author_reputation | 2,770,507,374,729 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,483,683 |
net_rshares | 0 |
Thank you for your review, @portugalcoin! Keep up the good work!
author | utopian-io |
---|---|
permlink | re-re-codewithsam-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181206t225031612z-20181209t120137z |
category | utopian-io |
json_metadata | "{"app": "beem/0.20.9"}" |
created | 2018-12-09 12:01:39 |
last_update | 2018-12-09 12:01:39 |
depth | 2 |
children | 0 |
last_payout | 2018-12-16 12:01:39 |
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 | 64 |
author_reputation | 152,955,367,999,756 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,584,535 |
net_rshares | 0 |
Congratulations @codewithsam! You have completed the following achievement on the Steem blockchain and have been rewarded with new badge(s) : <table><tr><td>https://steemitimages.com/60x70/http://steemitboard.com/@codewithsam/voted.png?201812061854</td><td>You received more than 250 upvotes. Your next target is to reach 500 upvotes.</td></tr> </table> <sub>_[Click here to view your Board of Honor](https://steemitboard.com/@codewithsam)_</sub> <sub>_If you no longer want to receive notifications, reply to this comment with the word_ `STOP`</sub> **Do not miss the last post from @steemitboard:** <table><tr><td><a href="https://steemit.com/steemitboard/@steemitboard/5jrq2c-steemitboard-saint-nicholas-day"><img src="https://steemitimages.com/64x128/http://i.cubeupload.com/mGo2Zd.png"></a></td><td><a href="https://steemit.com/steemitboard/@steemitboard/5jrq2c-steemitboard-saint-nicholas-day">Saint Nicholas challenge for good boys and girls</a></td></tr></table> > Support [SteemitBoard's project](https://steemit.com/@steemitboard)! **[Vote for its witness](https://v2.steemconnect.com/sign/account-witness-vote?witness=steemitboard&approve=1)** and **get one more award**!
author | steemitboard |
---|---|
permlink | steemitboard-notify-codewithsam-20181206t192532000z |
category | utopian-io |
json_metadata | {"image":["https://steemitboard.com/img/notify.png"]} |
created | 2018-12-06 19:25:30 |
last_update | 2018-12-06 19:25:30 |
depth | 1 |
children | 0 |
last_payout | 2018-12-13 19:25:30 |
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 | 1,188 |
author_reputation | 38,975,615,169,260 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,463,939 |
net_rshares | 0 |
Congratulations @codewithsam! You have completed the following achievement on the Steem blockchain and have been rewarded with new badge(s) : <table><tr><td>https://steemitimages.com/60x60/http://steemitboard.com/notifications/firstcomment.png</td><td>You made your First Comment</td></tr> <tr><td>https://steemitimages.com/60x60/http://steemitboard.com/notifications/firstcommented.png</td><td>You got a First Reply</td></tr> </table> <sub>_[Click here to view your Board of Honor](https://steemitboard.com/@codewithsam)_</sub> <sub>_If you no longer want to receive notifications, reply to this comment with the word_ `STOP`</sub> **Do not miss the last post from @steemitboard:** <table><tr><td><a href="https://steemit.com/steemitboard/@steemitboard/5jrq2c-steemitboard-saint-nicholas-day"><img src="https://steemitimages.com/64x128/http://i.cubeupload.com/mGo2Zd.png"></a></td><td><a href="https://steemit.com/steemitboard/@steemitboard/5jrq2c-steemitboard-saint-nicholas-day">Saint Nicholas challenge for good boys and girls</a></td></tr></table> > Support [SteemitBoard's project](https://steemit.com/@steemitboard)! **[Vote for its witness](https://v2.steemconnect.com/sign/account-witness-vote?witness=steemitboard&approve=1)** and **get one more award**!
author | steemitboard |
---|---|
permlink | steemitboard-notify-codewithsam-20181206t220520000z |
category | utopian-io |
json_metadata | {"image":["https://steemitboard.com/img/notify.png"]} |
created | 2018-12-06 22:05:21 |
last_update | 2018-12-06 22:05:21 |
depth | 1 |
children | 0 |
last_payout | 2018-12-13 22:05:21 |
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 | 1,270 |
author_reputation | 38,975,615,169,260 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,469,576 |
net_rshares | 0 |
Hey, @codewithsam! **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>
author | utopian-io |
---|---|
permlink | re-tutorial-create-a-steem-post-feed-with-vue-and-dsteem-1544114616873-20181207t052550z |
category | utopian-io |
json_metadata | "{"app": "beem/0.20.9"}" |
created | 2018-12-07 05:25:51 |
last_update | 2018-12-07 05:25:51 |
depth | 1 |
children | 0 |
last_payout | 2018-12-14 05:25:51 |
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 | 593 |
author_reputation | 152,955,367,999,756 |
root_title | "Tutorial - Create a Steem post feed with Vue & DSteem" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 76,482,787 |
net_rshares | 0 |