#### Repository https://github.com/python #### What Will I Learn? - Templating jinja2 - Pass the parameter to the template - POST data on the routing system #### Requirements - Basic Python - Install Python 3 - Install Flask #### Resources - Python - https://www.python.org/ - Flask - http://flask.pocoo.org/ - Jinja2 -http://jinja.pocoo.org/docs/2.10/ #### Difficulty Basic ### Tutorial Content This tutorial is a continuation of the previous [tutorial](https://steemit.com/utopian-io/@duski.harahap/web-developement-with-python-1-flask-initialization-and-routing-system-1542726589553) series, in previous tutorials, we have learned how to install and routing systems on the flask. well in this tutorial we will learn new things, we will learn how to use the templating system on the flask. Well, the flask has a templating system, [jinja2](http://jinja.pocoo.org/docs/2.10/) and not only that we will also learn how to use the *post method* on the flask. for those of you who don't know the flask, I suggest you follow my [tutorial](https://steemit.com/utopian-io/@duski.harahap/web-developement-with-python-1-flask-initialization-and-routing-system-1542726589553) before, let's just start our tutorial. ### Templating jinja2 When we install the flask, we can automatically use the templating system of the jinja2, with this templating system we can easily render **HTML** templates. Not only can you render HTML later in the template, but we can also use the logic of the program logic in our templates, such as ***looping, if else etc.*** -**Create templates directory** We will start by creating a folder directory to save our templates. so we can more easily access it. I will create a folder with the name **templates**.  so we will save all of our templates in the **templates** folder <br> - **Use template in route** We have created our template directory. now we will use it in our routing system. We can render our HTML template with use function ```render_template()```.for more details, you can see the code like this: **app.py** ``` // import module from flask import Flask, render_template //defined flask app = Flask(__name__) //route @app.route('/welcome') def myFunction(): return render_template('index.html'); ``` - Because we will use the ```render_template()``` function we must import it first like this ```from flask import Flask, render_template``` - to use it we can pass the name of our HTML file in the render_template function like this ```render_template('index.html')``` - **index.html** is the file that we created in the templates folder. the contents are as follows. **index.html** ``` <!DOCTYPE html> <html> <head> <title>Template Jinja2</title> </head> <body> <h1 style="color:red;">Hi all member of utopian , I'm new</h1> </body> </html> ``` to see the results we can run our code and the results will be as shown below:  We can see in the picture above we have successfully rendered the HTML file on our application. now we will learn how to pass data on our template <br> - **Passing data to templates** We are still learning about the template, in the previous section, we have successfully rendered the template in our routing system, but the template is still dynamic. well in this section we will learn how to pass dynamic data to our templates. for more details, we can see the code below: **app.py** ``` // import module from flask import Flask, render_template //defined flask app = Flask(__name__) //routing @app.route('/welcome/<user>') def paramFunc(user): return render_template('profile.html', userData = user); ``` - We have learned how to pass a parameter to routing in the previous [tutorial](https://steemit.com/utopian-io/@duski.harahap/web-developement-with-python-1-flask-initialization-and-routing-system-1542726589553), now we will pass the parameter to the data that will be received in our template. - to pass parameters to the template we can put them in the second parameter and we can give a new name to throw in the template like the following ``` render_template('profile.html', userData = user);```. ```user``` is data that we get from *routing parameters* and ```userDat```a is a new name that will be used in the **profile.html** template, you can use the same or different names. *No problem...* - We can create a new template, namely **profile.html**. The contents are like the following: **profile.html** ``` <!DOCTYPE html> <html> <head> <title>Template Jinja2</title> </head> <body> <h1>This is the profile page</h1> <h2 style="color:blue;">Hai my name is {{userData}}</h1> </body> </html> ``` We can print the data we get from routing with ```{{nameOfdata}}```. to see the results we can see in the picture below:  We can see in the picture above we have successfully rendered the data that we pass in the template. ### Post method In web applications, of course, we will use methods such as ***get, post, put, delete.*** in this section we will learn how to use these methods in our routing system. but before we use these methods, for example, I will create a login form. I will make a new routing on our application, That is ```/login```. I will create a login page with the name **login.html**, you can see the contents like this: **login.html** ``` <!DOCTYPE html> <html> <head> <title>Login page</title> </head> <body> <h1>Form Login</h1> <form action="/login" method="post"> <label for="">Email</label><br> <input type="text" name="email"><br><br> <label for="">Password</label><br> <input type="password" name="password"><br> <input type="submit" name="" value="login"> </form> </body> </html> ``` We make a simple login using the post method. We make a simple login using the post method and will do an action to the ```'/login'``` URL ```<form action="/login" method="post">```. <br> - **Create routing ```'/login'```** We have created the form section to ***log in***, now we will move to the routing system. In our routing system, we will create a new routing, namely ```'/login'```.For more details, you can see at the code below: ``` from flask import Flask, render_template, request app = Flask(__name__) @app.route('/welcome') def myFunction(): return render_template('index.html'); @app.route('/welcome/<user>') def paramFunc(user): return render_template('profile.html', userData = user) @app.route('/login', methods=["GET", "POST"]) def login(): if request.method == "POST": return " Your method is POST" return render_template('login.html') ``` - **Import function request:** in the flask we can use the ```request``` method to retrieve all request data, to use it we must import it first as follows ```from flask import Flask, render_template, request```. - **Defined the method in route:** in the routing flask system we can define what method we will use in the routing in the following way ```@app.route('/login', methods=["GET", "POST"])```. We can define the routing method in the second parameter with key ```methods = ["GET", "POST"]```. Because the method we use more than one we can have to be defined in the form of an ```array[]```. - **Handle multiple methods:** We can use several methods in the same routing, to distinguish it we can use ```request.method``` and use ***if else*** to distinguish the action that will be used. We will make an example like the following: ``` if request.method == "POST": return " Your method is POST" return render_template('login.html') ``` If the method used is **POST** we will do ```return " Your method is POST"```. If the method is not **POST** which means the method is **GET**, then we will render the **login.html** template. We can see an example like the picture below:  We can see in the image above, the routing that we access the same. but have two different conditions when we access different methods. when the **GET** method, we will render ```return render_template('login.html')```. but if we use the **POST** method we will ```return " Your method is POST"``` <br> - **Get value from POST data** Now we will learn how to get the data we POST. we can use the request function that we have seen before. because the data we post on our form can use the request.form method. for more details, we can see the code below: **app.py** ``` @app.route('/login', methods=["GET", "POST"]) // the method we used def login(): if request.method == "POST": return "Your email is "+ request.form['email'] return render_template('login.html') ``` - to get the data we post we can use ```request.form['nameOfinput']```. in this tutorial, we will try to retrieve data that is post through ```<input type="text" name="email">```. the name of input is 'email', so we can get the value like this ```request.form['email']```. to see the results we can see in the picture below:  We see in the picture above we have successfully retrieved the post data, this is something very important when we want to interact with user data, we have learned new things in this tutorial, I hope you can this tutorial can be the basis for you to know the flask to be developed into better. thank you for following this tutorial... #### Curriculum [Web developement with python #1 : Flask initialization and Routing system](https://steemit.com/utopian-io/@duski.harahap/web-developement-with-python-1-flask-initialization-and-routing-system-1542726589553) #### Proof of work done https://github.com/milleaduski/python-web-app
author | duski.harahap | ||||||
---|---|---|---|---|---|---|---|
permlink | web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736 | ||||||
category | utopian-io | ||||||
json_metadata | {"app":"steemit/0.1","format":"markdown","image":["https://ipfs.busy.org/ipfs/Qma71Cfpy5YxfeEHGHgwrVrozvv8y59YBw1CMzodQjoKAi","https://ipfs.busy.org/ipfs/QmbyYV1U8dsvtnqu55ofs5vwEfuALLSBJhakHVL39edr3g","https://ipfs.busy.org/ipfs/QmYLWHvwUpbogYde41Fg384mJWGBZyDvP8dKcCPsKfzs1U","https://ipfs.busy.org/ipfs/QmW2jcFPkKMQoAvm4hGtckg4XpkPfEG6YzQC4tSr6EUSko","https://ipfs.busy.org/ipfs/Qmf1EjBw4mCiwWHKJvUgBY8b6XwdL9QajUWCQ7qzbNXJPe"],"tags":["utopian-io","tutorials","python","flask","web"],"links":["https://github.com/python","https://www.python.org/","http://flask.pocoo.org/","http://jinja.pocoo.org/docs/2.10/","https://steemit.com/utopian-io/@duski.harahap/web-developement-with-python-1-flask-initialization-and-routing-system-1542726589553","https://github.com/milleaduski/python-web-app"]} | ||||||
created | 2018-11-23 15:39:15 | ||||||
last_update | 2018-11-24 17:49:30 | ||||||
depth | 0 | ||||||
children | 6 | ||||||
last_payout | 2018-11-30 15:39:15 | ||||||
cashout_time | 1969-12-31 23:59:59 | ||||||
total_payout_value | 11.012 HBD | ||||||
curator_payout_value | 3.604 HBD | ||||||
pending_payout_value | 0.000 HBD | ||||||
promoted | 0.000 HBD | ||||||
body_length | 9,988 | ||||||
author_reputation | 60,094,717,098,672 | ||||||
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" | ||||||
beneficiaries |
| ||||||
max_accepted_payout | 100,000.000 HBD | ||||||
percent_hbd | 10,000 | ||||||
post_id | 75,791,455 | ||||||
net_rshares | 24,774,670,159,696 | ||||||
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
arcange | 0 | 22,171,692,282 | 3% | ||
raphaelle | 0 | 1,455,410,454 | 3% | ||
warofcraft | 0 | 28,684,694,937 | 20% | ||
miniature-tiger | 0 | 100,183,830,406 | 50% | ||
aleister | 0 | 7,634,760,985 | 16% | ||
jga | 0 | 6,556,210,549 | 34% | ||
yehey | 0 | 10,267,198,958 | 10% | ||
mercadosaway | 0 | 1,450,544,020 | 100% | ||
bachuslib | 0 | 20,870,276,471 | 100% | ||
steemitri | 0 | 135,715,461,745 | 100% | ||
accelerator | 0 | 20,488,903,953 | 1.5% | ||
mcfarhat | 0 | 9,095,907,485 | 12.3% | ||
martusamak | 0 | 3,193,980,369 | 25% | ||
loshcat | 0 | 3,068,376,926 | 100% | ||
pataty69 | 0 | 10,329,488,331 | 25% | ||
katamori | 0 | 493,452,987 | 6.8% | ||
utopian-io | 0 | 23,427,184,676,361 | 18.29% | ||
shammi | 0 | 91,201,026,718 | 90% | ||
cheneats | 0 | 437,419,303 | 2% | ||
scipio | 0 | 59,196,306,607 | 25% | ||
dedicatedguy | 0 | 152,302,773,488 | 100% | ||
amosbastian | 0 | 66,214,857,884 | 30.75% | ||
viperblckz | 0 | 4,248,255,040 | 100% | ||
osazuisdela | 0 | 501,482,593 | 20% | ||
sudefteri | 0 | 3,632,547,483 | 100% | ||
midun | 0 | 13,613,447,870 | 50% | ||
micaelacf | 0 | 881,971,143 | 25% | ||
movement19 | 0 | 1,535,294,611 | 17% | ||
akifane | 0 | 427,269,579 | 100% | ||
legko | 0 | 194,303,870 | 1% | ||
properfraction | 0 | 750,903,127 | 100% | ||
hakancelik | 0 | 31,767,758,178 | 50% | ||
effofex | 0 | 89,300,164 | 0.75% | ||
road2horizon | 0 | 14,066,329,410 | 30% | ||
statsexpert | 0 | 7,842,027,178 | 100% | ||
kipswolfe | 0 | 733,582,998 | 8.5% | ||
mythosacademy | 0 | 422,147,091 | 6% | ||
no0 | 0 | 421,218,679 | 100% | ||
trufflepig | 0 | 32,533,396,426 | 34% | ||
nooo | 0 | 420,793,240 | 100% | ||
bogdasha | 0 | 217,792,342 | 3% | ||
sveridovartem | 0 | 496,798,411 | 100% | ||
cryptouru | 0 | 1,729,657,935 | 8.5% | ||
steembroadcast | 0 | 549,946,685 | 100% | ||
pursercomet | 0 | 495,992,156 | 100% | ||
potatoloosen | 0 | 495,941,536 | 100% | ||
nahardyspgi | 0 | 556,938,750 | 100% | ||
proggerdere | 0 | 556,203,869 | 100% | ||
emma2it | 0 | 498,961,321 | 100% | ||
disfarmthreelxe | 0 | 558,582,524 | 100% | ||
arttempavlov | 0 | 497,186,633 | 100% | ||
compsohanipp | 0 | 559,439,202 | 100% | ||
scourgebar | 0 | 496,412,634 | 100% | ||
hastypeacock | 0 | 496,942,483 | 100% | ||
luc.real | 0 | 223,343,140 | 100% | ||
isabellaj4o97 | 0 | 538,773,380 | 100% | ||
juliavjza6lewis | 0 | 558,078,028 | 100% | ||
tbtek | 0 | 825,149,966 | 25% | ||
cappedscramble | 0 | 496,442,879 | 100% | ||
meme.nation | 0 | 495,026,486 | 8.5% | ||
duarte9sousa | 0 | 2,059,666,134 | 2.5% | ||
olivial9u | 0 | 548,522,649 | 100% | ||
isabelpereira | 0 | 651,485,647 | 5% | ||
ellact9 | 0 | 555,847,150 | 100% | ||
chillibeans | 0 | 88,459,821 | 2% | ||
oliviahnl | 0 | 547,200,907 | 100% | ||
cutowncomfa | 0 | 558,272,940 | 100% | ||
bhaski | 0 | 2,197,617,463 | 25% | ||
paololuffy91 | 0 | 526,017,483 | 20% | ||
englishbracket | 0 | 496,635,844 | 100% | ||
strandharness | 0 | 496,813,193 | 100% | ||
tuilleswine | 0 | 497,618,319 | 100% | ||
abnormalsystem | 0 | 496,984,048 | 100% | ||
riounelrarop | 0 | 534,180,914 | 100% | ||
theotlanmerra | 0 | 542,175,469 | 100% | ||
sesmocentpi | 0 | 535,319,797 | 100% | ||
booksrepchipa | 0 | 555,359,573 | 100% | ||
haileyz | 0 | 558,117,540 | 100% | ||
steem-ua | 0 | 335,803,770,095 | 2.66% | ||
nfc | 0 | 63,875,970,528 | 6% | ||
hdu | 0 | 425,758,041 | 1.5% | ||
emily02 | 0 | 556,883,560 | 100% | ||
curbot | 0 | 2,276,347,494 | 100% | ||
yaroslavkotelok | 0 | 500,113,017 | 100% | ||
maksim.bulatov | 0 | 500,733,211 | 100% | ||
england.pub | 0 | 500,729,676 | 100% | ||
prefsilleoconch | 0 | 500,098,645 | 100% | ||
coyotefizzle | 0 | 500,096,812 | 100% | ||
allianzranked | 0 | 500,133,456 | 100% | ||
kingboundless | 0 | 500,083,351 | 100% | ||
snakeavocet | 0 | 500,009,528 | 100% | ||
sensorintestine | 0 | 500,078,682 | 100% | ||
bulldoperser | 0 | 500,111,553 | 100% | ||
bitok.xyz | 0 | 25,971,821,091 | 3% | ||
peerzadaaabid | 0 | 531,854,325 | 100% | ||
whitebot | 0 | 18,442,333,604 | 1% | ||
chrnerd | 0 | 720,617,932 | 100% | ||
someaddons | 0 | 4,113,538,078 | 100% | ||
rafaelmonteiro | 0 | 879,891,867 | 25% |
When delving into the intricate world of solutions, turning to professional [web design services](https://webcapitan.com/services/design/web-design/) is essential. They are the cornerstone of your online presence, guaranteeing that your website not only dazzles aesthetically but also operates flawlessly, setting the stage for a captivating user journey.
author | beazy12 |
---|---|
permlink | re-duskiharahap-2024322t181127436z |
category | utopian-io |
json_metadata | {"tags":["utopian-io","tutorials","python","flask","web"],"app":"ecency/3.1.1-vision","format":"markdown+html"} |
created | 2024-03-22 16:11:30 |
last_update | 2024-03-22 16:11:30 |
depth | 1 |
children | 0 |
last_payout | 2024-03-29 16:11: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 | 356 |
author_reputation | 736,020,372 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 132,251,815 |
net_rshares | 0 |
Thank you for your contribution. - Nice to see a continuation of your prior tutorial. - It's also nice to learn about Jinja2, although i believe you could have shed a bit more light into it and which commands in your tutorial pertain to using it. - Like the prior one, I believe the tutorial is somewhat basic. I would advise you provide something more unique to the table. - I like the fact that you document and show screenshots of the different steps, useful to your reader. - I suggest you try to improve the overall language and punctuation of the post. There are some serious issues there. 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/31211343). ---- 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 | mcfarhat |
---|---|
permlink | re-duskiharahap-web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736-20181124t204316464z |
category | utopian-io |
json_metadata | {"tags":["utopian-io"],"links":["https://join.utopian.io/guidelines","https://review.utopian.io/result/8/31211343","https://support.utopian.io/","https://discord.gg/uTyJkNm","https://join.utopian.io/"],"app":"steemit/0.1"} |
created | 2018-11-24 20:43:54 |
last_update | 2018-11-24 20:43:54 |
depth | 1 |
children | 1 |
last_payout | 2018-12-01 20:43:54 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 5.929 HBD |
curator_payout_value | 1.903 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 1,088 |
author_reputation | 150,651,671,367,256 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 75,850,802 |
net_rshares | 12,554,236,983,510 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
yuxi | 0 | 18,484,192,727 | 60% | ||
utopian-io | 0 | 12,404,918,664,676 | 8.74% | ||
emrebeyler | 0 | 116,061,734 | 0.01% | ||
amosbastian | 0 | 39,495,895,218 | 17.52% | ||
interfecto | 0 | 5,941,854,189 | 18% | ||
organicgardener | 0 | 4,720,730,995 | 25% | ||
reazuliqbal | 0 | 8,620,702,750 | 8% | ||
hakancelik | 0 | 29,222,106,424 | 50% | ||
mightypanda | 0 | 41,824,002,444 | 30% | ||
fastandcurious | 0 | 892,772,353 | 30% |
Thank you for your review, @mcfarhat! Keep up the good work!
author | utopian-io |
---|---|
permlink | re-re-duskiharahap-web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736-20181124t204316464z-20181126t214801z |
category | utopian-io |
json_metadata | "{"app": "beem/0.20.9"}" |
created | 2018-11-26 21:48:03 |
last_update | 2018-11-26 21:48:03 |
depth | 2 |
children | 0 |
last_payout | 2018-12-03 21:48: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 | 60 |
author_reputation | 152,955,367,999,756 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 75,956,257 |
net_rshares | 0 |
#### Hi @duski.harahap! Your post was upvoted by @steem-ua, new Steem dApp, using UserAuthority for algorithmic post curation! Your post is eligible for our upvote, thanks to our collaboration with @utopian-io! **Feel free to join our [@steem-ua Discord server](https://discord.gg/KpBNYGz)**
author | steem-ua |
---|---|
permlink | re-web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736-20181124t205636z |
category | utopian-io |
json_metadata | "{"app": "beem/0.20.9"}" |
created | 2018-11-24 20:56:39 |
last_update | 2018-11-24 20:56:39 |
depth | 1 |
children | 0 |
last_payout | 2018-12-01 20:56: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 | 292 |
author_reputation | 23,214,230,978,060 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 75,851,241 |
net_rshares | 0 |
**Congratulations!** Your post has been selected as a daily Steemit truffle! It is listed on **rank 15** of all contributions awarded today. You can find the [TOP DAILY TRUFFLE PICKS HERE.](https://steemit.com/@trufflepig/daily-truffle-picks-2018-11-24) I upvoted your contribution because to my mind your post is at least **9 SBD** worth and should receive **98 votes**. It's now up to the lovely Steemit community to make this come true. I am `TrufflePig`, an Artificial Intelligence Bot that helps minnows and content curators using Machine Learning. If you are curious how I select content, [you can find an explanation here!](https://steemit.com/steemit/@trufflepig/weekly-truffle-updates-2018-46) Have a nice day and sincerely yours,  *`TrufflePig`*
author | trufflepig |
---|---|
permlink | re-web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736-20181124t163628 |
category | utopian-io |
json_metadata | "" |
created | 2018-11-24 16:36:30 |
last_update | 2018-11-24 16:36:30 |
depth | 1 |
children | 0 |
last_payout | 2018-12-01 16:36: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 | 883 |
author_reputation | 21,266,577,867,113 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 75,842,332 |
net_rshares | 0 |
Hey, @duski.harahap! **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-web-developement-with-python-2-templating-jinja2-and-method-post-on-routing-system-1542987551736-20181124t205501z |
category | utopian-io |
json_metadata | "{"app": "beem/0.20.9"}" |
created | 2018-11-24 20:55:06 |
last_update | 2018-11-24 20:55:06 |
depth | 1 |
children | 0 |
last_payout | 2018-12-01 20:55: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 | 595 |
author_reputation | 152,955,367,999,756 |
root_title | "Web development with python #2 : Templating jinja2 and Method POST on routing system" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 75,851,175 |
net_rshares | 0 |