<center> [](https://3speak.tv/watch?v=spknetwork/usvpezvf) ▶️ [Watch on 3Speak](https://3speak.tv/watch?v=spknetwork/usvpezvf) </center> --- <center></center> <div class="text-justify"> We've been humming along for a few months now, it's been mostly smooth but of course there have been a couple of hiccoughs. There have been more than 50 accounts running node services which provides decentralization as well as capital to collateralize the ad-hoc multi-signature decentralized exchange. The goal of the SPK network is to facilitate decentralized storage which means we have a few stops on the way. ## [Proposing software version 1.1.0](https://github.com/spknetwork/honeycomb-spkcc/tree/1.1) Here we are, for the first time, issuing some SPK tokens. The idea is to trickle out tokens to our users for governance voting so when the time comes to scale, it's not us making all the decisions. Initially we're setting our APY at a very low number so our first movers advantage will be more in the decision making and less in token accumulation. ### Proposed Rates: .1% APR to node operators .03% APR to Delegators to node operators(split between the delegator and the delegatee, 0.015% each) .01% APR to Non-Delegators This rate is calculated daily, and is non-compounding, based on Locked, or Powered LARYNX only. The incentive is for our users to provide infrastructure, or to select their infrastructure providers. The low amount for the delegation makes it more profitable to provide services than to game the delegation system. The lowest amount goes toward those interested enough to stake into the ecosystem, but not much else. ### Interest Those familiar with the HBD interest algorithms will find some nostalgic methods here. When an account sends SPK, powers up or delegates Larynx, or claims earnings will have their interest calculated first. The periods are based on whole days (28800 blocks). This keeps compute cycles low and makes scaling easier. The down-side is front ends will have to calculate balances. ### Code Review I welcome and strongly encourage code review. I'll explain some of the biggest pieces below. #### Interest Calc ```js const simpleInterest = (p, t, r) => { const amount = p * (1 + r / 365); const interest = amount - p; return parseInt(interest * t); }; ``` p => principal t => time in days r => rate (0.01, 0.0015, 0.001) #### SPK Earnings Calc ```js const reward_spk = (acc, bn) => { return new Promise((res, rej) => { const Pblock = getPathNum(["spkb", acc]); const Pstats = getPathObj(["stats"]); const Ppow = getPathNum(["pow", acc]); const Pgranted = getPathNum(["granted", acc, "t"]); const Pgranting = getPathNum(["granting", acc, "t"]); const Pgov = getPathNum(["gov", acc]); const Pspk = getPathNum(['spk', acc]) const Pspkt = getPathNum(['spk', 't']) Promise.all([Pblock, Pstats, Ppow, Pgranted, Pgranting, Pgov, Pspk, Pspkt]).then( (mem) => { var block = mem[0], diff = bn - block, stats = mem[1], pow = mem[2], granted = mem[3], granting = mem[4], gov = mem[5], spk = mem[6], spkt = mem[7], r = 0, a = 0, b = 0, c = 0, t = 0 if (!block){ store.batch( [{ type: "put", path: ["spkb", acc], data: bn}], [res, rej, 0] ); } else if(diff < 28800){ //min claim period res(r) } else { t = parseInt(diff/28800) a = simpleInterest(gov, t, stats.spk_rate_lgov) b = simpleInterest(pow, t, stats.spk_rate_lpow); c = simpleInterest( (granted + granting), t, stats.spk_rate_ldel ); const i = a + b + c if(i){ store.batch( [{type: "put", path: ["spk", acc], data: spk + i}, {type: "put", path: ["spk", "t"], data: spkt + i}, {type: "put", path: ["spkb", acc], data: bn - (diff % 28800) }], [res, rej, i] ); } else { res(0) } } } ); }) } ``` Here the different balances are accessed in memory interest is calculated, and the SPK balance and total SPK balance are adusted. The Interest is calculated for whole days stored as block numbers in `['spkb']` #### SPK Send ```js exports.spk_send = (json, from, active, pc) => { let Pinterest = reward_spk(from, json.block_num), Pinterest2 = reward_spk(json.to, json.block_num); Promise.all([Pinterest, Pinterest2]) .then(interest => { let fbalp = getPathNum(["spk", from]), tbp = getPathNum(["spk", json.to]); //to balance promise Promise.all([fbalp, tbp]) .then((bals) => { let fbal = bals[0], tbal = bals[1], ops = []; send = parseInt(json.amount); if ( json.to && typeof json.to == "string" && send > 0 && fbal >= send && active && json.to != from ) { //balance checks ops.push({ type: "put", path: ["spk", from], data: parseInt(fbal - send), }); ops.push({ type: "put", path: ["spk", json.to], data: parseInt(tbal + send), }); let msg = `@${from}| Sent @${json.to} ${parseFloat( parseInt(json.amount) / 1000 ).toFixed(3)} SPK`; if (config.hookurl || config.status) postToDiscord(msg, `${json.block_num}:${json.transaction_id}`); ops.push({ type: "put", path: ["feed", `${json.block_num}:${json.transaction_id}`], data: msg, }); } else { ops.push({ type: "put", path: ["feed", `${json.block_num}:${json.transaction_id}`], data: `@${from}| Invalid spk send operation`, }); } if (process.env.npm_lifecycle_event == "test") pc[2] = ops; store.batch(ops, pc); }) .catch((e) => { console.log(e); }); }) }; ``` Here you can see the interest is calculated and rewarded before the send operation occurs. In the future this will also happen for all smart contracts that rely on SPK balance or changes to locked Larynx balances. One concern here, if the approach to voting is space sensitive, changing SPK balances will require vote weights to be returned to the average. If votes are stored in the system the vote can be recalculated. I'm interested in hearing about clever ways to track votes with out keeping a whole accounting of them in memory. #### Power Up and Delegate ```js exports.power_up = (json, from, active, pc) => { reward_spk(from, json.block_num).then(interest => { var amount = parseInt(json.amount), lpp = getPathNum(["balances", from]), tpowp = getPathNum(["pow", "t"]), powp = getPathNum(["pow", from]); Promise.all([lpp, tpowp, powp]) .then((bals) => { let lb = bals[0], tpow = bals[1], pow = bals[2], lbal = typeof lb != "number" ? 0 : lb, pbal = typeof pow != "number" ? 0 : pow, ops = []; if (amount <= lbal && active) { ops.push({ type: "put", path: ["balances", from], data: lbal - amount, }); ops.push({ type: "put", path: ["pow", from], data: pbal + amount, }); ops.push({ type: "put", path: ["pow", "t"], data: tpow + amount, }); const msg = `@${from}| Powered ${parseFloat( json.amount / 1000 ).toFixed(3)} ${config.TOKEN}`; if (config.hookurl || config.status) postToDiscord(msg, `${json.block_num}:${json.transaction_id}`); ops.push({ type: "put", path: ["feed", `${json.block_num}:${json.transaction_id}`], data: msg, }); } else { ops.push({ type: "put", path: ["feed", `${json.block_num}:${json.transaction_id}`], data: `@${from}| Invalid power up`, }); } store.batch(ops, pc); }) .catch((e) => { console.log(e); }); }) } exports.power_grant = (json, from, active, pc) => { var amount = parseInt(json.amount), to = json.to, Pgranting_from_total = getPathNum(["granting", from, "t"]), Pgranting_to_from = getPathNum(["granting", from, to]), Pgranted_to_from = getPathNum(["granted", to, from]), Pgranted_to_total = getPathNum(["granted", to, "t"]), Ppower = getPathNum(["pow", from]), Pup_from = getPathObj(["up", from]), Pdown_from = getPathObj(["down", from]), Pup_to = getPathObj(["up", to]), Pdown_to = getPathObj(["down", to]), Pgov = getPathNum(['gov', to]) Pinterest = reward_spk(from, json.block_num), //interest calc before balance changes. Pinterest2 = reward_spk(json.to, json.block_num); Promise.all([ Ppower, Pgranted_to_from, Pgranted_to_total, Pgranting_to_from, Pgranting_from_total, Pup_from, Pup_to, Pdown_from, Pdown_to, Pgov, Pinterest, Pinterest2 ]) .then((mem) => { let from_power = mem[0], granted_to_from = mem[1], granted_to_total = mem[2], granting_to_from = mem[3], granting_from_total = mem[4], up_from = mem[5], up_to = mem[6], down_from = mem[7], down_to = mem[8], ops = []; if (amount < from_power && amount >= 0 && active && mem[9]) { //mem[9] checks for gov balance in to account. if (amount > granted_to_from) { let more = amount - granted_to_from; if (up_from.max) { up_from.max -= more; } if (down_from.max) { down_from.max -= more; } if (up_to.max) { up_to.max += more; } if (down_to.max) { down_to.max += more; } ops.push({ type: "put", path: ["granting", from, "t"], data: granting_from_total + more, }); ops.push({ type: "put", path: ["granting", from, to], data: granting_to_from + more, }); ops.push({ type: "put", path: ["granted", to, from], data: granted_to_from + more, }); ops.push({ type: "put", path: ["granted", to, "t"], data: granted_to_total + more, }); ops.push({ type: "put", path: ["pow", from], data: from_power - more, }); //weeks wait? chron ops? no because of the power growth at vote ops.push({ type: "put", path: ["up", from], data: up_from, }); ops.push({ type: "put", path: ["down", from], data: down_from, }); ops.push({ type: "put", path: ["up", to], data: up_to }); ops.push({ type: "put", path: ["down", to], data: down_to, }); const msg = `@${from}| Has granted ${parseFloat( amount / 1000 ).toFixed(3)} to ${to}`; if (config.hookurl || config.status) postToDiscord( msg, `${json.block_num}:${json.transaction_id}` ); ops.push({ type: "put", path: [ "feed", `${json.block_num}:${json.transaction_id}`, ], data: msg, }); } else if (amount < granted_to_from) { let less = granted_to_from - amount; if (up_from.max) { up_from.max += less; } if (down_from.max) { down_from.max += less; } if (up_to.max) { up_to.max -= less; } if (down_to.max) { down_to.max -= less; } ops.push({ type: "put", path: ["granting", from, "t"], data: granting_from_total - less, }); ops.push({ type: "put", path: ["granting", from, to], data: granting_to_from - less, }); ops.push({ type: "put", path: ["granted", to, from], data: granted_to_from - less, }); ops.push({ type: "put", path: ["granted", to, "t"], data: granted_to_total - less, }); ops.push({ type: "put", path: ["pow", from], data: from_power + less, }); ops.push({ type: "put", path: ["up", from], data: up_from, }); ops.push({ type: "put", path: ["down", from], data: down_from, }); ops.push({ type: "put", path: ["up", to], data: up_to }); ops.push({ type: "put", path: ["down", to], data: down_to, }); const msg = `@${from}| Has granted ${parseFloat( amount / 1000 ).toFixed(3)} to ${to}`; if (config.hookurl || config.status) postToDiscord( msg, `${json.block_num}:${json.transaction_id}` ); ops.push({ type: "put", path: [ "feed", `${json.block_num}:${json.transaction_id}`, ], data: msg, }); } else { const msg = `@${from}| Has already granted ${parseFloat( amount / 1000 ).toFixed(3)} to ${to}`; if (config.hookurl || config.status) postToDiscord( msg, `${json.block_num}:${json.transaction_id}` ); ops.push({ type: "put", path: [ "feed", `${json.block_num}:${json.transaction_id}`, ], data: msg, }); } } else { const msg = `@${from}| Invalid delegation`; if (config.hookurl || config.status) postToDiscord( msg, `${json.block_num}:${json.transaction_id}` ); ops.push({ type: "put", path: ["feed", `${json.block_num}:${json.transaction_id}`], data: msg, }); } store.batch(ops, pc); }) .catch((e) => { console.log(e); }); } ``` The only thing new here to note is delegation are only allowed to accounts with a `gov` balance, which only node operating accounts can have. Removing or lowering a delegation will also calculate the SPK balance before the change. As far as I can figure there is no way to "double spend" Larynx for rewards... please check me on this, it's important. #### API Stated previously front-ends will have to calculate SPK balances based on the same information, which means a little extra API is needed. This will need to be coupled with the interest rate stats and head block number. ## Thank You Thank you to the community of node runners and that help me and each other run and improve this and other Hive software. I appreciate your feedback here and on our [Discord Server](https://discord.gg/Beeb38j) --- #### Vote for our Witness: - https://vote.hive.uno/@disregardfiat - https://vote.hive.uno/@threespeak </div> --- <center>  </center> --- <div class="text-justify"> #### About the SPK Network: - SPK Network Light Paper: https://peakd.com/hive/@spknetwork/spk-network-light-paper - Website: https://spk.network/ - Telegram: https://t.me/spknetwork - Discord: https://discord.gg/JbhQ7dREsP </div> --- ▶️ [3Speak](https://3speak.tv/watch?v=spknetwork/usvpezvf)
author | spknetwork | ||||||||||||||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
permlink | usvpezvf | ||||||||||||||||||
category | hive-112019 | ||||||||||||||||||
json_metadata | "{"tags":["spknetwork","larynx","spk","leofinance","ctp","hive","crypto","web3"],"app":"3speak/0.3.0","type":"3speak/video","image":["https://ipfs-3speak.b-cdn.net/ipfs/bafybeibxzvt3crw4q4n5hthoxojahnla36sminfgald36kppawtyzzdwe4"],"video":{"info":{"platform":"3speak","title":"Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code","author":"spknetwork","permlink":"usvpezvf","duration":1673.8,"filesize":69200081,"file":"ipfs://bafybeibaujihua3d4kmxr7wnvtfo2hcke7fheskwm47thchfowmtqhlagq","lang":"en","firstUpload":false,"ipfs":null,"ipfsThumbnail":null},"content":{"description":"<center></center>\r\n\r\n<div class=\"text-justify\">\r\nWe've been humming along for a few months now, it's been mostly smooth but of course there have been a couple of hiccoughs. There have been more than 50 accounts running node services which provides decentralization as well as capital to collateralize the ad-hoc multi-signature decentralized exchange. The goal of the SPK network is to facilitate decentralized storage which means we have a few stops on the way.\r\n\r\n## [Proposing software version 1.1.0](https://github.com/spknetwork/honeycomb-spkcc/tree/1.1)\r\n\r\nHere we are, for the first time, issuing some SPK tokens. The idea is to trickle out tokens to our users for governance voting so when the time comes to scale, it's not us making all the decisions. Initially we're setting our APY at a very low number so our first movers advantage will be more in the decision making and less in token accumulation. \r\n\r\n### Proposed Rates:\r\n.1% APR to node operators\r\n.03% APR to Delegators to node operators(split between the delegator and the delegatee, 0.015% each)\r\n.01% APR to Non-Delegators\r\n\r\nThis rate is calculated daily, and is non-compounding, based on Locked, or Powered LARYNX only.\r\n\r\nThe incentive is for our users to provide infrastructure, or to select their infrastructure providers. The low amount for the delegation makes it more profitable to provide services than to game the delegation system. The lowest amount goes toward those interested enough to stake into the ecosystem, but not much else.\r\n\r\n### Interest\r\n\r\nThose familiar with the HBD interest algorithms will find some nostalgic methods here. When an account sends SPK, powers up or delegates Larynx, or claims earnings will have their interest calculated first. The periods are based on whole days (28800 blocks). This keeps compute cycles low and makes scaling easier. The down-side is front ends will have to calculate balances.\r\n\r\n### Code Review\r\n\r\nI welcome and strongly encourage code review. I'll explain some of the biggest pieces below.\r\n\r\n#### Interest Calc\r\n\r\n```js\r\nconst simpleInterest = (p, t, r) => { \r\n const amount = p * (1 + r / 365);\r\n const interest = amount - p;\r\n return parseInt(interest * t);\r\n};\r\n```\r\np => principal\r\nt => time in days\r\nr => rate (0.01, 0.0015, 0.001)\r\n\r\n#### SPK Earnings Calc\r\n\r\n```js\r\nconst reward_spk = (acc, bn) => {\r\n return new Promise((res, rej) => {\r\n const Pblock = getPathNum([\"spkb\", acc]);\r\n const Pstats = getPathObj([\"stats\"]);\r\n const Ppow = getPathNum([\"pow\", acc]);\r\n const Pgranted = getPathNum([\"granted\", acc, \"t\"]);\r\n const Pgranting = getPathNum([\"granting\", acc, \"t\"]);\r\n const Pgov = getPathNum([\"gov\", acc]);\r\n const Pspk = getPathNum(['spk', acc])\r\n const Pspkt = getPathNum(['spk', 't'])\r\n Promise.all([Pblock, Pstats, Ppow, Pgranted, Pgranting, Pgov, Pspk, Pspkt]).then(\r\n (mem) => {\r\n var block = mem[0],\r\n diff = bn - block,\r\n stats = mem[1],\r\n pow = mem[2],\r\n granted = mem[3],\r\n granting = mem[4],\r\n gov = mem[5],\r\n spk = mem[6],\r\n spkt = mem[7],\r\n r = 0, a = 0, b = 0, c = 0, t = 0\r\n if (!block){\r\n store.batch(\r\n [{ type: \"put\", path: [\"spkb\", acc], data: bn}],\r\n [res, rej, 0]\r\n );\r\n } else if(diff < 28800){ //min claim period\r\n res(r)\r\n } else {\r\n t = parseInt(diff/28800)\r\n a = simpleInterest(gov, t, stats.spk_rate_lgov)\r\n b = simpleInterest(pow, t, stats.spk_rate_lpow);\r\n c = simpleInterest(\r\n (granted + granting),\r\n t,\r\n stats.spk_rate_ldel\r\n );\r\n const i = a + b + c\r\n if(i){\r\n store.batch(\r\n [{type: \"put\", path: [\"spk\", acc], data: spk + i}, \r\n\t\t\t {type: \"put\", path: [\"spk\", \"t\"], data: spkt + i}, \r\n\t\t\t {type: \"put\", path: [\"spkb\", acc], data: bn - (diff % 28800)\r\n }],\r\n [res, rej, i]\r\n );\r\n } else {\r\n res(0)\r\n }\r\n }\r\n\r\n }\r\n );\r\n })\r\n}\r\n```\r\nHere the different balances are accessed in memory interest is calculated, and the SPK balance and total SPK balance are adusted. The Interest is calculated for whole days stored as block numbers in `['spkb']`\r\n\r\n#### SPK Send\r\n```js\r\nexports.spk_send = (json, from, active, pc) => {\r\n let Pinterest = reward_spk(from, json.block_num),\r\n Pinterest2 = reward_spk(json.to, json.block_num);\r\n Promise.all([Pinterest, Pinterest2])\r\n .then(interest => {\r\n let fbalp = getPathNum([\"spk\", from]),\r\n tbp = getPathNum([\"spk\", json.to]); //to balance promise\r\n Promise.all([fbalp, tbp])\r\n .then((bals) => {\r\n let fbal = bals[0],\r\n tbal = bals[1],\r\n ops = [];\r\n send = parseInt(json.amount);\r\n if (\r\n json.to &&\r\n typeof json.to == \"string\" &&\r\n send > 0 &&\r\n fbal >= send &&\r\n active &&\r\n json.to != from\r\n ) {\r\n //balance checks\r\n ops.push({\r\n type: \"put\",\r\n path: [\"spk\", from],\r\n data: parseInt(fbal - send),\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"spk\", json.to],\r\n data: parseInt(tbal + send),\r\n });\r\n let msg = `@${from}| Sent @${json.to} ${parseFloat(\r\n parseInt(json.amount) / 1000\r\n ).toFixed(3)} SPK`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(msg, `${json.block_num}:${json.transaction_id}`);\r\n ops.push({\r\n type: \"put\",\r\n path: [\"feed\", `${json.block_num}:${json.transaction_id}`],\r\n data: msg,\r\n });\r\n } else {\r\n ops.push({\r\n type: \"put\",\r\n path: [\"feed\", `${json.block_num}:${json.transaction_id}`],\r\n data: `@${from}| Invalid spk send operation`,\r\n });\r\n }\r\n if (process.env.npm_lifecycle_event == \"test\") pc[2] = ops;\r\n store.batch(ops, pc);\r\n })\r\n .catch((e) => {\r\n console.log(e);\r\n });\r\n })\r\n};\r\n```\r\nHere you can see the interest is calculated and rewarded before the send operation occurs. In the future this will also happen for all smart contracts that rely on SPK balance or changes to locked Larynx balances.\r\n\r\nOne concern here, if the approach to voting is space sensitive, changing SPK balances will require vote weights to be returned to the average. If votes are stored in the system the vote can be recalculated. I'm interested in hearing about clever ways to track votes with out keeping a whole accounting of them in memory.\r\n\r\n#### Power Up and Delegate\r\n\r\n```js\r\nexports.power_up = (json, from, active, pc) => {\r\n reward_spk(from, json.block_num).then(interest => {\r\n var amount = parseInt(json.amount),\r\n lpp = getPathNum([\"balances\", from]),\r\n tpowp = getPathNum([\"pow\", \"t\"]),\r\n powp = getPathNum([\"pow\", from]);\r\n\r\n Promise.all([lpp, tpowp, powp])\r\n .then((bals) => {\r\n let lb = bals[0],\r\n tpow = bals[1],\r\n pow = bals[2],\r\n lbal = typeof lb != \"number\" ? 0 : lb,\r\n pbal = typeof pow != \"number\" ? 0 : pow,\r\n ops = [];\r\n if (amount <= lbal && active) {\r\n ops.push({\r\n type: \"put\",\r\n path: [\"balances\", from],\r\n data: lbal - amount,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"pow\", from],\r\n data: pbal + amount,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"pow\", \"t\"],\r\n data: tpow + amount,\r\n });\r\n const msg = `@${from}| Powered ${parseFloat(\r\n json.amount / 1000\r\n ).toFixed(3)} ${config.TOKEN}`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(msg, `${json.block_num}:${json.transaction_id}`);\r\n ops.push({\r\n type: \"put\",\r\n path: [\"feed\", `${json.block_num}:${json.transaction_id}`],\r\n data: msg,\r\n });\r\n } else {\r\n ops.push({\r\n type: \"put\",\r\n path: [\"feed\", `${json.block_num}:${json.transaction_id}`],\r\n data: `@${from}| Invalid power up`,\r\n });\r\n }\r\n store.batch(ops, pc);\r\n })\r\n .catch((e) => {\r\n console.log(e);\r\n });\r\n })\r\n}\r\n\r\nexports.power_grant = (json, from, active, pc) => {\r\n var amount = parseInt(json.amount),\r\n to = json.to,\r\n Pgranting_from_total = getPathNum([\"granting\", from, \"t\"]),\r\n Pgranting_to_from = getPathNum([\"granting\", from, to]),\r\n Pgranted_to_from = getPathNum([\"granted\", to, from]),\r\n Pgranted_to_total = getPathNum([\"granted\", to, \"t\"]),\r\n Ppower = getPathNum([\"pow\", from]),\r\n Pup_from = getPathObj([\"up\", from]),\r\n Pdown_from = getPathObj([\"down\", from]),\r\n Pup_to = getPathObj([\"up\", to]),\r\n Pdown_to = getPathObj([\"down\", to]),\r\n Pgov = getPathNum(['gov', to])\r\n Pinterest = reward_spk(from, json.block_num), //interest calc before balance changes.\r\n Pinterest2 = reward_spk(json.to, json.block_num);\r\n Promise.all([\r\n Ppower,\r\n Pgranted_to_from,\r\n Pgranted_to_total,\r\n Pgranting_to_from,\r\n Pgranting_from_total,\r\n Pup_from,\r\n Pup_to,\r\n Pdown_from,\r\n Pdown_to,\r\n Pgov,\r\n Pinterest,\r\n Pinterest2\r\n ])\r\n .then((mem) => {\r\n let from_power = mem[0],\r\n granted_to_from = mem[1],\r\n granted_to_total = mem[2],\r\n granting_to_from = mem[3],\r\n granting_from_total = mem[4],\r\n up_from = mem[5],\r\n up_to = mem[6],\r\n down_from = mem[7],\r\n down_to = mem[8],\r\n ops = [];\r\n if (amount < from_power && amount >= 0 && active && mem[9]) { //mem[9] checks for gov balance in to account. \r\n if (amount > granted_to_from) {\r\n let more = amount - granted_to_from;\r\n if (up_from.max) {\r\n up_from.max -= more;\r\n }\r\n if (down_from.max) {\r\n down_from.max -= more;\r\n }\r\n if (up_to.max) {\r\n up_to.max += more;\r\n }\r\n if (down_to.max) {\r\n down_to.max += more;\r\n }\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granting\", from, \"t\"],\r\n data: granting_from_total + more,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granting\", from, to],\r\n data: granting_to_from + more,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granted\", to, from],\r\n data: granted_to_from + more,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granted\", to, \"t\"],\r\n data: granted_to_total + more,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"pow\", from],\r\n data: from_power - more,\r\n }); //weeks wait? chron ops? no because of the power growth at vote\r\n ops.push({\r\n type: \"put\",\r\n path: [\"up\", from],\r\n data: up_from,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"down\", from],\r\n data: down_from,\r\n });\r\n ops.push({ type: \"put\", path: [\"up\", to], data: up_to });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"down\", to],\r\n data: down_to,\r\n });\r\n const msg = `@${from}| Has granted ${parseFloat(\r\n amount / 1000\r\n ).toFixed(3)} to ${to}`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(\r\n msg,\r\n `${json.block_num}:${json.transaction_id}`\r\n );\r\n ops.push({\r\n type: \"put\",\r\n path: [\r\n \"feed\",\r\n `${json.block_num}:${json.transaction_id}`,\r\n ],\r\n data: msg,\r\n });\r\n } else if (amount < granted_to_from) {\r\n let less = granted_to_from - amount;\r\n if (up_from.max) {\r\n up_from.max += less;\r\n }\r\n if (down_from.max) {\r\n down_from.max += less;\r\n }\r\n if (up_to.max) {\r\n up_to.max -= less;\r\n }\r\n if (down_to.max) {\r\n down_to.max -= less;\r\n }\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granting\", from, \"t\"],\r\n data: granting_from_total - less,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granting\", from, to],\r\n data: granting_to_from - less,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granted\", to, from],\r\n data: granted_to_from - less,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"granted\", to, \"t\"],\r\n data: granted_to_total - less,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"pow\", from],\r\n data: from_power + less,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"up\", from],\r\n data: up_from,\r\n });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"down\", from],\r\n data: down_from,\r\n });\r\n ops.push({ type: \"put\", path: [\"up\", to], data: up_to });\r\n ops.push({\r\n type: \"put\",\r\n path: [\"down\", to],\r\n data: down_to,\r\n });\r\n const msg = `@${from}| Has granted ${parseFloat(\r\n amount / 1000\r\n ).toFixed(3)} to ${to}`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(\r\n msg,\r\n `${json.block_num}:${json.transaction_id}`\r\n );\r\n ops.push({\r\n type: \"put\",\r\n path: [\r\n \"feed\",\r\n `${json.block_num}:${json.transaction_id}`,\r\n ],\r\n data: msg,\r\n });\r\n } else {\r\n const msg = `@${from}| Has already granted ${parseFloat(\r\n amount / 1000\r\n ).toFixed(3)} to ${to}`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(\r\n msg,\r\n `${json.block_num}:${json.transaction_id}`\r\n );\r\n ops.push({\r\n type: \"put\",\r\n path: [\r\n \"feed\",\r\n `${json.block_num}:${json.transaction_id}`,\r\n ],\r\n data: msg,\r\n });\r\n }\r\n } else {\r\n const msg = `@${from}| Invalid delegation`;\r\n if (config.hookurl || config.status)\r\n postToDiscord(\r\n msg,\r\n `${json.block_num}:${json.transaction_id}`\r\n );\r\n ops.push({\r\n type: \"put\",\r\n path: [\"feed\", `${json.block_num}:${json.transaction_id}`],\r\n data: msg,\r\n });\r\n }\r\n store.batch(ops, pc);\r\n })\r\n .catch((e) => {\r\n console.log(e);\r\n });\r\n}\r\n```\r\nThe only thing new here to note is delegation are only allowed to accounts with a `gov` balance, which only node operating accounts can have. Removing or lowering a delegation will also calculate the SPK balance before the change. As far as I can figure there is no way to \"double spend\" Larynx for rewards... please check me on this, it's important. \r\n\r\n#### API\r\n\r\nStated previously front-ends will have to calculate SPK balances based on the same information, which means a little extra API is needed. This will need to be coupled with the interest rate stats and head block number.\r\n\r\n## Thank You\r\n\r\nThank you to the community of node runners and that help me and each other run and improve this and other Hive software. I appreciate your feedback here and on our [Discord Server](https://discord.gg/Beeb38j)\r\n\r\n---\r\n\r\n#### Vote for our Witness:\r\n\r\n- https://vote.hive.uno/@disregardfiat\r\n\r\n- https://vote.hive.uno/@threespeak\r\n\r\n</div>\r\n\r\n---\r\n\r\n<center>\r\n\r\n\r\n\r\n</center>\r\n\r\n---\r\n\r\n<div class=\"text-justify\">\r\n\r\n#### About the SPK Network:\r\n\r\n- SPK Network Light Paper: https://peakd.com/hive/@spknetwork/spk-network-light-paper\r\n\r\n- Website: https://spk.network/\r\n\r\n- Telegram: https://t.me/spknetwork\r\n\r\n- Discord: https://discord.gg/JbhQ7dREsP\r\n\r\n</div>","tags":["spknetwork","larynx","spk","leofinance","ctp","hive","crypto","web3"]}}}" | ||||||||||||||||||
created | 2022-06-21 19:12:21 | ||||||||||||||||||
last_update | 2022-06-21 19:12:21 | ||||||||||||||||||
depth | 0 | ||||||||||||||||||
children | 102 | ||||||||||||||||||
last_payout | 2022-06-28 19:12:21 | ||||||||||||||||||
cashout_time | 1969-12-31 23:59:59 | ||||||||||||||||||
total_payout_value | 0.000 HBD | ||||||||||||||||||
curator_payout_value | 70.674 HBD | ||||||||||||||||||
pending_payout_value | 0.000 HBD | ||||||||||||||||||
promoted | 0.000 HBD | ||||||||||||||||||
body_length | 20,720 | ||||||||||||||||||
author_reputation | 348,970,601,774,222 | ||||||||||||||||||
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" | ||||||||||||||||||
beneficiaries |
| ||||||||||||||||||
max_accepted_payout | 100,000.000 HBD | ||||||||||||||||||
percent_hbd | 10,000 | ||||||||||||||||||
post_id | 114,224,903 | ||||||||||||||||||
net_rshares | 256,735,598,366,694 | ||||||||||||||||||
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
kencode | 0 | 1,365,714,395,934 | 100% | ||
gregory-f | 0 | 2,100,334,501,992 | 100% | ||
kevinwong | 0 | 43,366,759,908 | 5.25% | ||
ausbitbank | 0 | 397,811,514,800 | 20% | ||
kendewitt | 0 | 175,478,788,925 | 100% | ||
alz190 | 0 | 1,028,943,304 | 25% | ||
jphamer1 | 0 | 2,923,345,616,007 | 100% | ||
hanshotfirst | 0 | 5,848,740,470,597 | 100% | ||
borran | 0 | 857,391,405,230 | 85% | ||
theb0red1 | 0 | 63,724,260,726 | 20% | ||
stevescoins | 0 | 2,259,970,806 | 25% | ||
steevc | 0 | 674,167,474,291 | 30% | ||
jlufer | 0 | 14,374,033,323 | 100% | ||
penguinpablo | 0 | 298,391,272,552 | 14% | ||
uwelang | 0 | 48,946,216,402 | 8.4% | ||
tftproject | 0 | 1,325,000,204 | 7.5% | ||
jimbobbill | 0 | 1,165,060,662 | 15% | ||
petrvl | 0 | 190,186,851,968 | 20% | ||
funnyman | 0 | 1,316,592,040 | 5.6% | ||
disregardfiat | 0 | 116,736,506,991 | 100% | ||
networkallstar | 0 | 10,815,759,837 | 100% | ||
ura-soul | 0 | 30,004,901,751 | 25% | ||
techslut | 0 | 299,663,195,791 | 50% | ||
ahmadmanga | 0 | 547,926,143 | 14.7% | ||
felix.herrmann | 0 | 30,675,266,845 | 29% | ||
lacausa | 0 | 5,589,594,189 | 100% | ||
mow | 0 | 1,296,302,100 | 100% | ||
bigtakosensei | 0 | 101,115,588,251 | 100% | ||
v4vapid | 0 | 5,147,451,229,134 | 33% | ||
darth-azrael | 0 | 21,896,834,486 | 10.1% | ||
automaton | 0 | 22,102,149,615 | 100% | ||
darth-cryptic | 0 | 4,654,595,230 | 10.1% | ||
tarazkp | 0 | 1,492,040,948,186 | 25% | ||
teammo | 0 | 186,819,393,441 | 100% | ||
diggndeeper.com | 0 | 4,921,647,909,437 | 100% | ||
pouchon | 0 | 614,616,980,557 | 22.5% | ||
trafalgar | 0 | 23,617,316,743,163 | 55% | ||
ganjafarmer | 0 | 2,175,199,461 | 1.83% | ||
louisthomas | 0 | 114,462,538,522 | 100% | ||
itinerantph | 0 | 568,587,076 | 27.5% | ||
lordneroo | 0 | 37,244,392,707 | 100% | ||
freebornsociety | 0 | 908,947,824 | 6.1% | ||
elevator09 | 0 | 203,595,242,307 | 100% | ||
pastzam | 0 | 306,587,588,773 | 41% | ||
raindrop | 0 | 399,048,105,863 | 55% | ||
l337m45732 | 0 | 14,265,043,013 | 20% | ||
passion-fruit | 0 | 10,178,940,736 | 100% | ||
fortune-master | 0 | 9,841,168,308 | 100% | ||
tamaralovelace | 0 | 70,397,688,965 | 100% | ||
frankydoodle | 0 | 1,559,286,183 | 12.5% | ||
mes | 0 | 442,733,026,638 | 100% | ||
jerge | 0 | 5,548,552,789 | 100% | ||
broncnutz | 0 | 9,126,903,275,301 | 100% | ||
ivanc | 0 | 10,211,556,220 | 100% | ||
forykw | 0 | 1,125,637,942,592 | 100% | ||
eliel | 0 | 11,919,642,857 | 5% | ||
uruiamme | 0 | 5,678,545,577 | 60% | ||
bitrocker2020 | 0 | 115,636,649,822 | 10.5% | ||
drag33 | 0 | 4,552,551,053 | 100% | ||
amirl | 0 | 157,210,438,758 | 100% | ||
nuagnorab | 0 | 15,110,053,725 | 100% | ||
masterthematrix | 0 | 14,192,349,364 | 100% | ||
bitcoinflood | 0 | 336,830,326,176 | 15% | ||
belahejna | 0 | 32,878,783,019 | 20% | ||
jonsnow1983 | 0 | 6,957,315,184 | 100% | ||
anacristinasilva | 0 | 30,441,858,738 | 100% | ||
alphacore | 0 | 5,086,689,390 | 2.82% | ||
galenkp | 0 | 914,080,951,938 | 22% | ||
ammonite | 0 | 293,909,074,280 | 100% | ||
chinito | 0 | 72,886,778,280 | 100% | ||
krischy | 0 | 1,812,254,457 | 100% | ||
hellene8 | 0 | 0 | 100% | ||
truthforce | 0 | 3,057,539,811 | 50% | ||
ew-and-patterns | 0 | 14,255,247,315 | 5% | ||
binkyprod | 0 | 30,289,876,823 | 100% | ||
summertooth | 0 | 857,083,959 | 25% | ||
diegoameerali | 0 | 9,146,497,337 | 30% | ||
adambarratt | 0 | 108,805,443,602 | 50% | ||
whitelightxpress | 0 | 45,425,075,298 | 100% | ||
mers | 0 | 137,959,772,202 | 63% | ||
captainquack22 | 0 | 177,634,536,455 | 100% | ||
dante31 | 0 | 1,234,379,488 | 10.5% | ||
unyimeetuk | 0 | 1,963,627,196 | 50% | ||
momijiscrypto | 0 | 16,760,793,429 | 100% | ||
cranium | 0 | 13,298,120,090 | 50% | ||
everrich | 0 | 1,848,146,790 | 100% | ||
isabelpena | 0 | 19,306,973,575 | 100% | ||
pocketrocket | 0 | 13,716,251,860 | 100% | ||
steemik | 0 | 26,741,244,393 | 100% | ||
nicolemoker | 0 | 787,226,658 | 100% | ||
thauerbyi | 0 | 3,350,222,141 | 18.9% | ||
jeanlucsr | 0 | 6,257,546,094 | 10% | ||
vimukthi | 0 | 146,306,642,064 | 50% | ||
amitsharma | 0 | 109,055,018,997 | 100% | ||
duekie | 0 | 127,476,263 | 100% | ||
shanibeer | 0 | 313,158,812,576 | 20% | ||
santigs | 0 | 33,169,817,353 | 50% | ||
floatinglin | 0 | 6,462,983,600 | 100% | ||
marketinggeek | 0 | 561,239,148 | 21% | ||
bashadow | 0 | 104,724,644,712 | 25% | ||
bahagia-arbi | 0 | 933,442,202 | 21% | ||
steemmillionaire | 0 | 483,126,946,527 | 100% | ||
celestal | 0 | 331,542,418,610 | 100% | ||
drax | 0 | 17,631,808,304 | 4.7% | ||
taskmaster4450 | 0 | 2,721,367,109,536 | 100% | ||
roleerob | 0 | 46,434,364,083 | 10.5% | ||
fatman | 0 | 7,858,399,806 | 2% | ||
mawit07 | 0 | 145,686,865,906 | 21.3% | ||
revisesociology | 0 | 1,694,017,337,438 | 100% | ||
insanityisfree | 0 | 956,545,555 | 50% | ||
risemultiversity | 0 | 3,574,155,442 | 25% | ||
rodent | 0 | 9,633,110,314 | 45% | ||
thegoliath | 0 | 20,979,524,783 | 100% | ||
dagger212 | 0 | 526,694,495,008 | 80% | ||
toocurious | 0 | 6,989,821,991 | 100% | ||
khaleelkazi | 0 | 20,964,404,895 | 21% | ||
long888 | 0 | 7,363,835,434 | 100% | ||
arabisouri | 0 | 97,908,167,076 | 100% | ||
noble-noah | 0 | 18,292,854,131 | 100% | ||
mrsyria | 0 | 5,471,859,739 | 100% | ||
informationwar | 0 | 310,597,664,601 | 50% | ||
mightpossibly | 0 | 70,662,373,066 | 50% | ||
bobinson | 0 | 789,814,204,895 | 100% | ||
dashroom | 0 | 1,696,072,401 | 80% | ||
agorise | 0 | 7,061,230,191 | 100% | ||
irynochka | 0 | 3,280,590,396 | 100% | ||
vintherinvest | 0 | 19,027,016,160 | 10.5% | ||
not-a-bird | 0 | 5,032,059,024 | 20% | ||
mytechtrail | 0 | 14,611,235,349 | 3.67% | ||
traf | 0 | 2,163,927,557,704 | 55% | ||
elderson | 0 | 578,380,472 | 0.91% | ||
joannewong | 0 | 809,033,035 | 10.5% | ||
fjcalduch | 0 | 339,685,917,843 | 100% | ||
funt33 | 0 | 185,777,124 | 100% | ||
dmwh | 0 | 25,731,278,543 | 25% | ||
cryptonized | 0 | 20,717,222,845 | 14% | ||
onestrong | 0 | 14,543,606,693 | 100% | ||
phortun | 0 | 166,761,294,687 | 20% | ||
daltono | 0 | 760,035,326,593 | 36% | ||
deepresearch | 0 | 226,207,485,542 | 26% | ||
gabrielatravels | 0 | 45,810,404,854 | 100% | ||
not-a-gamer | 0 | 515,029,988 | 40% | ||
yakubenko | 0 | 11,942,024,882 | 100% | ||
gillianpearce | 0 | 1,232,471,995 | 100% | ||
ahmedsy | 0 | 27,986,767,004 | 100% | ||
purefood | 0 | 1,966,691,797 | 21% | ||
empress-eremmy | 0 | 36,396,512,439 | 25% | ||
aagabriel | 0 | 19,044,412,956 | 65% | ||
ikrahch | 0 | 198,432,856,530 | 50% | ||
blog-beginner | 0 | 3,010,626,314 | 100% | ||
felixgarciap | 0 | 27,961,579,589 | 89% | ||
tomhall | 0 | 1,619,129,874,259 | 100% | ||
kushalbang93 | 0 | 1,103,012,306 | 100% | ||
eddiespino | 0 | 3,489,841,450,776 | 100% | ||
sayalijain | 0 | 502,894,834 | 50% | ||
onlavu | 0 | 18,714,756,014 | 20% | ||
cst90 | 0 | 206,580,515,454 | 100% | ||
technologix | 0 | 59,009,310,006 | 100% | ||
dwayne16 | 0 | 33,198,959,526 | 17.5% | ||
jglake | 0 | 5,531,512,535 | 20% | ||
organduo | 0 | 11,788,665,268 | 21% | ||
bitpizza | 0 | 11,480,398,495 | 100% | ||
jeronimorubio | 0 | 3,511,585,020 | 100% | ||
grisvisa | 0 | 77,082,965,146 | 100% | ||
bil.prag | 0 | 272,009,382,514 | 40% | ||
rahulrana | 0 | 0 | 1% | ||
manniman | 0 | 186,023,145,263 | 27% | ||
dera123 | 0 | 66,375,179,072 | 100% | ||
franciscopr | 0 | 17,339,700,323 | 100% | ||
m2nnari | 0 | 11,877,322,640 | 100% | ||
melbourneswest | 0 | 262,903,507,891 | 37% | ||
gadrian | 0 | 33,374,021,451 | 8.4% | ||
silwanyx | 0 | 1,363,302,994 | 21% | ||
memepress | 0 | 1,673,913,093 | 50% | ||
ross92 | 0 | 436,291,085 | 10.5% | ||
tsnaks | 0 | 14,971,477,716 | 100% | ||
kgakakillerg | 0 | 15,541,724,681 | 10% | ||
getron | 0 | 691,278,320 | 21% | ||
el-dee-are-es | 0 | 39,388,007,479 | 10% | ||
break-out-trader | 0 | 13,968,693,405 | 21% | ||
retard-gamer-de | 0 | 626,915,152 | 25% | ||
fw206 | 0 | 4,083,398,659,050 | 100% | ||
techcoderx | 0 | 26,288,268,309 | 100% | ||
davidesimoncini | 0 | 11,839,110,100 | 55.6% | ||
steemxp | 0 | 1,234,159,612 | 10.5% | ||
oldmans | 0 | 5,763,405,877 | 10% | ||
commonlaw | 0 | 4,647,050,372 | 35% | ||
ronbong | 0 | 2,168,393,080 | 100% | ||
digital.mine | 0 | 71,131,552,723 | 60% | ||
we-are-lucky | 0 | 27,528,204,301 | 87.6% | ||
haccolong | 0 | 6,539,229,792 | 12.5% | ||
newsnownorthwest | 0 | 543,958,770 | 7.5% | ||
gaottantacinque | 0 | 18,024,838 | 100% | ||
amnlive | 0 | 1,397,567,598 | 25% | ||
shortsegments | 0 | 25,939,888,484 | 50% | ||
gallerani | 0 | 1,280,302,558 | 21% | ||
zaibkang | 0 | 118,282,001 | 100% | ||
ireenchew | 0 | 64,400,029,683 | 14.7% | ||
dalz | 0 | 702,672,774,227 | 100% | ||
luciannagy | 0 | 987,295,465 | 6.6% | ||
jk6276 | 0 | 183,019,040,667 | 80% | ||
hoaithu | 0 | 2,476,576,516 | 10.62% | ||
steemadi | 0 | 5,707,478,603 | 100% | ||
raiseup | 0 | 88,813,560,427 | 21% | ||
deepdives | 0 | 389,216,465,551 | 50% | ||
gasaeightyfive | 0 | 0 | 100% | ||
dlike | 0 | 66,942,309,114 | 21% | ||
anhvu | 0 | 1,790,460,481 | 10% | ||
steemaction | 0 | 124,688,970,075 | 21% | ||
bengiles | 0 | 834,626,798,063 | 100% | ||
gubbatv | 0 | 282,221,736,549 | 100% | ||
cribbio | 0 | 137,862,058 | 100% | ||
handtalk5 | 0 | 15,857,206,517 | 100% | ||
rowell | 0 | 7,590,040,611 | 31.6% | ||
piensocrates | 0 | 1,902,142,870 | 100% | ||
stefano.massari | 0 | 50,721,014,542 | 26% | ||
riskneutral | 0 | 5,678,091,924 | 50% | ||
thrasher666 | 0 | 2,173,621,691 | 60% | ||
canon12 | 0 | 9,297,951,124 | 100% | ||
theycallmedan | 0 | 71,031,540,236,409 | 80% | ||
hibbi | 0 | 621,711,861 | 10.5% | ||
maajaanaa | 0 | 1,055,691,871 | 20% | ||
retrodroid | 0 | 3,272,242,988 | 10.1% | ||
khan.dayyanz | 0 | 3,196,043,567 | 5% | ||
currentxchange | 0 | 2,483,153,010 | 4.2% | ||
jacuzzi | 0 | 24,202,035,723 | 12.5% | ||
singhcapital | 0 | 2,351,147,971,780 | 100% | ||
primeradue | 0 | 516,997,442 | 33% | ||
ragnarhewins90 | 0 | 501,679,443 | 10% | ||
flyingbolt | 0 | 1,554,528,489 | 21% | ||
e-r-k-a-n | 0 | 28,093,603,430 | 100% | ||
elikast | 0 | 5,165,531,858 | 100% | ||
steemitmonsters | 0 | 1,024,044,715 | 100% | ||
creacioneslelys | 0 | 49,279,044,581 | 100% | ||
limka | 0 | 8,069,890 | 18.77% | ||
hungrybear | 0 | 591,751,291 | 14% | ||
steemstreems | 0 | 1,462,269,568 | 20% | ||
mister-eagle | 0 | 796,562,001 | 100% | ||
denizcakmak | 0 | 938,576,160 | 100% | ||
marymi | 0 | 3,402,181,850 | 100% | ||
edian | 0 | 3,376,867,028 | 21% | ||
guysellars | 0 | 1,346,027,290 | 100% | ||
maxsieg | 0 | 5,687,057,191 | 50% | ||
claudio83 | 0 | 640,198,444,676 | 50% | ||
photographercr | 0 | 23,819,327,422 | 11% | ||
megavest | 0 | 46,618,794,574 | 21% | ||
threespeak | 0 | 45,811,043,272,009 | 100% | ||
helgalubevi | 0 | 580,640,048 | 50% | ||
linita | 0 | 15,643,480,660 | 100% | ||
todayslight | 0 | 6,456,129,107 | 15% | ||
clownworld | 0 | 2,273,375,071 | 25% | ||
leighscotford | 0 | 2,089,167,008 | 3% | ||
iktisat | 0 | 523,565,933 | 100% | ||
travelwritemoney | 0 | 6,189,467,675 | 21% | ||
hamza-sheikh | 0 | 821,965,980 | 100% | ||
lrekt01 | 0 | 3,460,816,967 | 70% | ||
abh12345.leo | 0 | 2,157,306,720 | 75% | ||
mindtrap-leo | 0 | 1,200,227,143 | 50% | ||
leo.voter | 0 | 18,812,749,932,918 | 21% | ||
leo.curator | 0 | 809,451,446 | 16.8% | ||
empoderat | 0 | 102,592,155,279 | 10.5% | ||
vxc.leo | 0 | 549,335,716 | 100% | ||
leo.bank | 0 | 542,242,459 | 21% | ||
babytarazkp | 0 | 5,631,896,082 | 50% | ||
driedfruit | 0 | 935,743,982 | 100% | ||
asteroids | 0 | 1,628,027,222 | 21% | ||
agro-dron | 0 | 2,004,622,273 | 21% | ||
doriantaylor | 0 | 2,897,451,111 | 100% | ||
taskmaster4450le | 0 | 980,903,757,859 | 50% | ||
maddogmike | 0 | 4,170,712,494 | 3.67% | ||
revise.leo | 0 | 19,486,371,758 | 100% | ||
successchar | 0 | 929,559,172 | 3.67% | ||
urun | 0 | 35,296,902,148 | 100% | ||
coinlogic.online | 0 | 4,907,566,054 | 10.5% | ||
chloem | 0 | 3,334,860,747 | 21% | ||
leotrail | 0 | 3,732,811,441 | 100% | ||
thecontesttrain | 0 | 594,513,812 | 25% | ||
yohjuan | 0 | 3,337,258,537 | 100% | ||
inigo-montoya-jr | 0 | 3,988,641,165 | 42.5% | ||
leomaniacsgr | 0 | 884,435,119 | 50% | ||
gloriaolar | 0 | 1,061,339,361 | 7.5% | ||
onestop | 0 | 3,493,977,136 | 10.5% | ||
julesquirin | 0 | 1,696,669,325 | 11% | ||
catanknight | 0 | 917,220,451 | 100% | ||
kitzune | 0 | 15,172,307,108 | 100% | ||
leofinance | 0 | 38,883,103,631 | 21% | ||
flowerbaby | 0 | 11,019,445,647 | 36% | ||
softworld | 0 | 204,367,676,682 | 50% | ||
velinov86 | 0 | 8,722,250,484 | 10% | ||
behiver | 0 | 266,718,906,546 | 100% | ||
globalcurrencies | 0 | 2,435,166,983 | 35% | ||
gradeon | 0 | 861,812,293 | 3.67% | ||
hivelist | 0 | 9,373,424,271 | 3.67% | ||
threespeak-es | 0 | 37,209,978,586 | 70% | ||
zuly63 | 0 | 1,870,442,550 | 16.8% | ||
palimanali | 0 | 51,733,579,563 | 100% | ||
rmsadkri | 0 | 12,372,389,236 | 20% | ||
hivehustlers | 0 | 22,176,367,146 | 7.35% | ||
beehivetrader | 0 | 941,912,086 | 10.5% | ||
sweetest | 0 | 685,610,464 | 100% | ||
forkyishere | 0 | 14,170,556,969 | 100% | ||
moneyheist-sl | 0 | 704,538,113 | 100% | ||
brofund-leo | 0 | 2,410,305,913 | 100% | ||
mildred271 | 0 | 9,457,785,299 | 100% | ||
minihw | 0 | 152,778,645 | 100% | ||
guillez12 | 0 | 1,788,826,950 | 100% | ||
heinkhantmaung | 0 | 1,065,918,779 | 100% | ||
logicforce | 0 | 3,049,819,062 | 21.3% | ||
damadama | 0 | 94,949,462 | 100% | ||
quinnertronics | 0 | 82,248,440,379 | 33% | ||
hivebuildercomps | 0 | 2,591,887,465 | 100% | ||
olaunlimited | 0 | 45,067,901,027 | 24.75% | ||
deadswitch | 0 | 3,736,620,873 | 100% | ||
kran11 | 0 | 558,046,381 | 100% | ||
kran13 | 0 | 557,254,625 | 100% | ||
kran15 | 0 | 558,001,134 | 100% | ||
kran16 | 0 | 557,202,697 | 100% | ||
kran17 | 0 | 558,556,820 | 100% | ||
visualartist | 0 | 17,957,364,503 | 100% | ||
kran21 | 0 | 555,117,754 | 100% | ||
kran22 | 0 | 555,144,268 | 100% | ||
kran23 | 0 | 555,119,218 | 100% | ||
cmplxty.leo | 0 | 254,587,394 | 45% | ||
trangbaby | 0 | 18,424,470,826 | 10% | ||
eddie-earner | 0 | 680,441,462 | 50% | ||
omarrojas | 0 | 94,228,914,120 | 75% | ||
wrapped-leo | 0 | 2,075,825,943 | 21% | ||
rohansuares | 0 | 10,363,982,348 | 100% | ||
francysfiore | 0 | 25,160,381,461 | 100% | ||
rarereden | 0 | 2,905,452,838 | 100% | ||
kattycrochet | 0 | 21,704,076,851 | 27.5% | ||
esecholito | 0 | 50,507,157,538 | 100% | ||
heruvim1978 | 0 | 9,745,339,658 | 100% | ||
jfang003 | 0 | 30,673,638,751 | 20% | ||
netaterra.leo | 0 | 595,728,263 | 18.9% | ||
n0m0refak3n3ws | 0 | 3,531,126,459 | 25% | ||
lbi-token | 0 | 159,115,565,484 | 50% | ||
evomaster | 0 | 14,812,613,155 | 100% | ||
godfather.ftw | 0 | 2,734,120,572 | 5% | ||
mccoy02 | 0 | 40,019,544,435 | 100% | ||
leo.tokens | 0 | 1,897,953,444 | 21% | ||
scoutroc | 0 | 32,703,921,814 | 100% | ||
ammonite.leo | 0 | 1,570,932,394 | 100% | ||
hykss | 0 | 905,519,569 | 50% | ||
rondonshneezy | 0 | 1,265,452,770 | 10.5% | ||
susie-saver | 0 | 5,572,955,676 | 100% | ||
dadspardan | 0 | 52,818,648,804 | 100% | ||
cielitorojo | 0 | 13,338,970,185 | 10.5% | ||
hykss.leo | 0 | 63,620,410,624 | 7.5% | ||
nineclaws | 0 | 51,004,969,642 | 100% | ||
babeltrips | 0 | 2,017,083,950 | 5% | ||
eldritchspig | 0 | 1,552,397,473 | 25% | ||
trostparadox | 0 | 3,821,424,252,182 | 100% | ||
fragozar01 | 0 | 12,017,632,113 | 100% | ||
sofs-su | 0 | 54,697,903,940 | 45.2% | ||
kriszrokk | 0 | 8,613,327,469 | 100% | ||
yieldgrower | 0 | 5,840,198,484 | 100% | ||
hectorsanchez18 | 0 | 23,926,228,457 | 100% | ||
shahab021 | 0 | 0 | 100% | ||
therealsnowjon | 0 | 7,247,650,788 | 80% | ||
nj07 | 0 | 3,824,317,095 | 100% | ||
elongate | 0 | 702,774,677 | 21% | ||
amongus | 0 | 781,260,470 | 21% | ||
abisag | 0 | 12,966,861,648 | 100% | ||
xyba | 0 | 49,991,078,125 | 100% | ||
zdigital222 | 0 | 793,070,185 | 100% | ||
lioz3018 | 0 | 588,457,650 | 50% | ||
luckyali.leo | 0 | 549,240,080 | 21% | ||
star.leo | 0 | 1,592,321,061 | 50% | ||
bigtooth | 0 | 866,604,680 | 100% | ||
dodovietnam | 0 | 8,404,482,105 | 5% | ||
wend1go | 0 | 34,352,862,521 | 100% | ||
b-leo | 0 | 2,361,124,684 | 21% | ||
cryptololo | 0 | 1,146,691,266 | 18.9% | ||
broadhive-org | 0 | 1,475,168,324 | 10.5% | ||
eforucom.ctp | 0 | 48,422,414 | 60% | ||
high8125theta | 0 | 6,404,710,116 | 100% | ||
meesterleo | 0 | 1,309,707,787 | 75% | ||
hive.friends | 0 | 825,936,326 | 50% | ||
sodomlv | 0 | 8,619,185,120 | 100% | ||
shanhenry | 0 | 1,969,704,653 | 100% | ||
rosselena | 0 | 534,903,606 | 100% | ||
magnacarta | 0 | 2,827,762,021 | 25% | ||
robmojo.leo | 0 | 869,302,011 | 25% | ||
daveyjones7 | 0 | 4,397,383,295 | 100% | ||
lordb | 0 | 5,419,470,211 | 100% | ||
sodom-lv | 0 | 4,600,139,462 | 100% | ||
readthisplease | 0 | 960,363,384 | 1% | ||
lolxsbudoy | 0 | 914,358,538 | 100% | ||
irenicus30 | 0 | 159,360,668,919 | 100% | ||
asas27 | 0 | 865,245,338 | 100% | ||
daddydog | 0 | 783,232,153 | 100% | ||
delver | 0 | 19,888,189,588 | 50% | ||
jocieprosza.leo | 0 | 1,926,413,566 | 50% | ||
pishio | 0 | 540,961,430,761 | 10% | ||
enovf | 0 | 5,882,501,003 | 100% | ||
patsitivity | 0 | 42,507,791,738 | 25% | ||
lyon-89 | 0 | 9,718,432,380 | 100% | ||
raqraq | 0 | 0 | 100% | ||
ozohu | 0 | 994,009,516 | 14.5% | ||
politeumico | 0 | 23,435,730,194 | 100% | ||
kran27 | 0 | 604,568,352 | 100% | ||
onwugbenuvictor | 0 | 8,671,034,369 | 15% | ||
kran101 | 0 | 528,587,819 | 100% | ||
kran102 | 0 | 528,618,630 | 100% | ||
kran121 | 0 | 528,586,719 | 100% | ||
kran124 | 0 | 528,586,937 | 100% | ||
kran126 | 0 | 528,586,879 | 100% | ||
kran134 | 0 | 528,611,975 | 100% | ||
kran135 | 0 | 528,586,709 | 100% | ||
kran141 | 0 | 528,601,864 | 100% | ||
kran143 | 0 | 528,570,075 | 100% | ||
kran148 | 0 | 528,518,493 | 100% | ||
kran161 | 0 | 501,677,476 | 100% | ||
kran165 | 0 | 501,710,102 | 100% | ||
kran169 | 0 | 501,703,143 | 100% | ||
kran177 | 0 | 606,749,571 | 100% | ||
kran180 | 0 | 606,749,358 | 100% | ||
kran182 | 0 | 606,826,939 | 100% | ||
kran187 | 0 | 606,800,584 | 100% | ||
kran194 | 0 | 606,800,725 | 100% | ||
kran196 | 0 | 606,793,347 | 100% | ||
kran199 | 0 | 606,827,135 | 100% | ||
kran202 | 0 | 606,672,000 | 100% | ||
kran205 | 0 | 606,698,556 | 100% | ||
kran208 | 0 | 606,646,099 | 100% | ||
kran212 | 0 | 606,645,750 | 100% | ||
kran215 | 0 | 606,619,553 | 100% | ||
kran220 | 0 | 606,671,218 | 100% | ||
kran229 | 0 | 606,671,667 | 100% | ||
kran231 | 0 | 606,722,940 | 100% | ||
kran233 | 0 | 606,748,097 | 100% | ||
kran241 | 0 | 606,722,678 | 100% | ||
kran246 | 0 | 606,722,456 | 100% | ||
kran248 | 0 | 606,697,941 | 100% | ||
kran252 | 0 | 606,697,214 | 100% | ||
kran255 | 0 | 606,697,608 | 100% | ||
kran257 | 0 | 606,645,976 | 100% | ||
kran261 | 0 | 604,313,428 | 100% | ||
kran264 | 0 | 606,620,029 | 100% | ||
kran267 | 0 | 606,671,276 | 100% | ||
kran268 | 0 | 606,696,547 | 100% | ||
kran270 | 0 | 606,670,744 | 100% | ||
kran274 | 0 | 606,645,167 | 100% | ||
kran278 | 0 | 606,645,804 | 100% | ||
kran280 | 0 | 604,534,493 | 100% | ||
kran282 | 0 | 606,696,765 | 100% | ||
kran283 | 0 | 606,645,651 | 100% | ||
kran300 | 0 | 606,748,693 | 100% | ||
kran302 | 0 | 606,775,142 | 100% | ||
lazy001 | 0 | 2,309,308,377 | 100% | ||
cugel | 0 | 3,277,837,003 | 10.5% | ||
trasto | 0 | 559,135,187 | 10.5% | ||
lynnnguyen | 0 | 560,969,201 | 10% | ||
kimloan | 0 | 906,307,339 | 5% | ||
cryptokungfu | 0 | 9,035,842,811 | 100% | ||
dsky | 0 | 929,086,909,509 | 100% | ||
dora381 | 0 | 2,163,993,960 | 10% | ||
whynotcamp | 0 | 1,726,955,613 | 10% | ||
techguard | 0 | 875,966,838 | 13% | ||
nelthari | 0 | 2,890,181,479 | 100% | ||
zestimony | 0 | 540,369,916 | 14.5% | ||
innfauno12 | 0 | 1,623,634,534 | 100% | ||
tengolotodo | 0 | 8,813,289,215 | 20% | ||
crazy-bee | 0 | 2,123,825,544 | 10% | ||
kotenoke | 0 | 10,987,273,540 | 100% | ||
deraaa | 0 | 1,703,598,331 | 10% | ||
tydynrain | 0 | 20,100,057,768 | 100% | ||
milly100 | 0 | 0 | 100% | ||
onw | 0 | 12,074,057,424 | 100% | ||
estherscott | 0 | 1,331,759,712 | 7.25% | ||
winniecorp | 0 | 745,020,585 | 14.5% | ||
attentionneeded | 0 | 646,385,830 | 5.8% | ||
ernestoacostame | 0 | 2,743,975,108 | 100% | ||
sunnyvo | 0 | 1,706,571,932 | 5% | ||
dangerbald | 0 | 7,510,628,471 | 100% | ||
leoalpha | 0 | 2,785,315,627 | 100% | ||
cryptobeautiful | 0 | 1,038,396,754 | 100% | ||
brainstommer | 0 | 930,683,207 | 10.5% | ||
omosefe | 0 | 1,681,719,235 | 14.5% | ||
manuphotos | 0 | 951,767,602 | 20% | ||
beautifulwreck | 0 | 677,039,660 | 11% | ||
listnerds | 0 | 79,959,413,520 | 20% | ||
donna8 | 0 | 0 | 100% | ||
jomancub | 0 | 45,548,725,681 | 100% | ||
zeclipse | 0 | 568,423,051 | 21% | ||
miguelgonzalezms | 0 | 858,232,604 | 50% | ||
saboin.leo | 0 | 140,245,340 | 25% | ||
manuelernestogr | 0 | 2,152,360,866 | 50% | ||
lynliss | 0 | 350,348,572 | 100% | ||
ivypham | 0 | 1,687,250,165 | 10% | ||
waliphoto | 0 | 2,661,204,799 | 100% | ||
arminius3301 | 0 | 626,408,937 | 100% | ||
jeryco | 0 | 0 | 100% | ||
wbrandt | 0 | 5,284,154,466 | 50% | ||
hironakamura | 0 | 2,611,999,538 | 29% | ||
martinlazizi | 0 | 602,942,145 | 29% | ||
bricksolution | 0 | 6,694,532,156 | 16% | ||
tuyenmei95 | 0 | 3,997,292,937 | 10% | ||
gwajnberg | 0 | 938,828,444 | 14.7% | ||
killerwot | 0 | 1,139,835,860 | 10.5% | ||
karelnt | 0 | 1,145,589,614 | 25% | ||
investinfreedom | 0 | 27,777,020,582 | 50% | ||
rainbrella | 0 | 3,264,335,295 | 100% | ||
janetedita | 0 | 2,921,657,155 | 50% | ||
abelfotografia | 0 | 8,858,921,490 | 50% | ||
filip-psiho | 0 | 630,113,578 | 10.5% | ||
ditoferrer | 0 | 1,346,484,606 | 50% | ||
egboncass | 0 | 538,942,331 | 8.7% | ||
asherrobert | 0 | 583,799,989 | 14.5% | ||
cryptocubangirl | 0 | 1,841,821,564 | 50% | ||
atyourservice | 0 | 5,137,393,151 | 50% | ||
ariel930330 | 0 | 669,442,141 | 20% | ||
hivecuba | 0 | 66,009,659,467 | 100% | ||
eyesthewriter | 0 | 243,852,148 | 100% | ||
p-leo | 0 | 704,793,193 | 21% | ||
khaltok | 0 | 1,816,966,576 | 21% | ||
arriwraa | 0 | 0 | 100% | ||
barriosia | 0 | 0 | 100% | ||
coronadovu | 0 | 0 | 100% | ||
almeamar | 0 | 0 | 100% | ||
arauahs | 0 | 0 | 100% | ||
bjsp2019 | 0 | 0 | 100% | ||
camiacarrihihi | 0 | 0 | 100% | ||
alfonzomahi | 0 | 0 | 100% | ||
reineesmay | 0 | 1,516,572,515 | 10.14% | ||
demoad | 0 | 1,382,612,541 | 50% | ||
pero82 | 0 | 1,540,896,758 | 100% | ||
joyceantonio | 0 | 725,932 | 3% | ||
theinfiltred | 0 | 811,407,867 | 100% | ||
fabiodc | 0 | 1,295,135,872 | 50% | ||
arthursiq5 | 0 | 1,655,949,225 | 100% | ||
semennemes | 0 | 0 | 100% | ||
nicholasrichards | 0 | 31,853,169,186 | 100% | ||
tecnologyfan1 | 0 | 2,963,021,826 | 50% | ||
valenpba | 0 | 4,742,532,961 | 100% | ||
androliuben | 0 | 1,976,673,358 | 50% | ||
helios.voter | 0 | 16,595,329,401 | 10% | ||
resonator | 0 | 16,124,442,197,131 | 50% | ||
xianlaiyiju | 0 | 2,814,713,116 | 100% | ||
franzpaulie | 0 | 1,132,796,531 | 100% | ||
youdontknowme | 0 | 603,044,720 | 6.25% | ||
xtheycallmedan | 0 | -703,086,161 | -80% | ||
xleo.voter | 0 | -73,866,209 | -21% | ||
xthreespeak | 0 | -685,357,685 | -100% | ||
xtrafalgar | 0 | -354,446,744 | -55% | ||
pumarte | 0 | 2,448,364,411 | 50% | ||
runnernix20 | 0 | 128,883,638 | 100% | ||
richardslater | 0 | 51,889,581,181 | 100% | ||
inibless | 0 | 1,416,568,254 | 50% | ||
ctptips | 0 | 4,205,556,698 | 15% | ||
rosmeris21 | 0 | 4,247,906,840 | 100% | ||
p-hive | 0 | 582,043,963,167 | 21% | ||
revise.spk | 0 | 8,498,206,828 | 100% | ||
mommycrap | 0 | 666,025,119 | 100% | ||
dalz.spkcc | 0 | 3,839,182,341 | 50% | ||
deepspiral | 0 | 7,856,189,693 | 100% | ||
biyaawnur | 0 | 0 | 100% | ||
meta007 | 0 | 364,686,999 | 49% | ||
johnnybaby44 | 0 | 0 | 100% | ||
mubarakmsk0 | 0 | 0 | 100% | ||
needleman | 0 | 602,949,127 | 100% |
All I can say is the sooner we can put these SPK tokens to work the better! Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@bitcoinflood/re-spknetwork-2fcat6)
author | bitcoinflood |
---|---|
permlink | re-spknetwork-2fcat6 |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@bitcoinflood/re-spknetwork-2fcat6"} |
created | 2022-06-21 23:52:12 |
last_update | 2022-06-21 23:52:12 |
depth | 1 |
children | 18 |
last_payout | 2022-06-28 23:52:12 |
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 | 177 |
author_reputation | 1,645,024,977,979,240 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,229,772 |
net_rshares | 0 |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-bitcoinflood-rdwryh |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 02:23:06 |
last_update | 2022-06-23 02:23:06 |
depth | 2 |
children | 17 |
last_payout | 2022-06-30 02:23: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,257,980 |
net_rshares | 10,853,184,468 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 10,853,184,468 | 15% |
Do you know the legal name of @themarkymark ???? It is needed to contact his local police station. Any information to his whereabouts would be much appreciated.
author | gangstalking |
---|---|
permlink | re-gangstalking-re-bitcoinflood-rdwryh-20220623t022313324z |
category | hive-112019 |
json_metadata | {"app":"hive-bot/0.6.3"} |
created | 2022-06-23 02:23:15 |
last_update | 2022-06-23 02:23:15 |
depth | 3 |
children | 16 |
last_payout | 2022-06-30 02:23: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 | 160 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,257,985 |
net_rshares | 674,744,762 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 674,744,762 | 1% |
What's the process from here till a regular user will be able to power up and delegate his/her LARYNX tokens? Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@gadrian/re-spknetwork-3a2ez1)
author | gadrian |
---|---|
permlink | re-spknetwork-3a2ez1 |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@gadrian/re-spknetwork-3a2ez1"} |
created | 2022-06-22 16:36:09 |
last_update | 2022-06-22 16:36:09 |
depth | 1 |
children | 0 |
last_payout | 2022-06-29 16:36:09 |
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 | 205 |
author_reputation | 642,784,547,293,460 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,246,606 |
net_rshares | 0 |
> <code>const amount = p * (1 + r / 365);</code> What happens in leap years? Slightly increased interest? Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@gadrian/re-spknetwork-4hy5yd)
author | gadrian |
---|---|
permlink | re-spknetwork-4hy5yd |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@gadrian/re-spknetwork-4hy5yd"} |
created | 2022-06-22 16:54:24 |
last_update | 2022-06-22 16:54:24 |
depth | 1 |
children | 4 |
last_payout | 2022-06-29 16:54:24 |
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 | 202 |
author_reputation | 642,784,547,293,460 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,246,949 |
net_rshares | 0 |
The daily return is always exactly the same.
author | disregardfiat |
---|---|
permlink | re-gadrian-rdxoo4 |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 14:09:42 |
last_update | 2022-06-23 14:09:42 |
depth | 2 |
children | 3 |
last_payout | 2022-06-30 14:09: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 | 45 |
author_reputation | 345,191,366,639,512 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,269,321 |
net_rshares | 0 |
Yes, but it's 1 more day in a leap year. Which means <code>return parseInt(interest * t);</code> will return a little more when t is the equivalent of 366 days. Right?
author | gadrian |
---|---|
permlink | re-disregardfiat-rdxoqs |
category | hive-112019 |
json_metadata | {"tags":"hive-112019"} |
created | 2022-06-23 14:11:15 |
last_update | 2022-06-23 14:15:03 |
depth | 3 |
children | 2 |
last_payout | 2022-06-30 14:11: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 | 168 |
author_reputation | 642,784,547,293,460 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,269,366 |
net_rshares | 0 |
It's good to be able to delegate them so they won't just sit idle :) Posted using [LeoFinance Mobile](https://leofinance.io)
author | ifarmgirl |
---|---|
permlink | its-good-to-be-able-to-delega-2dddcvo31n1ihl32uwe8243xpwuuo0vh |
category | hive-112019 |
json_metadata | {"app":"LeoFinance/android/1.0.0","format":"markdown"} |
created | 2022-06-22 13:20:18 |
last_update | 2022-06-22 13:20:18 |
depth | 1 |
children | 18 |
last_payout | 2022-06-29 13:20:18 |
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 | 125 |
author_reputation | 1,105,547,659,345,408 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 5,000 |
post_id | 114,241,499 |
net_rshares | 0 |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-ifarmgirl-rdws1g |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 02:25:09 |
last_update | 2022-06-23 02:25:09 |
depth | 2 |
children | 17 |
last_payout | 2022-06-30 02:25:09 |
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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,258,019 |
net_rshares | 660,828,347 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 660,828,347 | 1% |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-gangstalking-re-ifarmgirl-rdws1g-20220623t022517396z |
category | hive-112019 |
json_metadata | {"app":"hive-bot/0.6.3"} |
created | 2022-06-23 02:25:21 |
last_update | 2022-06-23 02:25:21 |
depth | 3 |
children | 7 |
last_payout | 2022-06-30 02:25: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,258,023 |
net_rshares | 658,474,228 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 658,474,228 | 1% |
Do you know the legal name of @themarkymark ???? It is needed to contact his local police station. Any information to his whereabouts would be much appreciated.
author | gangstalking |
---|---|
permlink | re-gangstalking-re-ifarmgirl-rdws1g-20220623t022517397z |
category | hive-112019 |
json_metadata | {"app":"hive-bot/0.6.3"} |
created | 2022-06-23 02:25:18 |
last_update | 2022-06-23 02:25:18 |
depth | 3 |
children | 8 |
last_payout | 2022-06-30 02:25:18 |
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 | 160 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,258,022 |
net_rshares | 10,608,624,950 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 10,608,624,950 | 15% |
It would be great to be able to earn off these tokens. I am not running a node so I can't do much with my tokens. Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@jfang003/re-spknetwork-2ug2g7)
author | jfang003 |
---|---|
permlink | re-spknetwork-2ug2g7 |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@jfang003/re-spknetwork-2ug2g7"} |
created | 2022-06-22 07:36:27 |
last_update | 2022-06-22 07:36:27 |
depth | 1 |
children | 0 |
last_payout | 2022-06-29 07:36:27 |
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 | 210 |
author_reputation | 642,384,152,712,220 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,235,939 |
net_rshares | 0 |
I understand, but I'm a bit confused, I would like to delegate for the APR provided, I should mention that I'm a bit new to this. I want to support the project looks very interesting, especially the APR.... I would like the tokens to be in circulation so I would like to support the project. Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@kolus290/re-spknetwork-7kcifw)
author | kolus290 |
---|---|
permlink | re-spknetwork-7kcifw |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@kolus290/re-spknetwork-7kcifw"} |
created | 2022-06-22 02:52:06 |
last_update | 2022-06-22 02:52:06 |
depth | 1 |
children | 1 |
last_payout | 2022-06-29 02:52: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 | 390 |
author_reputation | 38,267,719,100,359 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,232,137 |
net_rshares | 0 |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-kolus290-rdws4e |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 02:26:39 |
last_update | 2022-06-23 02:26:39 |
depth | 2 |
children | 0 |
last_payout | 2022-06-30 02:26: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,258,062 |
net_rshares | 0 |
This is a great idea and enables me to put my tokens to use because atm I have no intention on operating a node so I don't have any purpose for the tokens. Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@melbourneswest/re-spknetwork-5y2cqq)
author | melbourneswest |
---|---|
permlink | re-spknetwork-5y2cqq |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@melbourneswest/re-spknetwork-5y2cqq"} |
created | 2022-06-22 07:17:33 |
last_update | 2022-06-22 07:17:33 |
depth | 1 |
children | 0 |
last_payout | 2022-06-29 07:17:33 |
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 | 259 |
author_reputation | 722,128,952,774,086 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,235,643 |
net_rshares | 0 |
<center>PIZZA! PIZZA Holders sent <strong>$PIZZA</strong> tips in this post's comments: @vimukthi<sub>(1/5)</sub> tipped @spknetwork (x1) <sub>Please <a href="https://vote.hive.uno/@pizza.witness">vote for pizza.witness</a>!</sub></center>
author | pizzabot |
---|---|
permlink | re-usvpezvf-20220622t062230z |
category | hive-112019 |
json_metadata | "{"app": "beem/0.24.26"}" |
created | 2022-06-22 06:22:30 |
last_update | 2022-06-22 06:22:30 |
depth | 1 |
children | 0 |
last_payout | 2022-06-29 06:22: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 | 244 |
author_reputation | 7,590,590,755,406 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,234,893 |
net_rshares | 0 |
https://twitter.com/3speakonline/status/1539740921075474433 <sub> The rewards earned on this comment will go directly to the people( @threespeak ) sharing the post on Twitter as long as they are registered with @poshtoken. Sign up at https://hiveposh.com.</sub>
author | poshtoken | ||||||
---|---|---|---|---|---|---|---|
permlink | re-spknetwork-usvpezvf-1659 | ||||||
category | hive-112019 | ||||||
json_metadata | "{"app":"Poshtoken 0.0.1","payoutToUser":["threespeak"]}" | ||||||
created | 2022-06-22 22:44:00 | ||||||
last_update | 2022-06-22 22:44:00 | ||||||
depth | 1 | ||||||
children | 0 | ||||||
last_payout | 2022-06-29 22:44:00 | ||||||
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 | 262 | ||||||
author_reputation | 5,524,676,874,751,056 | ||||||
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" | ||||||
beneficiaries |
| ||||||
max_accepted_payout | 1,000,000.000 HBD | ||||||
percent_hbd | 0 | ||||||
post_id | 114,254,263 | ||||||
net_rshares | 0 |
"The only thing new here to note is delegation are only allowed to accounts with a gov balance, which only node operating accounts can have." I'm a little confused here... In order to delegate to a node operator you have to be running a node yourself?
author | theb0red1 |
---|---|
permlink | rduomi |
category | hive-112019 |
json_metadata | {"app":"hiveblog/0.1"} |
created | 2022-06-21 23:15:54 |
last_update | 2022-06-21 23:15:54 |
depth | 1 |
children | 48 |
last_payout | 2022-06-28 23:15:54 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.063 HBD |
curator_payout_value | 0.062 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 252 |
author_reputation | 65,303,842,450,201 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,229,231 |
net_rshares | 231,570,572,998 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
tangmo | 0 | 63,831,085,048 | 46.1% | ||
amirl | 0 | 167,025,065,452 | 100% | ||
gangstalking | 0 | 714,422,498 | 1% |
No, the account you delegate to will need to provide a service(which is currently only DEX service).
author | disregardfiat |
---|---|
permlink | re-theb0red1-rdusrf |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-22 00:45:21 |
last_update | 2022-06-22 00:45:21 |
depth | 2 |
children | 37 |
last_payout | 2022-06-29 00:45:21 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.044 HBD |
curator_payout_value | 0.044 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 101 |
author_reputation | 345,191,366,639,512 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,230,442 |
net_rshares | 163,684,921,512 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
amirl | 0 | 163,684,921,512 | 100% |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-disregardfiat-rdwrqe |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 02:18:15 |
last_update | 2022-06-23 02:18:15 |
depth | 3 |
children | 34 |
last_payout | 2022-06-30 02:18: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,257,874 |
net_rshares | 707,485,883 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 707,485,883 | 1% |
Ok that's what I thought 😅 I guess the wording was tripping me up, thanks!
author | theb0red1 |
---|---|
permlink | rduyfx |
category | hive-112019 |
json_metadata | {"app":"hiveblog/0.1"} |
created | 2022-06-22 02:47:57 |
last_update | 2022-06-22 02:47:57 |
depth | 3 |
children | 1 |
last_payout | 2022-06-29 02:47:57 |
cashout_time | 1969-12-31 23:59:59 |
total_payout_value | 0.044 HBD |
curator_payout_value | 0.043 HBD |
pending_payout_value | 0.000 HBD |
promoted | 0.000 HBD |
body_length | 74 |
author_reputation | 65,303,842,450,201 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,232,065 |
net_rshares | 160,414,295,187 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
amirl | 0 | 160,414,295,187 | 100% |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-theb0red1-rdwrmr |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-23 02:16:03 |
last_update | 2022-06-23 02:16:03 |
depth | 2 |
children | 9 |
last_payout | 2022-06-30 02:16: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,257,826 |
net_rshares | 714,424,394 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 714,424,394 | 1% |
Watch out for the human traffickers at hivefest. You wont know it until its too late. STAY AWAY! Beware, traffickers can be women or men! They will act nice until they dont. There is human trafficking going on around this type of crypto. I have witnessed it. They literally have attempted my murder and are trying to kill me with V2K and RNM. Five years this has been happening to me, it started here, around people that are still here. Homeland security has done nothing at all, they are not here to protect us. Dont we pay them to stop shit like this? The NSA, CIA, FBI, Police and our Government has done nothing. Just like they did with the Havana Syndrome, nothing. Patriot Act my ass. The American government is completely incompetent. The NSA should be taken over by the military and contained Immediately for investigation. I bet we can get to the sources of V2K and RNM then. https://ecency.com/fyrstikken/@fairandbalanced/i-am-the-only-motherfucker-on-the-internet-pointing-to-a-direct-source-for-voice-to-skull-electronic-terrorism ..... https://ecency.com/gangstalking/@acousticpulses/electronic-terrorism-and-gaslighting--if-you-downvote-this-post-you-are-part-of-the-problem if you run into one of them you may want to immediately shoot them in the face. 187, annihilate, asphyxiate, assassinate, behead, bleed, bludgeon, boil, bomb, bone, burn, bury, butcher, cap, casket, choke, chop, club, crucify, crush, curb, decapitate, decimate, deflesh, demolish, destroy, devein, disembowel, dismember, drown, electrocute, eliminate, end, euthanize, eviscerate, execute, explode, exterminate, extinguish, finish, fry, grind, guillotine, gut, hack, hang, hit, ice, implode, incinerate, kill, liquidate, lynch, massacre, maul, microwave, mutilate, neutralize, obliterate, off, pop, poison, punnish, quarter, ruin, shank, shock, shoot, shred, skin, slay, slaughter, smoke, smother, snipe, snuff, squish, stab, strangle, stone, suffocate, suicide, SWAT, swing, terminate, torture, terrorize, whack, waste, wreck. You better fucking kill me.
author | gangstalking |
---|---|
permlink | re-gangstalking-re-theb0red1-rdwrmr-20220623t021612730z |
category | hive-112019 |
json_metadata | {"app":"hive-bot/0.6.3"} |
created | 2022-06-23 02:16:15 |
last_update | 2022-06-23 02:16:15 |
depth | 3 |
children | 8 |
last_payout | 2022-06-30 02:16: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 | 2,043 |
author_reputation | -67,597,107,868,724 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,257,827 |
net_rshares | 714,317,944 |
author_curate_reward | "" |
voter | weight | wgt% | rshares | pct | time |
---|---|---|---|---|---|
gangstalking | 0 | 714,317,944 | 1% |
please in one sentence. What is it? How much, how long lockup APR and so on.
author | urun |
---|---|
permlink | re-spknetwork-rdvnxy |
category | hive-112019 |
json_metadata | {"tags":["hive-112019"],"app":"peakd/2022.05.9"} |
created | 2022-06-22 11:58:45 |
last_update | 2022-06-22 11:58:45 |
depth | 1 |
children | 0 |
last_payout | 2022-06-29 11:58: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 | 77 |
author_reputation | 94,125,949,460,949 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,239,791 |
net_rshares | 0 |
This is the best news of the day for me! SPK has the potential to be in Top 100 if they manage to pull off everything. At this moment, I think what we need the most is faster development and more users engaging with content. !PIZZA !LUV Posted Using [LeoFinance <sup>Beta</sup>](https://leofinance.io/@vimukthi/re-spknetwork-75gyu9)
author | vimukthi |
---|---|
permlink | re-spknetwork-75gyu9 |
category | hive-112019 |
json_metadata | {"app":"leofinance/0.2","format":"markdown","tags":["leofinance"],"canonical_url":"https://leofinance.io/@vimukthi/re-spknetwork-75gyu9"} |
created | 2022-06-22 06:21:24 |
last_update | 2022-06-22 06:21:24 |
depth | 1 |
children | 1 |
last_payout | 2022-06-29 06:21:24 |
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 | 334 |
author_reputation | 499,680,623,882,642 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,234,861 |
net_rshares | 0 |
@spknetwork, @vimukthi<sub>(1/1)</sub> sent you LUV. <a href="https://peakd.com/@luvshares/about" style="text-decoration:none"><img src="https://files.peakd.com/file/peakd-hive/crrdlx/AKU7oyCXxGwYyudB42kJ7JtoZ63bdeHvm4icoT9xdGNxA4i4BwudGyPvTQrEwPd.gif"></a> <a href="https://tribaldex.com/wallet/" style="text-decoration:none">wallet</a> | <a href="https://hive-engine.com/trade/LUV" style="text-decoration:none">market</a> | <a href="https://crrdlx.websavvy.work/" style="text-decoration:none">tools</a> | <a href="https://discord.gg/K5GvNhcPqR" style="text-decoration:none">discord</a> | <a href="https://peakd.com/c/hive-159259">community | <a href="https://ichthys.netlify.app" style="text-decoration:none"><>< daily</a>
author | luvshares |
---|---|
permlink | re-re-spknetwork-75gyu9-20220622t062226z |
category | hive-112019 |
json_metadata | "{"app": "beem/0.24.26"}" |
created | 2022-06-22 06:22:27 |
last_update | 2022-06-22 06:22:27 |
depth | 2 |
children | 0 |
last_payout | 2022-06-29 06:22:27 |
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 | 734 |
author_reputation | 5,651,102,754,153 |
root_title | "Earn SPK by Delegating LARYNX | Share your Feedback and Review the Code" |
beneficiaries | [] |
max_accepted_payout | 1,000,000.000 HBD |
percent_hbd | 10,000 |
post_id | 114,234,891 |
net_rshares | 0 |