Finish validator detail

This commit is contained in:
liangping 2021-08-03 00:13:53 +08:00
parent 18e0d933b0
commit e4fca8f41b
22 changed files with 1326 additions and 7 deletions

View File

@ -12,6 +12,9 @@
"dependencies": {
"@casl/ability": "4.1.6",
"@casl/vue": "1.1.1",
"@cosmjs/amino": "^0.25.6",
"@cosmjs/crypto": "^0.25.6",
"@cosmjs/encoding": "^0.25.6",
"@fullcalendar/common": "5.x",
"@fullcalendar/core": "5.x",
"@fullcalendar/daygrid": "5.x",

137
src/libs/code.js Normal file
View File

@ -0,0 +1,137 @@
export const codeDirective = `
<template>
<div class="d-flex">
<!-- form input -->
<b-form-group class="mb-0 mr-1">
<b-form-input
v-model="message"
/>
</b-form-group>
<!-- button -->
<b-button
v-clipboard:copy="message"
v-clipboard:success="onCopy"
v-clipboard:error="onError"
v-ripple.400="'rgba(186, 191, 199, 0.15)'"
variant="primary"
>
Copy!
</b-button>
</div>
</template>
<script>
import { BFormInput, BFormGroup, BButton } from 'bootstrap-vue'
import ToastificationContent from '@core/components/toastification/ToastificationContent.vue'
import Ripple from 'vue-ripple-directive'
export default {
components: {
BFormInput,
BFormGroup,
BButton,
// eslint-disable-next-line vue/no-unused-components
ToastificationContent,
},
directives: {
Ripple,
},
data() {
return {
message: 'Copy Me!',
}
},
methods: {
onCopy() {
this.$toast({
component: ToastificationContent,
props: {
title: 'Text copied',
icon: 'BellIcon',
},
})
},
onError() {
this.$toast({
component: ToastificationContent,
props: {
title: 'Failed to copy texts!',
icon: 'BellIcon',
},
})
},
},
}
</script>
`
export const codeWithoutDirective = `
<template>
<div class="d-flex">
<!-- input -->
<b-form-group class="mb-0 mr-1">
<b-form-input
v-model="message1"
/>
</b-form-group>
<!-- button -->
<b-button
v-ripple.400="'rgba(186, 191, 199, 0.15)'"
variant="primary"
@click="doCopy"
>
Copy!
</b-button>
</div>
</template>
<script>
import {BFormInput, BFormGroup, BButton, BCardText} from 'bootstrap-vue'
import ToastificationContent from '@core/components/toastification/ToastificationContent.vue'
import Ripple from 'vue-ripple-directive'
export default {
components: {
BFormInput,
BFormGroup,
BButton,
BCardText,
// eslint-disable-next-line vue/no-unused-components
ToastificationContent,
},
directives: {
Ripple,
},
data() {
return {
message1: 'Copy Me Without Directive',
}
},
methods: {
doCopy() {
this.$copyText(this.message1).then(() => {
this.$toast({
component: ToastificationContent,
props: {
title: 'Text copied',
icon: 'BellIcon',
},
})
}, e => {
this.$toast({
component: ToastificationContent,
props: {
title: 'Can not copy!',
icon: 'BellIcon',
},
})
})
},
},
}
</script>
`

View File

@ -0,0 +1,11 @@
export default class BlockData {
constructor() {
this.txs = []
}
static create(element) {
const self = new BlockData()
self.txs = element.txs
return self
}
}

View File

@ -0,0 +1,41 @@
import BlockId from './block-id'
export default class BlockHeader {
constructor() {
this.version = {
block: '0',
}
this.chain_id = ''
this.height = 0
this.time = '2021-08-02T01:12:43.42506492Z'
this.last_block_id = new BlockId()
this.last_commit_hash = ''
this.data_hash = ''
this.validators_hash = ''
this.next_validators_hash = ''
this.consensus_hash = ''
this.app_hash = ''
this.last_results_hash = ''
this.evidence_hash = ''
this.proposer_address = ''
}
static create(element) {
const self = new BlockHeader()
self.version = element.version
self.chain_id = element.chain_id
self.height = element.height
self.time = element.time
self.last_block_id = element.last_block_id
self.last_commit_hash = element.last_commit_hash
self.data_hash = element.data_hash
self.validators_hash = element.validators_hash
self.next_validators_hash = element.next_validators_hash
self.consensus_hash = element.consensus_hash
self.app_hash = element.app_hash
self.last_results_hash = element.last_results_hash
self.evidence_hash = element.evidence_hash
self.proposer_address = element.proposer_address
return self
}
}

13
src/libs/data/block-id.js Normal file
View File

@ -0,0 +1,13 @@
export default class BlockId {
constructor() {
this.hash = ''
this.parts = { total: 0, hash: '' }
}
static create(element) {
const self = new BlockId()
self.hash = element.hash
self.parts = element.parts
return self
}
}

View File

@ -0,0 +1,21 @@
import BlockData from './block-data'
import BlockHeader from './block-header'
import BlockLastCommit from './block-last-commit'
export default class BlockInner {
constructor() {
this.header = new BlockHeader()
this.data = new BlockData()
this.evidence = { evidence: [] }
this.last_commit = new BlockLastCommit()
}
static create(element) {
const self = new BlockInner()
self.header = BlockHeader.create(element.header)
self.data = BlockData.create(element.data)
self.evidence = element.evidence
self.last_commit = BlockLastCommit.create(element.last_commit)
return self
}
}

View File

@ -0,0 +1,20 @@
import BlockId from './block-id'
import Signature from './signature'
export default class BlockLastCommit {
constructor() {
this.height = 0
this.round = 0
this.block_id = new BlockId()
this.signatures = []
}
static create(element) {
const self = new BlockLastCommit()
self.height = Number(element.height)
self.round = Number(element.round)
self.block_id = element.block_id
self.signatures = element.signatures.map(x => Signature.create(x))
return self
}
}

16
src/libs/data/block.js Normal file
View File

@ -0,0 +1,16 @@
import BlockId from './block-id'
import BlockInner from './block-inner'
export default class Block {
constructor() {
this.block_id = new BlockId()
this.block = new BlockInner()
}
static create(element) {
const self = new Block()
self.block_id = BlockId.create(element.block_id)
self.block = BlockInner.create(element.block)
return self
}
}

View File

@ -1,4 +1,8 @@
import dayjs from 'dayjs'
import {
Bech32, fromBase64, fromHex, toHex,
} from '@cosmjs/encoding'
import { sha256 } from '@cosmjs/crypto'
export function toDay(time) {
return dayjs(time).format('YYYY-MM-DD HH:mm')
@ -23,6 +27,22 @@ export function tokenFormatter(tokens) {
return formatToken(tokens)
}
export function operatorAddressToAccount(operAddress) {
const { prefix, data } = Bech32.decode(operAddress)
return Bech32.encode(prefix.replace('valoper', ''), data)
}
export function consensusPubkeyToHexAddress(consensusPubkey) {
let raw = null
if (typeof consensusPubkey === 'object') {
raw = toHex(fromBase64(consensusPubkey.value))
} else {
raw = toHex(Bech32.decode(consensusPubkey).data).toUpperCase().replace('1624DE6420', '')
}
const address = toHex(sha256(fromHex(raw))).slice(0, 40).toUpperCase()
return address
}
export * from 'compare-versions'
export class Data {

View File

@ -6,6 +6,9 @@ export { default as Votes } from './votes'
export { default as Deposit } from './deposit'
export { default as Validator } from './validator'
export { default as StakingParameters } from './staking-parameters'
export { default as Block } from './block'
export { default as ValidatorDistribution } from './validator-distribution'
export { default as StakingDelegation } from './staking-delegation'
export * from './data'
export default class Test {}

View File

@ -0,0 +1,17 @@
export default class Signature {
constructor() {
this.block_id_flag = 2
this.validator_address = ''
this.timestamp = ''
this.signature = ''
}
static create(element) {
const self = new Signature()
self.block_id_flag = element.block_id_flag
self.validator_address = element.validator_address
self.timestamp = element.timestamp
self.signature = element.signature
return self
}
}

View File

@ -0,0 +1,13 @@
export default class StakingDelegation {
constructor() {
this.delegation = {}
this.balance = {}
}
static create(element) {
const self = new StakingDelegation()
self.delegation = element.delegation
self.balance = element.balance
return self
}
}

View File

@ -0,0 +1,25 @@
import compareVersions from 'compare-versions'
export default class ValidatorDistribution {
constructor() {
this.element = {}
this.operator_address = ''
this.self_bond_rewards = []
this.val_commission = []
}
static create(element) {
const self = new ValidatorDistribution()
self.element = element
self.operator_address = element.operator_address
self.self_bond_rewards = element.self_bond_rewards
self.val_commission = element.val_commission
return self
}
versionFixed(ver) {
if (compareVersions(ver, '0.40') >= 0) {
this.val_commission = this.element.val_commission.commission
}
}
}

View File

@ -15,6 +15,7 @@ export default class Validator {
this.unbonding_height = 0
this.unbonding_time = '1970-01-01T00:00:00Z'
this.commission = new ValidatorCommission()
this.min_self_delegation = 1
}
init(element) {
@ -30,6 +31,7 @@ export default class Validator {
this.unbonding_height = element.unbonding_height
this.unbonding_time = element.unbonding_time
this.commission = new ValidatorCommission().init(element.commission)
this.min_self_delegation = element.min_self_delegation
return this
}
}

View File

@ -2,7 +2,7 @@ import fetch from 'node-fetch'
import store from '@/store'
import {
Proposal, ProposalTally, Proposer, StakingPool, Votes, Deposit,
Validator, StakingParameters,
Validator, StakingParameters, Block, ValidatorDistribution, StakingDelegation,
} from './data'
function commonProcess(res) {
@ -21,6 +21,26 @@ const chainAPI = class ChainFetch {
return this.config
}
async getLatestBlock() {
return this.get('/blocks/latest').then(data => Block.create(data))
}
async getBlockByHeight(height) {
return this.get(`/blocks/${height}`).then(data => Block.create(data))
}
async getValidatorDistribution(address) {
return this.get(`/distribution/validators/${address}`).then(data => {
const ret = ValidatorDistribution.create(commonProcess(data))
ret.versionFixed(this.config.sdk_version)
return ret
})
}
async getStakingDelegatorDelegation(delegatorAddr, validatorAddr) {
return this.get(`/staking/delegators/${delegatorAddr}/delegations/${validatorAddr}`).then(data => StakingDelegation.create(commonProcess(data)))
}
async getStakingPool() {
return this.get('/staking/pool').then(data => new StakingPool().init(commonProcess(data)))
}
@ -37,6 +57,10 @@ const chainAPI = class ChainFetch {
return this.get('/staking/validators').then(data => commonProcess(data).map(i => new Validator().init(i)))
}
async getStakingValidator(address) {
return this.get(`/staking/validators/${address}`).then(data => new Validator().init(commonProcess(data)))
}
async getGovernanceTally(pid, total) {
return this.get(`/gov/proposals/${pid}/tally`).then(data => new ProposalTally().init(commonProcess(data), total))
}

View File

@ -56,6 +56,24 @@ const router = new VueRouter({
],
},
},
{
path: '/:chain/staking/:address',
name: 'staking-valiator',
component: () => import('@/views/StakingValidator.vue'),
meta: {
pageTitle: 'Staking Valdiator',
breadcrumb: [
{
text: 'Staking',
active: true,
},
{
text: 'Validator',
active: true,
},
],
},
},
{
path: '/:chain/gov',
name: 'governance',

View File

@ -56,7 +56,11 @@
</b-avatar>
</template>
<span class="font-weight-bolder d-block text-nowrap">
<router-link
:to="`./staking/${data.item.operator_address}`"
>
{{ data.item.description.moniker }}
</router-link>
</span>
<small class="text-muted">{{ data.item.description.website || data.item.description.identity }}</small>
</b-media>

View File

@ -0,0 +1,144 @@
<template>
<b-card
title="Address"
class="align-items-stretch "
>
<!-- address media -->
<b-media
class="mb-1"
no-body
>
<b-media-aside class="mr-1">
<b-avatar
rounded
variant="light-primary"
size="34"
>
<feather-icon
icon="UserIcon"
size="18"
/>
</b-avatar>
</b-media-aside>
<b-media-body>
<h6 class="mb-0">
Account Address
</h6>
<small>{{ accountAddress }}</small>
</b-media-body>
</b-media>
<b-media
class="mb-1"
no-body
>
<b-media-aside class="mr-1">
<b-avatar
rounded
variant="light-primary"
size="34"
>
<feather-icon
icon="Link2Icon"
size="18"
/>
</b-avatar>
</b-media-aside>
<b-media-body>
<h6 class="mb-0">
Validator Address
</h6>
<small>{{ operatorAddress }}</small>
</b-media-body>
</b-media>
<b-media
class="mb-1"
no-body
>
<b-media-aside class="mr-1">
<b-avatar
rounded
variant="light-primary"
size="34"
>
<feather-icon
icon="KeyIcon"
size="18"
/>
</b-avatar>
</b-media-aside>
<b-media-body>
<h6 class="mb-0">
Consensus Public Address
</h6>
<small>{{ consensusPubkey }}</small>
</b-media-body>
</b-media>
<b-media
class="mb-1"
no-body
>
<b-media-aside class="mr-1">
<b-avatar
rounded
variant="light-primary"
size="34"
>
<feather-icon
icon="HashIcon"
size="18"
/>
</b-avatar>
</b-media-aside>
<b-media-body>
<h6 class="mb-0">
Hex Address
</h6>
<small>{{ hexAddress }}</small>
</b-media-body>
</b-media>
</b-card>
</template>
<script>
import {
BCard, BAvatar, BMedia, BMediaAside, BMediaBody, VBTooltip,
} from 'bootstrap-vue'
export default {
components: {
BCard,
BAvatar,
BMedia,
BMediaAside,
BMediaBody,
},
directives: {
'b-tooltip': VBTooltip,
},
props: {
operatorAddress: {
type: String,
default: '-',
},
accountAddress: {
type: String,
default: '-',
},
consensusPubkey: {
type: [Object, String],
required: true,
},
hexAddress: {
type: String,
default: '-',
},
},
}
</script>
<style scoped>
.media small {
white-space:nowrap;
overflow: hidden;
}
</style>

View File

@ -0,0 +1,151 @@
<template>
<b-card
no-body
>
<b-card-header>
<h4 class="mb-0">
Commission
</h4>
<b-card-text class="font-small-5 mb-0">
Updated on {{ dateFormat(data.update_time) }}
</b-card-text>
</b-card-header>
<!-- apex chart -->
<vue-apex-charts
type="radialBar"
height="145"
class="my-2"
:options="goalOverviewRadialBar"
:series="[percentFormat(data.rate)]"
/>
<b-row class="text-center mx-0">
<b-col
cols="6"
class="border-top border-right d-flex align-items-between flex-column py-1"
>
<b-card-text class="text-muted mb-0">
Max Rate
</b-card-text>
<h3 class="font-weight-bolder mb-0">
{{ percentFormat(data.max_rate) }}%
</h3>
</b-col>
<b-col
cols="6"
class="border-top d-flex align-items-between flex-column py-1"
>
<b-card-text class="text-muted mb-0">
Max Change Rate
</b-card-text>
<h3 class="font-weight-bolder mb-0">
{{ percentFormat(data.max_change_rate) }}%
</h3>
</b-col>
</b-row>
</b-card>
</template>
<script>
import {
BCard, BCardHeader, BRow, BCol, BCardText,
} from 'bootstrap-vue'
import VueApexCharts from 'vue-apexcharts'
import { $themeColors } from '@themeConfig'
import { percent, toDay } from '@/libs/data'
const $strokeColor = '#ebe9f1'
const $textHeadingColor = '#5e5873'
const $goalStrokeColor2 = '#51e5a8'
export default {
components: {
VueApexCharts,
BCard,
BCardHeader,
BRow,
BCardText,
BCol,
},
props: {
data: {
type: Object,
default: () => {},
},
},
data() {
return {
goalOverviewRadialBar: {
chart: {
height: 105,
type: 'radialBar',
sparkline: {
enabled: true,
},
dropShadow: {
enabled: true,
blur: 3,
left: 1,
top: 1,
opacity: 0.1,
},
},
colors: [$goalStrokeColor2],
plotOptions: {
radialBar: {
offsetY: -10,
startAngle: -150,
endAngle: 150,
hollow: {
size: '60%',
},
track: {
background: $strokeColor,
strokeWidth: '80%',
},
dataLabels: {
name: {
show: false,
},
value: {
color: $textHeadingColor,
fontSize: '2.86rem',
fontWeight: '600',
},
},
},
},
fill: {
type: 'gradient',
gradient: {
shade: 'dark',
type: 'horizontal',
shadeIntensity: 0.5,
gradientToColors: [$themeColors.success],
inverseColors: true,
opacityFrom: 1,
opacityTo: 1,
stops: [0, 100],
},
},
stroke: {
lineCap: 'round',
},
grid: {
padding: {
bottom: 10,
},
},
},
}
},
methods: {
dateFormat(value) {
return toDay(value)
},
percentFormat(value) {
return percent(value)
},
},
}
</script>

View File

@ -0,0 +1,146 @@
<template>
<b-card
class="card-transaction"
no-body
>
<b-card-header>
<b-card-title>Outstanding Rewards</b-card-title>
<feather-icon
icon="MoreVerticalIcon"
size="18"
class="cursor-pointer"
/>
</b-card-header>
<b-card-body>
<div
v-for="d in data.self_bond_rewards"
:key="d.amount"
class="transaction-item"
>
<b-media no-body>
<b-media-aside>
<b-avatar
rounded
size="42"
variant="light-success"
/>
</b-media-aside>
<b-media-body>
<h6 class="transaction-title">
{{ d.amount }}
</h6>
<small>{{ d.denom }} </small>
</b-media-body>
</b-media>
<div
class="font-weight-bolder text-success d-none d-md-block hidden-md-down "
>
Reward
</div>
</div>
<div
v-for="d in data.val_commission"
:key="d.amount"
class="transaction-item"
>
<b-media no-body>
<b-media-aside>
<b-avatar
rounded
size="42"
variant="light-primary"
>
<feather-icon
size="18"
icon="ServerIcon"
/>
</b-avatar>
</b-media-aside>
<b-media-body>
<h6 class="transaction-title">
{{ d.amount }}
</h6>
<small>{{ d.denom }}</small>
</b-media-body>
</b-media>
<div
class="font-weight-bolder text-primary hidden-sm hidden-md"
>
Commission
</div>
</div>
</b-card-body>
</b-card>
</template>
<script>
import {
BCard, BCardHeader, BCardTitle, BCardBody, BMediaBody, BMedia, BMediaAside, BAvatar,
} from 'bootstrap-vue'
export default {
components: {
BCard,
BCardHeader,
BCardTitle,
BCardBody,
BMediaBody,
BMedia,
BMediaAside,
BAvatar,
},
props: {
data: {
type: Object,
required: true,
},
},
data() {
return {
transactionData: [
{
mode: 'Wallet',
types: 'Starbucks',
avatar: 'PocketIcon',
avatarVariant: 'light-primary',
payment: '-$74',
deduction: true,
},
{
mode: 'Bank Transfer',
types: 'Add Money',
avatar: 'CheckIcon',
avatarVariant: 'light-success',
payment: '+$480',
deduction: false,
},
{
mode: 'Paypal',
types: 'Add Money',
avatar: 'DollarSignIcon',
avatarVariant: 'light-danger',
payment: '+$480',
deduction: false,
},
{
mode: 'Mastercard',
types: 'Ordered Food',
avatar: 'CreditCardIcon',
avatarVariant: 'light-warning',
payment: '-$23',
deduction: true,
},
{
mode: 'Transfer',
types: 'Refund',
avatar: 'TrendingUpIcon',
avatarVariant: 'light-info',
payment: '+$98',
deduction: false,
},
],
}
},
}
</script>

View File

@ -0,0 +1,401 @@
<template>
<div>
<b-card class="border-primary">
<b-row>
<!-- User Info: Left col -->
<b-col
cols="21"
xl="6"
class="d-flex justify-content-between flex-column"
>
<!-- User Avatar & Action Buttons -->
<div class="d-flex justify-content-start">
<b-avatar
:src="validator.avatar"
:variant="`light-primary`"
size="104px"
rounded
/>
<div class="d-flex flex-column ml-1">
<div class="mb-1">
<h4 class="mb-0">
{{ validator.description.moniker }}
</h4>
<span class="card-text">{{ validator.description.website }}</span>
</div>
<div class="d-flex flex-wrap">
<b-button
variant="primary"
>
Delegate
</b-button>
<b-button
variant="outline-danger"
class="ml-1"
>
Redelegate
</b-button>
</div>
</div>
</div>
<!-- User Stats -->
<div class="d-flex align-items-center mt-2">
<div class="d-flex align-items-center mr-2">
<b-avatar
variant="light-primary"
rounded
>
<feather-icon
icon="DollarSignIcon"
size="18"
/>
</b-avatar>
<div class="ml-1">
<h5 class="mb-0">
{{ tokenFormatter(validator.tokens) }}
</h5>
<small>Bonded Tokens</small>
</div>
</div>
<div class="d-flex align-items-center mr-2">
<b-avatar
variant="light-success"
rounded
>
<feather-icon
icon="TrendingUpIcon"
size="18"
/>
</b-avatar>
<div class="ml-1">
<h5 class="mb-0">
{{ apr(validator.commission.rate) }}
</h5>
<small>Annual Profit</small>
</div>
</div>
<div class="d-flex align-items-center">
<b-avatar
variant="light-warning"
rounded
>
<feather-icon
icon="SmileIcon"
size="18"
/>
</b-avatar>
<div class="ml-1">
<h5 class="mb-0">
{{ percentFormat(selfDelegation.balance.amount/validator.tokens) }}%
</h5>
<small>Self Delegation</small>
</div>
</div>
</div>
</b-col>
<!-- Right Col: Table -->
<b-col
cols="12"
xl="6"
>
<table class="mt-2 mt-xl-0 w-100">
<tr>
<th class="pb-50">
<feather-icon
icon="UserIcon"
class="mr-75"
/>
<span class="font-weight-bold">Identity</span>
</th>
<td class="pb-50">
{{ validator.description.identity }}
</td>
</tr>
<tr>
<th class="pb-50">
<feather-icon
icon="CheckIcon"
class="mr-75"
/>
<span class="font-weight-bold">Status</span>
</th>
<td class="pb-50 text-capitalize">
{{ validator.status }}
</td>
</tr>
<tr>
<th class="pb-50">
<feather-icon
icon="StarIcon"
class="mr-75"
/>
<span class="font-weight-bold">Unbond Height</span>
</th>
<td class="pb-50 text-capitalize">
{{ validator.unbonding_height }}
</td>
</tr>
<tr>
<th class="pb-50">
<feather-icon
icon="StarIcon"
class="mr-75"
/>
<span class="font-weight-bold">Unbond Time</span>
</th>
<td class="pb-50 text-capitalize">
{{ timeFormat(validator.unbonding_time) }}
</td>
</tr>
<tr>
<th class="pb-50">
<feather-icon
icon="FlagIcon"
class="mr-75"
/>
<span class="font-weight-bold">Min Self Delegation</span>
</th>
<td class="pb-50">
{{ validator.min_self_delegation }}
</td>
</tr>
<tr>
<th class="pb-50">
<feather-icon
icon="AlertCircleIcon"
class="mr-75"
/>
<span class="font-weight-bold">Jailed</span>
</th>
<td class="pb-50">
{{ validator.jailed }}
</td>
</tr>
<tr>
<th>
<feather-icon
icon="PhoneIcon"
class="mr-75"
/>
<span class="font-weight-bold">Contact</span>
</th>
<td>
{{ validator.security_contact }}
</td>
</tr>
</table>
</b-col>
</b-row>
<b-card-footer
v-if="validator.description.details"
class="mt-1"
>
{{ validator.description.details || '' }}
</b-card-footer>
</b-card>
<!-- First Row -->
<template>
<b-row class="match-height">
<b-col
xl="4"
lg="4"
md="12"
>
<staking-commission-component :data="validator.commission" />
</b-col>
<b-col
xl="4"
lg="4"
md="12"
>
<staking-reward-component :data="distribution" />
</b-col>
<b-col
xl="4"
lg="4"
md="12"
>
<staking-address-component
:hex-address="hexAddress"
:operator-address="validator.operator_address"
:consensus-pubkey="validator.consensus_pubkey"
:account-address="accountAddress"
/>
</b-col>
</b-row>
<b-row>
<b-col>
<b-card title="Uptime">
<b-card-body>
<b-button
v-for="(b,i) in blocks"
:key="i"
v-b-tooltip.hover.v-second
:variant="b[0]?'primary':'outline-danger'"
:title="b"
rounded
size="sm"
class="btn-icon mb-25 mr-25"
> &nbsp; </b-button>
</b-card-body>
</b-card>
</b-col>
</b-row>
</template>
</div>
</template>
<script>
import {
BCard, BButton, BAvatar, BRow, BCol, BCardBody, BCardFooter, VBTooltip,
} from 'bootstrap-vue'
import {
percent, formatToken, StakingParameters, Validator, operatorAddressToAccount, consensusPubkeyToHexAddress, toDay,
} from '@/libs/data'
import { keybase } from '@/libs/fetch'
import StakingAddressComponent from './StakingAddressComponent.vue'
import StakingCommissionComponent from './StakingCommissionComponent.vue'
import StakingRewardComponent from './StakingRewardComponent.vue'
export default {
components: {
BCard,
BButton,
BRow,
BCol,
BAvatar,
BCardBody,
BCardFooter,
StakingAddressComponent,
StakingCommissionComponent,
StakingRewardComponent,
},
directives: {
'b-tooltip': VBTooltip,
},
data() {
return {
commission: {
series: [90],
completed: 89,
inProgress: 64,
},
selfDelegation: {
balance: {},
},
latestHeight: 0,
accountAddress: '-',
hexAddress: '-',
stakingPool: {},
mintInflation: 0,
stakingParameter: new StakingParameters(),
validator: new Validator(),
userData: {},
blocks: Array.from('0'.repeat(100)).map(x => [Boolean(x), Number(x)]),
distribution: {},
}
},
created() {
this.$http.getStakingPool().then(res => { this.stakingPool = res })
this.$http.getStakingParameters().then(res => { this.stakingParameter = res })
this.$http.getMintingInflation().then(res => { this.mintInflation = res })
const { address } = this.$route.params
this.$http.getValidatorDistribution(address).then(res => { this.distribution = res })
this.$http.getStakingValidator(address).then(data => {
this.validator = data
this.processAddress(data.operator_address, data.consensus_pubkey)
const { identity } = data.description
keybase(identity).then(d => {
if (Array.isArray(d.them) && d.them.length > 0) {
this.$set(this.validator, 'avatar', d.them[0].pictures.primary.url)
this.$store.commit('cacheAvatar', { identity, url: d.them[0].pictures.primary.url })
}
})
})
this.initBlocks()
},
beforeDestroy() {
console.log('destroying')
clearInterval(this.timer)
},
methods: {
timeFormat(value) {
return toDay(value)
},
percentFormat(value) {
return percent(value)
},
processAddress(operAddress, consensusPubkey) {
this.accountAddress = operatorAddressToAccount(operAddress)
this.hexAddress = consensusPubkeyToHexAddress(consensusPubkey)
this.$http.getStakingDelegatorDelegation(this.accountAddress, operAddress).then(d => {
console.log(d)
this.selfDelegation = d
})
},
tokenFormatter(token) {
return formatToken({ amount: token, denom: this.stakingParameter.bond_denom })
},
apr(rate) {
return `${percent((1 - rate) * this.mintInflation)} %`
},
initBlocks() {
this.$http.getLatestBlock().then(d => {
const { height } = d.block.last_commit
// update height
const blocks = []
for (let i = height - 99; i < height; i += 1) {
blocks.push([false, i])
}
const sig = d.block.last_commit.signatures.find((s => s.validator_address === this.hexAddress))
const exist = typeof sig !== 'undefined'
blocks.push([exist, height])
this.blocks = blocks
// update uptime status
const previous = []
blocks.forEach(item => {
previous.push(this.fetch_status(item))
})
Promise.allSettled(previous).then(() => {
this.timer = setInterval(this.fetch_latest, 6000)
})
})
},
fetch_status(item, lastHeight) {
return this.$http.getBlockByHeight(item[1]).then(res => {
if (item[1] !== lastHeight) {
const sigs = res.block.last_commit.signatures.find(s => s.validator_address === this.hexAddress)
const block = this.blocks.find(b => b[1] === item[1])
if (typeof block !== 'undefined') {
this.$set(block, 0, typeof sigs !== 'undefined')
}
}
})
},
fetch_latest() {
this.$http.getLatestBlock().then(res => {
console.log('fetched: ', res.block.last_commit.height)
const sigs = res.block.last_commit.signatures.find(s => s.validator_address === this.hexAddress)
const block = this.blocks.find(b => b[1] === res.block.last_commit.height)
if (typeof block === 'undefined') { // mei
// this.$set(block, 0, typeof sigs !== 'undefined')
if (this.blocks.length > 999) this.blocks.shift()
this.blocks.push([typeof sigs !== 'undefined', res.block.last_commit.height])
}
})
},
},
}
</script>
<style></style>

View File

@ -915,6 +915,53 @@
resolved "https://registry.npmjs.org/@casl/vue/-/vue-1.1.1.tgz"
integrity sha512-lJnPGJ2sdid22IGNPegWsMH0136WSMKZqqZb2YjLWL/vsRvw+wuLZE+yaR7enEfETmH5KZE55WAfXpyZgy99hQ==
"@cosmjs/amino@^0.25.6":
version "0.25.6"
resolved "https://registry.yarnpkg.com/@cosmjs/amino/-/amino-0.25.6.tgz#cdf9632253bfab7b1d2ef967124953d7bf16351f"
integrity sha512-9dXN2W7LHjDtJUGNsQ9ok0DfxeN3ca/TXnxCR3Ikh/5YqBqxI8Gel1J9PQO9L6EheYyh045Wff4bsMaLjyEeqQ==
dependencies:
"@cosmjs/crypto" "^0.25.6"
"@cosmjs/encoding" "^0.25.6"
"@cosmjs/math" "^0.25.6"
"@cosmjs/utils" "^0.25.6"
"@cosmjs/crypto@^0.25.6":
version "0.25.6"
resolved "https://registry.yarnpkg.com/@cosmjs/crypto/-/crypto-0.25.6.tgz#695d2d0d2195bdbdd5825d415385646244900bbb"
integrity sha512-ec+YcQLrg2ibcxtNrh4FqQnG9kG9IE/Aik2NH6+OXQdFU/qFuBTxSFcKDgzzBOChwlkXwydllM9Jjbp+dgIzRw==
dependencies:
"@cosmjs/encoding" "^0.25.6"
"@cosmjs/math" "^0.25.6"
"@cosmjs/utils" "^0.25.6"
bip39 "^3.0.2"
bn.js "^4.11.8"
elliptic "^6.5.3"
js-sha3 "^0.8.0"
libsodium-wrappers "^0.7.6"
ripemd160 "^2.0.2"
sha.js "^2.4.11"
"@cosmjs/encoding@^0.25.6":
version "0.25.6"
resolved "https://registry.yarnpkg.com/@cosmjs/encoding/-/encoding-0.25.6.tgz#da741a33eaf063a6d3611d7d68db5ca3938e0ef5"
integrity sha512-0imUOB8XkUstI216uznPaX1hqgvLQ2Xso3zJj5IV5oJuNlsfDj9nt/iQxXWbJuettc6gvrFfpf+Vw2vBZSZ75g==
dependencies:
base64-js "^1.3.0"
bech32 "^1.1.4"
readonly-date "^1.0.0"
"@cosmjs/math@^0.25.6":
version "0.25.6"
resolved "https://registry.yarnpkg.com/@cosmjs/math/-/math-0.25.6.tgz#25c7b106aaded889a5b80784693caa9e654b0c28"
integrity sha512-Fmyc9FJ8KMU34n7rdapMJrT/8rx5WhMw2F7WLBu7AVLcBh0yWsXIcMSJCoPHTOnMIiABjXsnrrwEaLrOOBfu6A==
dependencies:
bn.js "^4.11.8"
"@cosmjs/utils@^0.25.6":
version "0.25.6"
resolved "https://registry.yarnpkg.com/@cosmjs/utils/-/utils-0.25.6.tgz#934d9a967180baa66163847616a74358732227ca"
integrity sha512-ofOYiuxVKNo238vCPPlaDzqPXy2AQ/5/nashBo5rvPZJkxt9LciGfUEQWPCOb1BIJDNx2Dzu0z4XCf/dwzl0Dg==
"@fullcalendar/common@5.x", "@fullcalendar/common@~5.8.0":
version "5.8.0"
resolved "https://registry.npmjs.org/@fullcalendar/common/-/common-5.8.0.tgz"
@ -1322,6 +1369,11 @@
resolved "https://registry.npmjs.org/@types/node/-/node-16.3.3.tgz"
integrity sha512-8h7k1YgQKxKXWckzFCMfsIwn0Y61UK6tlD6y2lOb3hTOIMlK3t9/QwHOhc81TwU+RMf0As5fj7NPjroERCnejQ==
"@types/node@11.11.6":
version "11.11.6"
resolved "https://registry.yarnpkg.com/@types/node/-/node-11.11.6.tgz#df929d1bb2eee5afdda598a41930fe50b43eaa6a"
integrity sha512-Exw4yUWMBXM3X+8oqzJNRqZSwUAaS4+7NdvHqQuFi/d+synz++xmX3QIf+BFqneW8N31R8Ky+sikfZUXq07ggQ==
"@types/normalize-package-data@^2.4.0":
version "2.4.1"
resolved "https://registry.npmjs.org/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz"
@ -2307,7 +2359,7 @@ balanced-match@^1.0.0:
resolved "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz"
integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
base64-js@^1.0.2, base64-js@^1.3.1:
base64-js@^1.0.2, base64-js@^1.3.0, base64-js@^1.3.1:
version "1.5.1"
resolved "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz"
integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==
@ -2337,6 +2389,11 @@ bcrypt-pbkdf@^1.0.0:
dependencies:
tweetnacl "^0.14.3"
bech32@^1.1.4:
version "1.1.4"
resolved "https://registry.yarnpkg.com/bech32/-/bech32-1.1.4.tgz#e38c9f37bf179b8eb16ae3a772b40c356d4832e9"
integrity sha512-s0IrSOzLlbvX7yp4WBfPITzpAU8sqQcpsmwXDiKwrG4r491vwCO/XpejasRNl0piBMe/DvP4Tz0mIS/X1DPJBQ==
bfj@^6.1.1:
version "6.1.2"
resolved "https://registry.npmjs.org/bfj/-/bfj-6.1.2.tgz"
@ -2422,6 +2479,16 @@ bindings@^1.5.0:
dependencies:
file-uri-to-path "1.0.0"
bip39@^3.0.2:
version "3.0.4"
resolved "https://registry.yarnpkg.com/bip39/-/bip39-3.0.4.tgz#5b11fed966840b5e1b8539f0f54ab6392969b2a0"
integrity sha512-YZKQlb752TrUWqHWj7XAwCSjYEgGAk+/Aas3V7NyjQeZYsztO8JnQUaCWhcnL4T+jL8nvB8typ2jRPzTlgugNw==
dependencies:
"@types/node" "11.11.6"
create-hash "^1.1.0"
pbkdf2 "^3.0.9"
randombytes "^2.0.1"
bl@^1.0.0:
version "1.2.3"
resolved "https://registry.nlark.com/bl/download/bl-1.2.3.tgz"
@ -2444,7 +2511,7 @@ bluebird@^3.1.1, bluebird@^3.5.5:
resolved "https://registry.npmjs.org/bluebird/-/bluebird-3.7.2.tgz"
integrity sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==
bn.js@^4.0.0, bn.js@^4.1.0, bn.js@^4.11.9:
bn.js@^4.0.0, bn.js@^4.1.0, bn.js@^4.11.8, bn.js@^4.11.9:
version "4.12.0"
resolved "https://registry.npmjs.org/bn.js/-/bn.js-4.12.0.tgz"
integrity sha512-c98Bf3tPniI+scsdk237ku1Dc3ujXQTSgyiPUDEOe7tRkhrqridvh8klBv0HCEso1OLOYcHuCv/cS6DNxKH+ZA==
@ -6567,6 +6634,11 @@ js-queue@2.0.2:
dependencies:
easy-stack "^1.0.1"
js-sha3@^0.8.0:
version "0.8.0"
resolved "https://registry.yarnpkg.com/js-sha3/-/js-sha3-0.8.0.tgz#b9b7a5da73afad7dedd0f8c463954cbde6818840"
integrity sha512-gF1cRrHhIzNfToc802P800N8PpXS+evLLXfsVpowqmAFR9uwbi89WvXg2QspOmXL8QL86J4T1EpFu+yUkwJY3Q==
"js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0:
version "4.0.0"
resolved "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz"
@ -6828,6 +6900,18 @@ levn@^0.3.0, levn@~0.3.0:
prelude-ls "~1.1.2"
type-check "~0.3.2"
libsodium-wrappers@^0.7.6:
version "0.7.9"
resolved "https://registry.yarnpkg.com/libsodium-wrappers/-/libsodium-wrappers-0.7.9.tgz#4ffc2b69b8f7c7c7c5594a93a4803f80f6d0f346"
integrity sha512-9HaAeBGk1nKTRFRHkt7nzxqCvnkWTjn1pdjKgcUnZxj0FyOP4CnhgFhMdrFfgNsukijBGyBLpP2m2uKT1vuWhQ==
dependencies:
libsodium "^0.7.0"
libsodium@^0.7.0:
version "0.7.9"
resolved "https://registry.yarnpkg.com/libsodium/-/libsodium-0.7.9.tgz#4bb7bcbf662ddd920d8795c227ae25bbbfa3821b"
integrity sha512-gfeADtR4D/CM0oRUviKBViMGXZDgnFdMKMzHsvBdqLBHd9ySi6EtYnmuhHVDDYgYpAO8eU8hEY+F8vIUAPh08A==
lines-and-columns@^1.1.6:
version "1.1.6"
resolved "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.1.6.tgz"
@ -8255,7 +8339,7 @@ path-type@^4.0.0:
resolved "https://registry.nlark.com/path-type/download/path-type-4.0.0.tgz"
integrity sha1-hO0BwKe6OAr+CdkKjBgNzZ0DBDs=
pbkdf2@^3.0.3:
pbkdf2@^3.0.3, pbkdf2@^3.0.9:
version "3.1.2"
resolved "https://registry.npmjs.org/pbkdf2/-/pbkdf2-3.1.2.tgz"
integrity sha512-iuh7L6jA7JEGu2WxDwtQP1ddOpaJNC4KlDEFfdQajSGgGPNi4OyDc2R7QnbY2bR9QjBVGwgvTdNJZoE7RaxUMA==
@ -9112,6 +9196,11 @@ readdirp@~3.6.0:
dependencies:
picomatch "^2.2.1"
readonly-date@^1.0.0:
version "1.0.0"
resolved "https://registry.yarnpkg.com/readonly-date/-/readonly-date-1.0.0.tgz#5af785464d8c7d7c40b9d738cbde8c646f97dcd9"
integrity sha512-tMKIV7hlk0h4mO3JTmmVuIlJVXjKk3Sep9Bf5OH0O+758ruuVkUy2J9SttDLm91IEX/WHlXPSpxMGjPj4beMIQ==
redent@^1.0.0:
version "1.0.0"
resolved "https://registry.nlark.com/redent/download/redent-1.0.0.tgz?cache=0&sync_timestamp=1620069702182&other_urls=https%3A%2F%2Fregistry.nlark.com%2Fredent%2Fdownload%2Fredent-1.0.0.tgz"
@ -9396,7 +9485,7 @@ rimraf@^2.5.4, rimraf@^2.6.1, rimraf@^2.6.3:
dependencies:
glob "^7.1.3"
ripemd160@^2.0.0, ripemd160@^2.0.1:
ripemd160@^2.0.0, ripemd160@^2.0.1, ripemd160@^2.0.2:
version "2.0.2"
resolved "https://registry.npmjs.org/ripemd160/-/ripemd160-2.0.2.tgz"
integrity sha512-ii4iagi25WusVoiC4B4lq7pbXfAp3D9v5CwfkY33vffw2+pkDjY1D8GaN7spsxvCSx8dkPqOZCEZyfxcmJG2IA==
@ -9657,7 +9746,7 @@ setprototypeof@1.1.1:
resolved "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz"
integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==
sha.js@^2.4.0, sha.js@^2.4.8:
sha.js@^2.4.0, sha.js@^2.4.11, sha.js@^2.4.8:
version "2.4.11"
resolved "https://registry.npmjs.org/sha.js/-/sha.js-2.4.11.tgz"
integrity sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ==