https://img.youtube.com/vi/snBvYS6eC2E/mqdefault.jpg 이전글 [**"\[React Native\] MobX State Tree 학습하기 #2"**](/zzan/@anpigon/react-native-mobx-state-tree-2) 에서 이어지는 내용입니다. |**시리즈**| |-| |[\[React Native\] MobX State Tree 학습하기 #1](/zzan/@anpigon/react-native-mobx-state-tree-2)| |[\[React Native\] MobX State Tree 학습하기 #2](/zzan/@anpigon/react-native-mobx-state-tree-2)| |\[React Native\] MobX State Tree 학습하기 #3| ___ 본 포스팅은 아래 강의를 보면서 정리한 노트입니다. 이번 포스팅이 마지막입니다. https://www.youtube.com/watch?v=snBvYS6eC2E ___ <br><br> # Book 읽음(read) 표시 기능 구현하기 해당 도서(book)에 대한 읽음 표시를 `Yes/No` 로 토글 할 수 있는 기능을 구현합니다. <br> ### BookStore에 toogleRead 액션 등록하기 `BookStore.js` 파일을 수정합니다. 그리고 **Book**에 `toogleRead` 액션을 추가합니다. `toogleRead` 은 해당 Book의 read 값을 `true/false` 로 토글하는 액션입니다. ``` const Book = types .model('Book', { title: types.string, author: types.string, read: false, }) .actions(self => ({ toggleRead() { self.read = !self.read; }, })); ``` <br> ### 화면에 toggleRead 기능 붙이기 `App.js` 파일를 수정합니다. 그리고 **App 클래스**에 `toggleRead` 함수를 추가합니다. `toggleRead` 함수에서는 **BookStore**의 `toogleRead` 액션을 실행합니다. ``` class App extends React.Component { ... toggleRead = book => { book.toggleRead(); }; ``` <br>그다음 render에 **Read 여부**를 출력할 Text 컴포넌트를 추가합니다. 그리고 Read를 출력하는 `<Text>` 컴포넌트의 `onPress` 이벤트에 `toggleRead` 함수를 등록합니다. 이제 Read 텍스트를 누를때마다 Read 값이 바뀌게 됩니다. ``` render() { ... return ( ... {books.map((book, index) => ( <React.Fragment key={index}> <Text>{book.title}</Text> <Text onPress={() => this.toggleRead(book)}> Read: {book.read ? 'Yes' : 'No'} </Text> </React.Fragment> ))} ... ``` <br> ### 실행결과 화면에서 Read를 누르면 `Yes` 또는 `No` 값으로 변경됩니다. ||| |-|-| ||| <br> <br> *** <br> <br> # Book 삭제(delete) 기능 구현하기 Book을 등록을 했으니 이제 삭제 기능을 구현합니다. <br> ### BookStore에 removeBook 액션 등록하기 `BookStore.js` 파일을 수정합니다. 그리고 **BookStore**에 `removeBook` 액션을 추가합니다. `removeBook` 액션은 해당 Book을 **BookStore**에서 제거합니다. ``` const BookStore = types .model('Books', { books: types.array(Book), }) .actions(self => ({ addBook(book) { self.books.push(book); }, removeBook(book) { destroy(book); }, })) ... ``` <br> ### 화면에 removeBook 기능 붙이기 App.js 파일를 수정합니다. **App** 클래스에 `delete` 함수를 추가합니다. `delete` 함수에서는 BookStore의 removeBook 액션을 실행합니다. ``` class App extends React.Component { ... delete = book => { BookStore.removeBook(book); }; ``` <br>그다음 Text 컴포넌트를 사용하여 render에 삭제 버튼을 추가합니다. 그리고 삭제 버튼인 `<Text>` 컴포넌트의 onPress 이벤트에 `delete` 함수를 등록합니다. 이제 **Delete 텍스트**를 누르면 해당 book 데이터가 **BookStore**에서 삭제됩니다. ``` {books.map((book, index) => ( <React.Fragment key={index}> <Text>{book.title}</Text> <Text onPress={() => this.toogleRead(book)}> Read: {book.read ? 'Yes' : 'No'} </Text> <Text onPress={() => this.delete(book)}>Delete</Text> </React.Fragment> ))} ``` <br> ### 실행결과 새로운 Book을 추가합니다. 그리고 해당 Book의 Delete를 누르면 해당 Book이 삭제됩니다. ||| |-|-| ||| <br> <br> # Mobx의 views 속성 사용하기 Mobx에서는 계산된 값(computed values)이나 필터된 값이 필요한 경우, 재렌더링하지 않게 하기 위해 views 속성을 제공합니다. 다음과 같이 사용합니다. `BookStore.js` 파일을 수정합니다. 그리고 `BookStore`에 **views 속성**을 추가합니다. `get readBooks` 함수는 `read==true`인 Books 데이터를 리턴합니다. Books 데이터가 바뀌지 않으면 이전에 계산된 값을 바로 리턴합니다. 그리고 `booksByAuthor` 는 인자값으로 받은 Author에 해당하는 Books를 리턴합니다. 이 함수 또한 Books 데이터가 바뀌지 않으면 재렌더링하지 않습니다. ``` const BookStore = types .model('Books', { books: types.array(Book), }) .views(self => ({ get readBooks() { return self.books.filter(book => book.read); }, booksByAuthor(author) { return self.books.filter(book => book.author === author); }, })) ``` <br> 위 데이터는 컴포넌트를 사용하지 않고 **Console.log** 에 출력해보겠습니다. ``` class App extends React.Component { ... render() { const { books } = BookStore; console.log('readBooks:', BookStore.readBooks); console.log('booksByAuthor Anpigon:', BookStore.booksByAuthor('Anpigon')); ``` <br> **실행결과** 다음과 같이 **Console.log** 에서 출력된 값을 확인 할 수 있습니다.  <br><br> 동영상 강의 내용은 여기까지 입니다. 총 20분으로 짧은 강의였지만, 매우 훌륭한 MobX 튜토리얼 강의입니다. 그리고 Redux 사용할때 보다 코딩량이 훨씬 적어서 매우 만족스럽습니다. 하지만 아직 MobX에 대한 이해가 낮아서 다른 강의를 찾아서 좀더 공부 해야겠습니다. Redux와 달리 MobX는 마법처럼 처리해주는 기능이 있어서 이해가 잘안되는 부분이 있습니다. *** <br> `댓글`, `팔로우`, `좋아요` 해 주시는 모든 분께 감사합니다. 항상 행복한 하루 보내시길 바랍니다. *** <center><img src='https://steemitimages.com/400x0/https://cdn.steemitimages.com/DQmQmWhMN6zNrLmKJRKhvSScEgWZmpb8zCeE2Gray1krbv6/BC054B6E-6F73-46D0-88E4-C88EB8167037.jpeg'><h5>vote, reblog, follow <code><a href='/@anpigon'>@anpigon</a></code></h5></center>
author | anpigon |
---|---|
permlink | react-native-mobx-state-tree-3 |
category | zzan |
json_metadata | {"app":"busy/2.5.6","format":"markdown","tags":["zzan","kr-dev","liv","palnet","neoxian","sct","sct-freeboard","react-native","busy","jjm","kr"],"links":["/zzan/@anpigon/react-native-mobx-state-tree-2","/zzan/@anpigon/react-native-mobx-state-tree-2","/zzan/@anpigon/react-native-mobx-state-tree-2","/@anpigon"],"image":["https://img.youtube.com/vi/snBvYS6eC2E/mqdefault.jpg","https://steemitimages.com/460x0/https://files.steempeak.com/file/steempeak/anpigon/y0Ay4z1m-E18489E185B3E1848FE185B3E18485E185B5E186ABE18489E185A3E186BA202019-08-1120E1848BE185A9E18492E185AE2010.47.18.png","https://files.steempeak.com/file/steempeak/anpigon/1wego6oz-2019-08-112022-46-01.2019-08-112022_47_05.gif","https://steemitimages.com/460x0/https://files.steempeak.com/file/steempeak/anpigon/pP2x9uYe-E18489E185B3E1848FE185B3E18485E185B5E186ABE18489E185A3E186BA202019-08-1120E1848BE185A9E18492E185AE2011.39.45.png","https://files.steempeak.com/file/steempeak/anpigon/x7UoCQiy-2019-08-112023-38-25.2019-08-112023_39_32.gif","https://files.steempeak.com/file/steempeak/anpigon/Q4TM0IZG-2019-08-112023-55-06.2019-08-112023_59_55.gif","https://steemitimages.com/400x0/https://cdn.steemitimages.com/DQmQmWhMN6zNrLmKJRKhvSScEgWZmpb8zCeE2Gray1krbv6/BC054B6E-6F73-46D0-88E4-C88EB8167037.jpeg"],"community":"busy","good":true} |
created | 2019-08-14 04:32:45 |
last_update | 2019-08-14 04:34:15 |
depth | 0 |
children | 3 |
last_payout | 2019-08-21 04:32:45 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 1.051 HBD |
curator_payout_value | 0.289 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 5,461 |
author_reputation | 17,258,940,000,931 |
root_title | "[React Native] MobX State Tree 학습하기 #3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 89,502,126 |
net_rshares | 4,120,911,332,836 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
bert0 | 0 | 1,208,155,728 | 0.4% | ||
guest123 | 0 | 735,587,499 | 100% | ||
busy.pay | 0 | 628,917,080,639 | 3.02% | ||
sisilafamille | 0 | 482,306,884 | 100% | ||
happyberrysboy | 0 | 20,101,528,280 | 100% | ||
hellosteem | 0 | 661,182,847 | 100% | ||
ai-channel | 0 | 722,867,533,466 | 19% | ||
stylegold | 0 | 427,205,299 | 100% | ||
realmankwon | 0 | 6,215,166,988 | 25% | ||
beoped | 0 | 58,151,967,281 | 30% | ||
dodoim | 0 | 387,736,724,867 | 100% | ||
fur2002ks | 0 | 166,115,881,475 | 12% | ||
ukk | 0 | 3,605,452,631 | 20% | ||
forhappywomen | 0 | 47,915,836,813 | 100% | ||
accelerator | 0 | 17,409,408,858 | 0.54% | ||
omerbiabdulah | 0 | 534,473,609 | 100% | ||
krfeed | 0 | 228,925,634 | 100% | ||
pediatrics | 0 | 6,665,077,809 | 25% | ||
yjs3694 | 0 | 83,781,074,812 | 100% | ||
eversloth | 0 | 78,946,617,002 | 25% | ||
jacobyu | 0 | 93,678,665,921 | 100% | ||
fun2learn | 0 | 1,013,343,788 | 2% | ||
philhyuntd | 0 | 1,805,104,712 | 50% | ||
songbj | 0 | 1,509,493,172 | 100% | ||
lucky2015 | 0 | 28,411,276,591 | 20% | ||
rubberducky1004 | 0 | 400,625,829 | 100% | ||
tanky | 0 | 39,869,097,195 | 100% | ||
andrewma | 0 | 0 | 0.2% | ||
krnews | 0 | 766,138,959 | 100% | ||
newbijohn | 0 | 17,289,264,997 | 50% | ||
wbot01 | 0 | 378,735,298 | 100% | ||
nin4i | 0 | 693,535,561 | 100% | ||
nailyourhome | 0 | 391,699,722 | 2.6% | ||
parisfoodhunter | 0 | 97,741,737,510 | 100% | ||
rokairforce | 0 | 677,246,176 | 100% | ||
georgeknowsall | 0 | 9,220,862,493 | 100% | ||
ulockblock | 0 | 150,160,899,549 | 100% | ||
cn-news | 0 | 69,356,021 | 20% | ||
china-unicom | 0 | 69,209,743 | 20% | ||
china.mobile | 0 | 1,106,746,307 | 20% | ||
erke | 0 | 69,185,783 | 20% | ||
cnpc | 0 | 69,186,486 | 20% | ||
cn-reporter | 0 | 69,346,631 | 20% | ||
mcenoramle | 0 | 2,242,707,819 | 100% | ||
elraberscer | 0 | 1,021,652,549 | 100% | ||
voxmortis | 0 | 286,523,466 | 0.27% | ||
laissez-faire | 0 | 88,060,177 | 100% | ||
reportup | 0 | 41,532,367,214 | 20% | ||
delegate4upvot | 0 | 97,266,108 | 1.8% | ||
imrahelk | 0 | 21,274,827,596 | 100% | ||
doctor.strange | 0 | 381,974,661 | 100% | ||
dead.pool | 0 | 384,878,636 | 100% | ||
black.widow | 0 | 378,108,255 | 100% | ||
marvel.spiderman | 0 | 378,108,460 | 100% | ||
marvel.hulk | 0 | 378,075,603 | 100% | ||
marvel.ironman | 0 | 378,172,778 | 100% | ||
black.pan.ther | 0 | 378,140,958 | 100% | ||
honeybeerbear | 0 | 4,925,938,114 | 50% | ||
devsup | 0 | 28,781,529,920 | 7% | ||
gomdory | 0 | 101,419,703,113 | 100% | ||
guessteem | 0 | 546,224,588 | 100% | ||
gouji | 0 | 355,866,654 | 100% | ||
claim7 | 0 | 377,773,867 | 100% | ||
wcasino | 0 | 1,379,732,139 | 100% | ||
wcasino.pay | 0 | 378,890,278 | 100% | ||
wcasino.holdem | 0 | 301,395,420 | 100% | ||
wcasino.jackpot | 0 | 278,271,790 | 100% | ||
steemit.holdem | 0 | 958,456,831 | 100% | ||
steemit.jackpot | 0 | 278,337,460 | 100% | ||
talken | 0 | 897,278,488 | 100% | ||
steemory | 0 | 3,480,201,826 | 100% | ||
smcard | 0 | 1,278,968,230 | 100% | ||
smonsmon | 0 | 1,278,311,705 | 100% | ||
guro | 0 | 1,278,467,990 | 100% | ||
shindorim | 0 | 1,278,500,531 | 100% | ||
yongsan | 0 | 1,286,437,115 | 100% | ||
incheon | 0 | 1,279,168,572 | 100% | ||
mapo | 0 | 1,278,352,709 | 100% | ||
shingil | 0 | 944,005,579 | 100% | ||
checkname | 0 | 1,278,743,712 | 100% | ||
starterpack | 0 | 943,979,108 | 100% | ||
gdragon | 0 | 1,278,533,465 | 100% | ||
sumimasen | 0 | 1,278,693,092 | 100% | ||
smtester | 0 | 1,278,817,279 | 100% | ||
showdown | 0 | 943,944,014 | 100% | ||
monstersteem | 0 | 1,278,726,424 | 100% | ||
freesale | 0 | 1,278,646,657 | 100% | ||
freefee | 0 | 1,278,404,538 | 100% | ||
testsama | 0 | 944,176,193 | 100% | ||
kimch | 0 | 943,935,596 | 100% | ||
tongdak | 0 | 1,279,151,651 | 100% | ||
hanbok | 0 | 1,610,214,934 | 100% | ||
jjangjjangman | 0 | 944,754,322 | 100% | ||
superguard | 0 | 1,609,320,049 | 100% | ||
yawang | 0 | 943,971,772 | 100% | ||
roadmap | 0 | 943,986,651 | 100% | ||
kpay | 0 | 943,606,725 | 100% | ||
adultbaby | 0 | 1,278,766,333 | 100% | ||
sneack | 0 | 944,230,756 | 100% | ||
gzone | 0 | 1,278,334,412 | 100% | ||
ppororo | 0 | 1,278,784,547 | 100% | ||
lotto645 | 0 | 943,934,051 | 100% | ||
alphamonsters | 0 | 1,278,679,528 | 100% | ||
betamonsters | 0 | 1,278,846,163 | 100% | ||
girlfriends | 0 | 1,278,618,811 | 100% | ||
fastway | 0 | 1,278,577,172 | 100% | ||
smonsang | 0 | 943,734,663 | 100% | ||
technomart | 0 | 1,278,622,743 | 100% | ||
lastsmon | 0 | 944,126,223 | 100% | ||
postme | 0 | 1,278,620,515 | 100% | ||
smilezone | 0 | 1,278,331,249 | 100% | ||
bearbaby | 0 | 1,278,567,262 | 100% | ||
o0o0o | 0 | 1,278,600,893 | 100% | ||
thecards | 0 | 1,278,460,230 | 100% | ||
developments | 0 | 1,278,619,719 | 100% | ||
originals | 0 | 1,278,738,967 | 100% | ||
beanpole | 0 | 1,278,738,246 | 100% | ||
oilbank | 0 | 1,278,466,951 | 100% | ||
iliili | 0 | 1,278,586,828 | 100% | ||
kotlin | 0 | 1,278,624,625 | 100% | ||
flutters | 0 | 1,278,326,161 | 100% | ||
prettyguy | 0 | 1,278,270,287 | 100% | ||
gamemonsters | 0 | 1,278,375,223 | 100% | ||
blueguy | 0 | 699,145,301 | 100% | ||
sicbo | 0 | 1,366,314,584 | 100% | ||
yaoi | 0 | 1,376,021,675 | 100% | ||
farmfarm | 0 | 1,374,726,476 | 100% | ||
giantroc | 0 | 1,039,711,487 | 100% | ||
koboldminer | 0 | 1,039,676,750 | 100% | ||
crustaceanking | 0 | 1,039,640,534 | 100% | ||
waterelemental | 0 | 1,039,544,397 | 100% | ||
goblinsorcerer | 0 | 1,039,730,452 | 100% | ||
ragingimpaler | 0 | 1,055,100,597 | 100% | ||
animatedcorpse | 0 | 1,375,501,192 | 100% | ||
spiritforest | 0 | 1,039,903,004 | 100% | ||
serpentflame | 0 | 1,039,811,166 | 100% | ||
goblincaptain | 0 | 1,039,741,805 | 100% | ||
lyannaforest | 0 | 1,039,801,255 | 100% | ||
divineknight | 0 | 1,039,897,109 | 100% | ||
feralwarrior | 0 | 1,039,806,641 | 100% | ||
elementalair | 0 | 1,039,810,119 | 100% | ||
jestertwisted | 0 | 1,040,069,538 | 100% | ||
bansheescreaming | 0 | 1,039,810,392 | 100% | ||
skyselenia | 0 | 1,039,776,818 | 100% | ||
darknesslord | 0 | 1,039,976,785 | 100% | ||
lightangel | 0 | 1,039,968,826 | 100% | ||
naturalyanna | 0 | 1,040,092,599 | 100% | ||
astormbringer | 0 | 1,039,875,580 | 100% | ||
giantfrost | 0 | 1,039,904,954 | 100% | ||
warriorminotaur | 0 | 1,056,661,467 | 100% | ||
golemalric | 0 | 1,039,871,860 | 100% | ||
orcelemental | 0 | 1,375,071,837 | 100% | ||
spiritpriest | 0 | 1,039,979,122 | 100% | ||
lordjester | 0 | 1,039,908,919 | 100% | ||
magifirestorm | 0 | 1,039,679,263 | 100% | ||
muhan | 0 | 1,039,383,619 | 100% | ||
pigoncchio | 0 | 665,506,138 | 100% | ||
maeil | 0 | 0 | 100% | ||
smseller | 0 | 1,618,914,565 | 100% | ||
skysung | 0 | 318,261,366 | 50% | ||
j-car | 0 | 109,101,366,911 | 7% | ||
coredump | 0 | 31,609,291 | 25% | ||
son1001 | 0 | 658,819,407 | 100% | ||
minigame | 0 | 985,207,406,744 | 7% | ||
mondera | 0 | 544,098,363 | 100% | ||
cosmee | 0 | 543,798,260 | 100% | ||
luxiony | 0 | 543,328,388 | 100% | ||
wangpigon | 0 | 1,122,041,793 | 100% | ||
map10k | 0 | 1,652,995,993 | 0.55% | ||
lovelyyeon.cur | 0 | 753,393,038 | 100% | ||
nympheas | 0 | 435,884,175 | 100% | ||
zzan.biz | 0 | 1,643,588,665 | 100% | ||
zzan.co7 | 0 | 153,281,829 | 50% | ||
zzan.co10 | 0 | 123,398,571 | 50% | ||
herobear | 0 | 225,692,553 | 100% | ||
zzan.co12 | 0 | 666,248,029 | 100% | ||
kudock | 0 | 297,936,544 | 100% | ||
zzan.co13 | 0 | 142,941,979 | 50% | ||
zzan.co20 | 0 | 394,314,097 | 100% | ||
wonsama.zzan | 0 | 1,362,596,932 | 100% | ||
cyberrn.zzang | 0 | 139,826,422 | 10% | ||
rbaggo.zzan | 0 | 2,003,952,912 | 100% | ||
zzangu | 0 | 4,323,170,598 | 100% | ||
realmankwon.scot | 0 | 992,835,420 | 100% | ||
hodolbak-zzan | 0 | 2,173,572,138 | 100% | ||
cn-sct | 0 | 1,069,050,018 | 2% | ||
gghite.zzan | 0 | 1,517,633,771 | 100% | ||
done.mod | 0 | 361,028,421 | 100% | ||
mapxv | 0 | 9,338,134,615 | 1.82% | ||
zzan1004 | 0 | 231,588,356 | 50% | ||
zzan.blue | 0 | 342,387,607 | 100% |
화이팅!! 이말 밖에는...ㅎㅎ 즐거운 오후 되세요^^
author | fur2002ks |
---|---|
permlink | pw7mxk |
category | zzan |
json_metadata | {"tags":["zzan"],"app":"steemit/0.1"} |
created | 2019-08-14 04:53:45 |
last_update | 2019-08-14 04:53:45 |
depth | 1 |
children | 1 |
last_payout | 2019-08-21 04:53:45 |
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 | 30 |
author_reputation | 215,309,454,101,823 |
root_title | "[React Native] MobX State Tree 학습하기 #3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 89,502,658 |
net_rshares | 0 |
감사합니다. 내일부터 징검다리 연휴네요. 독거님 연휴 잘보내세요.
author | anpigon |
---|---|
permlink | re-fur2002ks-pw7o5q |
category | zzan |
json_metadata | {"tags":["zzan"],"app":"steempeak/1.14.15"} |
created | 2019-08-14 05:20:15 |
last_update | 2019-08-14 05:20:15 |
depth | 2 |
children | 0 |
last_payout | 2019-08-21 05:20:15 |
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 | 36 |
author_reputation | 17,258,940,000,931 |
root_title | "[React Native] MobX State Tree 학습하기 #3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 89,503,367 |
net_rshares | 0 |
* 태그 작성 가이드라인 준수는 콘텐츠 관리와 글에 대한 접근성을 높이기 위해 반드시 필요한 절차입니다. ( It is an essential step to adhere tags guideline, manage content and make access better to your postings.) * 스팀코인판에서 활용 가능한 태그는 크게 [보상태그 / 언어태그/ 주제태그]로 구분할 수 있습니다. 보상태그와 언어태그는 필수입니다.(Tags that can be largely grouped into [Main Community / Language / Topic] in community. The language and topic tags are required.) (예) 한국어로 작성한 자유 주제 포스팅((E.g) Posting for free topic in English) * 보상태그: #sct 필수 (Main Community: #sct (required)) * 언어태그: #sct-kr 필수(Language: #sct-en (required)) * 주제태그: #sct-freeboard 필수(Topic: #sct-freeboard(required)) * 아래 보기에 있는 태그들 중에서 선택  * 태그 작성 가이드라인을 준수하는 것이 태그 사용을 규제하는 정책보다 스팀코인판의 가치를 높이는 길이라고 생각합니다.(We believe that adhering tags guideline is a way to increase the value of SteemCoinpan community than that of forcing tags limitations.) --- <center> </center> ---
author | sct.notice |
---|---|
permlink | re-anpigon-react8742 |
category | zzan |
json_metadata | {"app":"steempeak/1.14.15","format":"markdown","tags":["zzan","kr-dev","liv","palnet","neoxian","sct","sct-freeboard","react-native","busy","jjm"],"users":["anpigon"],"links":["/zzan/@anpigon/react-native-mobx-state-tree-2","/zzan/@anpigon/react-native-mobx-state-tree-2","/zzan/@anpigon/react-native-mobx-state-tree-2","/@anpigon"],"image":["https://img.youtube.com/vi/snBvYS6eC2E/mqdefault.jpg","https://steemitimages.com/460x0/https://files.steempeak.com/file/steempeak/anpigon/y0Ay4z1m-E18489E185B3E1848FE185B3E18485E185B5E186ABE18489E185A3E186BA202019-08-1120E1848BE185A9E18492E185AE2010.47.18.png","https://files.steempeak.com/file/steempeak/anpigon/1wego6oz-2019-08-112022-46-01.2019-08-112022_47_05.gif","https://steemitimages.com/460x0/https://files.steempeak.com/file/steempeak/anpigon/pP2x9uYe-E18489E185B3E1848FE185B3E18485E185B5E186ABE18489E185A3E186BA202019-08-1120E1848BE185A9E18492E185AE2011.39.45.png","https://files.steempeak.com/file/steempeak/anpigon/x7UoCQiy-2019-08-112023-38-25.2019-08-112023_39_32.gif","https://files.steempeak.com/file/steempeak/anpigon/Q4TM0IZG-2019-08-112023-55-06.2019-08-112023_59_55.gif","https://steemitimages.com/400x0/https://cdn.steemitimages.com/DQmQmWhMN6zNrLmKJRKhvSScEgWZmpb8zCeE2Gray1krbv6/BC054B6E-6F73-46D0-88E4-C88EB8167037.jpeg"]} |
created | 2019-08-14 04:32:51 |
last_update | 2019-08-14 04:32:51 |
depth | 1 |
children | 0 |
last_payout | 2019-08-21 04:32: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 | 1,177 |
author_reputation | 60,586,092,807 |
root_title | "[React Native] MobX State Tree 학습하기 #3" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 89,502,131 |
net_rshares | 0 |