OSDN Git Service

a3e927bfa50cbebdc2ff1b905ec04361ad2a3e51
[bytom/vapor.git] / api / query.go
1 package api
2
3 import (
4         "context"
5         "encoding/hex"
6         "fmt"
7
8         log "github.com/sirupsen/logrus"
9
10         "github.com/vapor/account"
11         "github.com/vapor/asset"
12         "github.com/vapor/blockchain/query"
13         "github.com/vapor/blockchain/signers"
14         "github.com/vapor/blockchain/txbuilder"
15         "github.com/vapor/consensus"
16         "github.com/vapor/crypto/ed25519"
17         "github.com/vapor/crypto/ed25519/chainkd"
18         chainjson "github.com/vapor/encoding/json"
19         "github.com/vapor/errors"
20         "github.com/vapor/protocol/bc"
21         "github.com/vapor/protocol/bc/types"
22 )
23
24 // POST /list-accounts
25 func (a *API) listAccounts(ctx context.Context, filter struct {
26         ID    string `json:"id"`
27         Alias string `json:"alias"`
28 }) Response {
29         accountID := filter.ID
30         if filter.Alias != "" {
31                 acc, err := a.wallet.AccountMgr.FindByAlias(filter.Alias)
32                 if err != nil {
33                         return NewErrorResponse(err)
34                 }
35                 accountID = acc.ID
36         }
37
38         accounts, err := a.wallet.AccountMgr.ListAccounts(accountID)
39         if err != nil {
40                 log.Errorf("listAccounts: %v", err)
41                 return NewErrorResponse(err)
42         }
43
44         annotatedAccounts := []query.AnnotatedAccount{}
45         for _, acc := range accounts {
46                 annotatedAccounts = append(annotatedAccounts, *account.Annotated(acc))
47         }
48
49         return NewSuccessResponse(annotatedAccounts)
50 }
51
52 // POST /get-asset
53 func (a *API) getAsset(ctx context.Context, filter struct {
54         ID string `json:"id"`
55 }) Response {
56         ass, err := a.wallet.AssetReg.GetAsset(filter.ID)
57         if err != nil {
58                 log.Errorf("getAsset: %v", err)
59                 return NewErrorResponse(err)
60         }
61
62         annotatedAsset, err := asset.Annotated(ass)
63         if err != nil {
64                 return NewErrorResponse(err)
65         }
66         return NewSuccessResponse(annotatedAsset)
67 }
68
69 // POST /list-assets
70 func (a *API) listAssets(ctx context.Context, filter struct {
71         ID string `json:"id"`
72 }) Response {
73         assets, err := a.wallet.AssetReg.ListAssets(filter.ID)
74         if err != nil {
75                 log.Errorf("listAssets: %v", err)
76                 return NewErrorResponse(err)
77         }
78
79         annotatedAssets := []*query.AnnotatedAsset{}
80         for _, ass := range assets {
81                 annotatedAsset, err := asset.Annotated(ass)
82                 if err != nil {
83                         return NewErrorResponse(err)
84                 }
85                 annotatedAssets = append(annotatedAssets, annotatedAsset)
86         }
87         return NewSuccessResponse(annotatedAssets)
88 }
89
90 // POST /list-balances
91 func (a *API) listBalances(ctx context.Context, filter struct {
92         AccountID    string `json:"account_id"`
93         AccountAlias string `json:"account_alias"`
94 }) Response {
95         accountID := filter.AccountID
96         if filter.AccountAlias != "" {
97                 acc, err := a.wallet.AccountMgr.FindByAlias(filter.AccountAlias)
98                 if err != nil {
99                         return NewErrorResponse(err)
100                 }
101                 accountID = acc.ID
102         }
103
104         balances, err := a.wallet.GetAccountBalances(accountID, "")
105         if err != nil {
106                 return NewErrorResponse(err)
107         }
108         return NewSuccessResponse(balances)
109 }
110
111 // POST /get-transaction
112 func (a *API) getTransaction(ctx context.Context, txInfo struct {
113         TxID string `json:"tx_id"`
114 }) Response {
115         var annotatedTx *query.AnnotatedTx
116         var err error
117
118         annotatedTx, err = a.wallet.GetTransactionByTxID(txInfo.TxID)
119         if err != nil {
120                 // transaction not found in blockchain db, search it from unconfirmed db
121                 annotatedTx, err = a.wallet.GetUnconfirmedTxByTxID(txInfo.TxID)
122                 if err != nil {
123                         return NewErrorResponse(err)
124                 }
125         }
126
127         return NewSuccessResponse(annotatedTx)
128 }
129
130 // POST /list-transactions
131 func (a *API) listTransactions(ctx context.Context, filter struct {
132         ID          string `json:"id"`
133         AccountID   string `json:"account_id"`
134         Detail      bool   `json:"detail"`
135         Unconfirmed bool   `json:"unconfirmed"`
136         From        uint   `json:"from"`
137         Count       uint   `json:"count"`
138 }) Response {
139         transactions := []*query.AnnotatedTx{}
140         var err error
141         var transaction *query.AnnotatedTx
142
143         if filter.ID != "" {
144                 transaction, err = a.wallet.GetTransactionByTxID(filter.ID)
145                 if err != nil && filter.Unconfirmed {
146                         transaction, err = a.wallet.GetUnconfirmedTxByTxID(filter.ID)
147                 }
148
149                 if err != nil {
150                         return NewErrorResponse(err)
151                 }
152                 transactions = []*query.AnnotatedTx{transaction}
153         } else {
154                 transactions, err = a.wallet.GetTransactions(filter.AccountID)
155                 if err != nil {
156                         return NewErrorResponse(err)
157                 }
158
159                 if filter.Unconfirmed {
160                         unconfirmedTxs, err := a.wallet.GetUnconfirmedTxs(filter.AccountID)
161                         if err != nil {
162                                 return NewErrorResponse(err)
163                         }
164                         transactions = append(unconfirmedTxs, transactions...)
165                 }
166         }
167
168         if filter.Detail == false {
169                 txSummary := a.wallet.GetTransactionsSummary(transactions)
170                 start, end := getPageRange(len(txSummary), filter.From, filter.Count)
171                 return NewSuccessResponse(txSummary[start:end])
172         }
173         start, end := getPageRange(len(transactions), filter.From, filter.Count)
174         return NewSuccessResponse(transactions[start:end])
175 }
176
177 // POST /get-unconfirmed-transaction
178 func (a *API) getUnconfirmedTx(ctx context.Context, filter struct {
179         TxID chainjson.HexBytes `json:"tx_id"`
180 }) Response {
181         var tmpTxID [32]byte
182         copy(tmpTxID[:], filter.TxID[:])
183
184         txHash := bc.NewHash(tmpTxID)
185         txPool := a.chain.GetTxPool()
186         txDesc, err := txPool.GetTransaction(&txHash)
187         if err != nil {
188                 return NewErrorResponse(err)
189         }
190
191         tx := &BlockTx{
192                 ID:         txDesc.Tx.ID,
193                 Version:    txDesc.Tx.Version,
194                 Size:       txDesc.Tx.SerializedSize,
195                 TimeRange:  txDesc.Tx.TimeRange,
196                 Inputs:     []*query.AnnotatedInput{},
197                 Outputs:    []*query.AnnotatedOutput{},
198                 StatusFail: txDesc.StatusFail,
199         }
200
201         resOutID := txDesc.Tx.ResultIds[0]
202         resOut := txDesc.Tx.Entries[*resOutID]
203         switch out := resOut.(type) {
204         case *bc.IntraChainOutput:
205                 tx.MuxID = *out.Source.Ref
206         case *bc.VoteOutput:
207                 tx.MuxID = *out.Source.Ref
208         case *bc.Retirement:
209                 tx.MuxID = *out.Source.Ref
210         }
211
212         for i := range txDesc.Tx.Inputs {
213                 tx.Inputs = append(tx.Inputs, a.wallet.BuildAnnotatedInput(txDesc.Tx, uint32(i)))
214         }
215         for i := range txDesc.Tx.Outputs {
216                 tx.Outputs = append(tx.Outputs, a.wallet.BuildAnnotatedOutput(txDesc.Tx, i))
217         }
218
219         return NewSuccessResponse(tx)
220 }
221
222 type unconfirmedTxsResp struct {
223         Total uint64    `json:"total"`
224         TxIDs []bc.Hash `json:"tx_ids"`
225 }
226
227 // POST /list-unconfirmed-transactions
228 func (a *API) listUnconfirmedTxs(ctx context.Context) Response {
229         txIDs := []bc.Hash{}
230
231         txPool := a.chain.GetTxPool()
232         txs := txPool.GetTransactions()
233         for _, txDesc := range txs {
234                 txIDs = append(txIDs, bc.Hash(txDesc.Tx.ID))
235         }
236
237         return NewSuccessResponse(&unconfirmedTxsResp{
238                 Total: uint64(len(txIDs)),
239                 TxIDs: txIDs,
240         })
241 }
242
243 // RawTx is the tx struct for getRawTransaction
244 type RawTx struct {
245         ID        bc.Hash                  `json:"tx_id"`
246         Version   uint64                   `json:"version"`
247         Size      uint64                   `json:"size"`
248         TimeRange uint64                   `json:"time_range"`
249         Inputs    []*query.AnnotatedInput  `json:"inputs"`
250         Outputs   []*query.AnnotatedOutput `json:"outputs"`
251         Fee       uint64                   `json:"fee"`
252 }
253
254 // POST /decode-raw-transaction
255 func (a *API) decodeRawTransaction(ctx context.Context, ins struct {
256         Tx types.Tx `json:"raw_transaction"`
257 }) Response {
258         tx := &RawTx{
259                 ID:        ins.Tx.ID,
260                 Version:   ins.Tx.Version,
261                 Size:      ins.Tx.SerializedSize,
262                 TimeRange: ins.Tx.TimeRange,
263                 Inputs:    []*query.AnnotatedInput{},
264                 Outputs:   []*query.AnnotatedOutput{},
265         }
266
267         for i := range ins.Tx.Inputs {
268                 tx.Inputs = append(tx.Inputs, a.wallet.BuildAnnotatedInput(&ins.Tx, uint32(i)))
269         }
270         for i := range ins.Tx.Outputs {
271                 tx.Outputs = append(tx.Outputs, a.wallet.BuildAnnotatedOutput(&ins.Tx, i))
272         }
273
274         tx.Fee = txbuilder.CalculateTxFee(&ins.Tx)
275         return NewSuccessResponse(tx)
276 }
277
278 // POST /list-unspent-outputs
279 func (a *API) listUnspentOutputs(ctx context.Context, filter struct {
280         AccountID     string `json:"account_id"`
281         AccountAlias  string `json:"account_alias"`
282         ID            string `json:"id"`
283         Unconfirmed   bool   `json:"unconfirmed"`
284         SmartContract bool   `json:"smart_contract"`
285         From          uint   `json:"from"`
286         Count         uint   `json:"count"`
287 }) Response {
288         accountID := filter.AccountID
289         if filter.AccountAlias != "" {
290                 acc, err := a.wallet.AccountMgr.FindByAlias(filter.AccountAlias)
291                 if err != nil {
292                         return NewErrorResponse(err)
293                 }
294                 accountID = acc.ID
295         }
296         accountUTXOs := a.wallet.GetAccountUtxos(accountID, filter.ID, filter.Unconfirmed, filter.SmartContract)
297
298         UTXOs := []query.AnnotatedUTXO{}
299         for _, utxo := range accountUTXOs {
300                 UTXOs = append([]query.AnnotatedUTXO{{
301                         AccountID:           utxo.AccountID,
302                         OutputID:            utxo.OutputID.String(),
303                         SourceID:            utxo.SourceID.String(),
304                         AssetID:             utxo.AssetID.String(),
305                         Amount:              utxo.Amount,
306                         SourcePos:           utxo.SourcePos,
307                         Program:             fmt.Sprintf("%x", utxo.ControlProgram),
308                         ControlProgramIndex: utxo.ControlProgramIndex,
309                         Address:             utxo.Address,
310                         ValidHeight:         utxo.ValidHeight,
311                         Alias:               a.wallet.AccountMgr.GetAliasByID(utxo.AccountID),
312                         AssetAlias:          a.wallet.AssetReg.GetAliasByID(utxo.AssetID.String()),
313                         Change:              utxo.Change,
314                 }}, UTXOs...)
315         }
316         start, end := getPageRange(len(UTXOs), filter.From, filter.Count)
317         return NewSuccessResponse(UTXOs[start:end])
318 }
319
320 // return gasRate
321 func (a *API) gasRate() Response {
322         gasrate := map[string]int64{"gas_rate": consensus.VMGasRate}
323         return NewSuccessResponse(gasrate)
324 }
325
326 // PubKeyInfo is structure of pubkey info
327 type PubKeyInfo struct {
328         Pubkey string               `json:"pubkey"`
329         Path   []chainjson.HexBytes `json:"derivation_path"`
330 }
331
332 // AccountPubkey is detail of account pubkey info
333 type AccountPubkey struct {
334         RootXPub    chainkd.XPub `json:"root_xpub"`
335         PubKeyInfos []PubKeyInfo `json:"pubkey_infos"`
336 }
337
338 func getPubkey(account *account.Account, change bool, index uint64) (*ed25519.PublicKey, []chainjson.HexBytes, error) {
339         rawPath, err := signers.Path(account.Signer, signers.AccountKeySpace, change, index)
340         if err != nil {
341                 return nil, nil, err
342         }
343         derivedXPub := account.XPubs[0].Derive(rawPath)
344         pubkey := derivedXPub.PublicKey()
345         var path []chainjson.HexBytes
346         for _, p := range rawPath {
347                 path = append(path, chainjson.HexBytes(p))
348         }
349
350         return &pubkey, path, nil
351 }
352
353 // POST /list-pubkeys
354 func (a *API) listPubKeys(ctx context.Context, ins struct {
355         AccountID    string `json:"account_id"`
356         AccountAlias string `json:"account_alias"`
357         PublicKey    string `json:"public_key"`
358 }) Response {
359         var err error
360         account := &account.Account{}
361         if ins.AccountAlias != "" {
362                 account, err = a.wallet.AccountMgr.FindByAlias(ins.AccountAlias)
363         } else {
364                 account, err = a.wallet.AccountMgr.FindByID(ins.AccountID)
365         }
366
367         if err != nil {
368                 return NewErrorResponse(err)
369         }
370
371         pubKeyInfos := []PubKeyInfo{}
372         if account.DeriveRule == signers.BIP0032 {
373                 idx := a.wallet.AccountMgr.GetContractIndex(account.ID)
374                 for i := uint64(1); i <= idx; i++ {
375                         pubkey, path, err := getPubkey(account, false, i)
376                         if err != nil {
377                                 return NewErrorResponse(err)
378                         }
379                         if ins.PublicKey != "" && ins.PublicKey != hex.EncodeToString(*pubkey) {
380                                 continue
381                         }
382                         pubKeyInfos = append(pubKeyInfos, PubKeyInfo{
383                                 Pubkey: hex.EncodeToString(*pubkey),
384                                 Path:   path,
385                         })
386                 }
387         } else if account.DeriveRule == signers.BIP0044 {
388                 idx := a.wallet.AccountMgr.GetBip44ContractIndex(account.ID, true)
389                 for i := uint64(1); i <= idx; i++ {
390                         pubkey, path, err := getPubkey(account, true, i)
391                         if err != nil {
392                                 return NewErrorResponse(err)
393                         }
394                         if ins.PublicKey != "" && ins.PublicKey != hex.EncodeToString(*pubkey) {
395                                 continue
396                         }
397                         pubKeyInfos = append(pubKeyInfos, PubKeyInfo{
398                                 Pubkey: hex.EncodeToString(*pubkey),
399                                 Path:   path,
400                         })
401                 }
402
403                 idx = a.wallet.AccountMgr.GetBip44ContractIndex(account.ID, false)
404                 for i := uint64(1); i <= idx; i++ {
405                         pubkey, path, err := getPubkey(account, false, i)
406                         if err != nil {
407                                 return NewErrorResponse(err)
408                         }
409                         if ins.PublicKey != "" && ins.PublicKey != hex.EncodeToString(*pubkey) {
410                                 continue
411                         }
412                         pubKeyInfos = append(pubKeyInfos, PubKeyInfo{
413                                 Pubkey: hex.EncodeToString(*pubkey),
414                                 Path:   path,
415                         })
416                 }
417         }
418
419         if len(pubKeyInfos) == 0 {
420                 return NewErrorResponse(errors.New("Not found publickey for the account"))
421         }
422
423         return NewSuccessResponse(&AccountPubkey{
424                 RootXPub:    account.XPubs[0],
425                 PubKeyInfos: pubKeyInfos,
426         })
427 }