cns 0.9.0 → 0.9.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA256:
3
- metadata.gz: fff5558da7a0b92a4511bf3f73b8330d3ad59d92d46c76b64a70bfd19e3dfd1e
4
- data.tar.gz: eafa8884b41f68f83fa20b547474c7a0717281f8c47d0a948805e9d0a7ae19f4
3
+ metadata.gz: f54f4e0bf0d8e859722edf7c9a4430d625b3789ac50761b03061db0050956062
4
+ data.tar.gz: 7e2fbaa074c7cb51157849b8db9798271cf54f4b7b6404869278dd48ceedd55c
5
5
  SHA512:
6
- metadata.gz: 8409acef5de4ce834e309710521c44cfe35414e3ec6c3d11b8dce9173720414d828fb320c6865c693867bdac1bf14c41e8f6ac5ac5172dc11253ff77683cd307
7
- data.tar.gz: 072e66dc223d7c14c20248f25e2c5a72f5e918314881c60faf3b8377cb77d11534d9c5b6d0eaf8e2ab2c7966c4956414d3bfdf433b98e57eb3691fa0b46e78ac
6
+ metadata.gz: 917f7140253dbaa7e0619792c3912fb78533618640de779c473f86a1665e68ec5688d2f0d6624c0ed33678e698d19a5cadc47b5c20ce833d5273a8cbf7f87ff7
7
+ data.tar.gz: e56c3b51a6e0d539569b9deace1d491da55a63afaf44e3aaa08abb25807272c33164b55626f9de526b0660d27823514a6524c074b5449995c6d6161f0154a74f
data/.rubocop.yml CHANGED
@@ -18,7 +18,7 @@ Metrics/AbcSize:
18
18
 
19
19
  # Formatting Rules
20
20
  Layout/LineLength:
21
- Max: 180
21
+ Max: 185
22
22
  AllowHeredoc: true
23
23
  AllowURI: true
24
24
 
@@ -26,7 +26,7 @@ Layout/IndentationWidth:
26
26
  Width: 2
27
27
 
28
28
  Layout/SpaceInsideHashLiteralBraces:
29
- EnforcedStyle: space
29
+ EnforcedStyle: no_space
30
30
 
31
31
  Layout/SingleLineBlockChain:
32
32
  Enabled: false
data/Gemfile.lock CHANGED
@@ -1,7 +1,7 @@
1
1
  PATH
2
2
  remote: .
3
3
  specs:
4
- cns (0.9.0)
4
+ cns (0.9.2)
5
5
  curb
6
6
  faraday
7
7
  google-cloud-bigquery
@@ -56,7 +56,7 @@ GEM
56
56
  logger
57
57
  faraday-net_http (3.4.0)
58
58
  net-http (>= 0.5.0)
59
- google-apis-bigquery_v2 (0.83.0)
59
+ google-apis-bigquery_v2 (0.84.0)
60
60
  google-apis-core (>= 0.15.0, < 2.a)
61
61
  google-apis-core (0.16.0)
62
62
  addressable (~> 2.5, >= 2.5.1)
data/lib/cns/apibc.rb CHANGED
@@ -7,12 +7,20 @@ require('json')
7
7
  module Cns
8
8
  # classe para acesso dados blockchains
9
9
  class Apibc
10
+ ESPS = 10_000
11
+ GMPS = 100
12
+
13
+ def initialize
14
+ @etherscan_conn = connection('https://api.etherscan.io')
15
+ @greymass_conn = connection('https://eos.greymass.com')
16
+ end
17
+
10
18
  # Get account balances for multiple ETH addresses
11
19
  # @param addresses [Array<String>] List of ETH addresses (max 20)
12
20
  # @return [Array<Hash>] List of addresses with balances
13
21
  def account_es(addresses)
14
22
  response = etherscan_req('balancemulti', addresses.join(','), 1, tag: 'latest')
15
- response.fetch(:status, '0') == '1' ? response.fetch(:result, []) : []
23
+ response[:status] == '1' ? response[:result] || [] : []
16
24
  end
17
25
 
18
26
  # Get normal transactions for ETH address
@@ -55,7 +63,7 @@ module Cns
55
63
  # @return [Hash] Account details with resources
56
64
  def account_gm(address)
57
65
  response = greymass_req('/v1/chain/get_account', account_name: address)
58
- response.dig(:core_liquid_balance).to_d > 0 ? response : gm_erro
66
+ response[:core_liquid_balance]&.to_d&.positive? ? response : gm_erro
59
67
  end
60
68
 
61
69
  # Get complete transaction history for EOS account
@@ -65,12 +73,12 @@ module Cns
65
73
  actions = []
66
74
  pos = 0
67
75
  loop do
68
- response = greymass_req('/v1/history/get_actions', account_name: address, pos: pos, offset: 100)
69
- batch = response.fetch(:actions, [])
70
- actions += batch
71
- break if batch.size < 100
76
+ response = greymass_req('/v1/history/get_actions', account_name: address, pos: pos, offset: GMPS)
77
+ batch = response[:actions] || []
78
+ actions.concat(batch)
79
+ break if batch.size < GMPS
72
80
 
73
- pos += 100
81
+ pos += GMPS
74
82
  end
75
83
  actions
76
84
  end
@@ -80,17 +88,20 @@ module Cns
80
88
  # Reusable Faraday connection
81
89
  def connection(base_url)
82
90
  Faraday.new(base_url) do |conn|
83
- conn.headers = { content_type: 'application/json', accept: 'application/json', user_agent: 'blockchain-api-client' }
91
+ conn.request(:json) # Automatically encodes body as JSON
92
+ conn.headers = {content_type: 'application/json', accept: 'application/json', user_agent: 'blockchain-api-client'}
93
+ conn.options.timeout = 30
94
+ conn.options.open_timeout = 10
84
95
  conn.adapter(Faraday.default_adapter)
85
96
  end
86
97
  end
87
98
 
88
99
  # Generic Etherscan API request handler
89
100
  def etherscan_req(action, address, page = 1, params = {})
90
- params = { module: 'account', action: action, address: address, page: page, apikey: ENV.fetch('ETHERSCAN_API_KEY') }.merge(params)
91
- parse_json(connection('https://api.etherscan.io').get('/api', params))
101
+ params = {module: 'account', action: action, address: address, page: page, apikey: ENV.fetch('ETHERSCAN_API_KEY')}.merge(params)
102
+ parse_json(@etherscan_conn.get('/api', params))
92
103
  rescue Faraday::Error
93
- { status: '0' }
104
+ {status: '0'}
94
105
  end
95
106
 
96
107
  # Generic method for paginated Etherscan requests
@@ -103,11 +114,11 @@ module Cns
103
114
  page = 1
104
115
  loop do
105
116
  response = etherscan_req(action, address, page, params)
106
- break unless response.fetch(:status, '0') == '1'
117
+ break unless response[:status] == '1'
107
118
 
108
- batch = response.fetch(:result, [])
109
- results += batch
110
- break if batch.size < 10_000
119
+ batch = response[:result] || []
120
+ results.concat(batch)
121
+ break if batch.size < ESPS
111
122
 
112
123
  page += 1
113
124
  end
@@ -116,12 +127,12 @@ module Cns
116
127
 
117
128
  # Generic Greymass API error
118
129
  def gm_erro
119
- { core_liquid_balance: 0, total_resources: { net_weight: 0, cpu_weight: 0 } }
130
+ {core_liquid_balance: 0, total_resources: {net_weight: 0, cpu_weight: 0}}
120
131
  end
121
132
 
122
133
  # Generic Greymass API request handler
123
134
  def greymass_req(endpoint, payload)
124
- parse_json((connection('https://eos.greymass.com').post(endpoint) { |req| req.body = payload.to_json }))
135
+ parse_json(@greymass_conn.post(endpoint) { |req| req.body = payload })
125
136
  rescue Faraday::Error
126
137
  gm_erro
127
138
  end
data/lib/cns/apice.rb CHANGED
@@ -7,137 +7,121 @@ require('json')
7
7
 
8
8
  # @author Hernani Rodrigues Vaz
9
9
  module Cns
10
- API = { de: 'https://api.bitcoin.de/v4', us: 'https://api.kraken.com/0/private' }.freeze
10
+ API = {de: 'https://api.bitcoin.de/v4', us: 'https://api.kraken.com/0/private'}.freeze
11
11
 
12
12
  # classe para acesso dados centralized exchanges
13
13
  class Apice
14
+ def initialize
15
+ @curl = Curl::Easy.new
16
+ @curl.timeout = 30
17
+ @curl.connect_timeout = 10
18
+ @curl.follow_location = true
19
+ @curl.ssl_verify_peer = true
20
+ end
21
+
14
22
  # @return [Hash] saldos no bitcoinde
15
23
  def account_de
16
24
  uri = "#{API[:de]}/account"
17
- parse_json(Curl.get(uri) { |obj| obj.headers = hde(uri) }).dig(:data, :balances) || {}
25
+ run_curl(@curl, uri, headers: hde(uri))
26
+ parse_json(@curl).dig(:data, :balances) || {}
18
27
  rescue Curl::Err::CurlError
19
28
  {}
20
29
  end
21
30
 
22
31
  # @return [Array<Hash>] trades bitcoinde
23
32
  def trades_de
24
- pag = 1
25
- ary = []
26
- loop do
27
- url = "#{API[:de]}/trades?#{URI.encode_www_form(state: 1, page: pag)}"
28
- data = parse_json(Curl.get(url) { |obj| obj.headers = hde(url) })
29
- ary += data.fetch(:trades, [])
30
- break if data[:page][:current] >= data[:page][:last]
31
-
32
- pag += 1
33
- end
34
- ary
33
+ pag_de_req("#{API[:de]}/trades", {state: 1}, :trades)
35
34
  rescue Curl::Err::CurlError
36
- ary
35
+ []
37
36
  end
38
37
 
39
38
  # @return [Array<Hash>] depositos uniformizados bitcoinde
40
39
  def deposits_de
41
- pag = 1
42
- ary = []
43
- loop do
44
- url = "#{API[:de]}/btc/deposits?#{URI.encode_www_form(state: 2, page: pag)}"
45
- data = parse_json(Curl.get(url) { |obj| obj.headers = hde(url) })
46
- ary += data.fetch(:deposits, []).map { |has| deposit_unif(has) }
47
- break if data[:page][:current] >= data[:page][:last]
48
-
49
- pag += 1
50
- end
51
- ary
40
+ pag_de_req("#{API[:de]}/btc/deposits", {state: 2}, :deposits) { |i| i.map { |h| deposit_unif(h) } }
52
41
  rescue Curl::Err::CurlError
53
- ary
54
- end
55
-
56
- # @return [Hash] deposito uniformizado bitcoinde
57
- def deposit_unif(has)
58
- { add: has[:address], time: Time.parse(has[:created_at]), qt: has[:amount], txid: Integer(has[:deposit_id]) }.merge(tp: 'deposit', moe: 'btc', fee: '0')
42
+ []
59
43
  end
60
44
 
61
45
  # @return [Array<Hash>] withdrawals uniformizadas bitcoinde
62
46
  def withdrawals_de
63
- ary = []
64
- pag = 1
65
- loop do
66
- url = "#{API[:de]}/btc/withdrawals?#{URI.encode_www_form(state: 1, page: pag)}"
67
- data = parse_json(Curl.get(url) { |obj| obj.headers = hde(url) })
68
- ary += data.fetch(:withdrawals, []).map { |has| withdrawal_unif(has) }
69
- break if data[:page][:current] >= data[:page][:last]
70
-
71
- pag += 1
72
- end
73
- ary
47
+ pag_de_req("#{API[:de]}/btc/withdrawals", {state: 1}, :withdrawals) { |i| i.map { |h| withdrawal_unif(h) } }
74
48
  rescue Curl::Err::CurlError
75
- ary
76
- end
77
-
78
- # @return [Hash] withdrawal uniformizada bitcoinde
79
- def withdrawal_unif(has)
80
- {
81
- add: has[:address],
82
- time: Time.parse(has[:transferred_at]),
83
- qt: has[:amount],
84
- fee: has[:network_fee],
85
- txid: Integer(has[:withdrawal_id])
86
- }.merge(tp: 'withdrawal', moe: 'btc')
49
+ []
87
50
  end
88
51
 
89
52
  # @return [Hash] saldos kraken
90
53
  def account_us
91
54
  uri = 'Balance'
92
- ops = { nonce: nnc }
93
- parse_json(Curl.post("#{API[:us]}/#{uri}", ops) { |hed| hed.headers = hus(uri, ops) }).fetch(:result, {})
55
+ ops = {nonce: nnc}
56
+ run_curl(@curl, "#{API[:us]}/#{uri}", method: :post, post_data: ops, headers: hus(uri, ops))
57
+ parse_json(@curl).fetch(:result, {})
94
58
  rescue Curl::Err::CurlError
95
59
  {}
96
60
  end
97
61
 
98
62
  # @return [Hash] trades kraken
99
63
  def trades_us
100
- uri = 'TradesHistory'
101
- has = {}
102
- ofs = 0
103
- loop do
104
- sleep(1)
105
- ops = { nonce: nnc, ofs: ofs }
106
- result = parse_json(Curl.post("#{API[:us]}/#{uri}", ops) { |hed| hed.headers = hus(uri, ops) }).fetch(:result, {})
107
- break if result.fetch(:trades, []).empty?
108
-
109
- has.merge!(result[:trades])
110
- ofs += result[:trades].size
111
- end
112
- has
64
+ pag_us_req('TradesHistory', :trades)
113
65
  rescue Curl::Err::CurlError
114
- has
66
+ {}
115
67
  end
116
68
 
117
69
  # @return [Hash] ledger kraken
118
70
  def ledger_us
119
- uri = 'Ledgers'
71
+ pag_us_req('Ledgers', :ledger)
72
+ rescue Curl::Err::CurlError
73
+ {}
74
+ end
75
+
76
+ private
77
+
78
+ # Generic paginated request handler for Kraken
79
+ def pag_us_req(uri, key)
120
80
  has = {}
121
81
  ofs = 0
122
82
  loop do
123
- sleep(2)
124
- ops = { nonce: nnc, ofs: ofs }
125
- result = parse_json(Curl.post("#{API[:us]}/#{uri}", ops) { |hed| hed.headers = hus(uri, ops) }).fetch(:result, {})
126
- break if result.fetch(:ledger, []).empty?
127
-
128
- has.merge!(result[:ledger])
129
- ofs += result[:ledger].size
83
+ sleep(ofs.zero? ? 0 : 2)
84
+ ops = {nonce: nnc, ofs: ofs}
85
+ run_curl(@curl, "#{API[:us]}/#{uri}", method: :post, post_data: ops, headers: hus(uri, ops))
86
+ batch = parse_json(@curl).fetch(:result, {}).fetch(key, [])
87
+ break if batch.empty?
88
+
89
+ has.merge!(batch)
90
+ ofs += batch.size
130
91
  end
131
92
  has
132
- rescue Curl::Err::CurlError
133
- has
134
93
  end
135
94
 
136
- private
95
+ # Generic paginated request handler for Bitcoin.de
96
+ def pag_de_req(base_url, params, key)
97
+ ary = []
98
+ pag = 1
99
+ loop do
100
+ url = "#{base_url}?#{URI.encode_www_form(params.merge(page: pag))}"
101
+ run_curl(@curl, url, headers: hde(url))
102
+ result = parse_json(@curl)
103
+ batch = result.fetch(key, [])
104
+ ary.concat(block_given? ? yield(batch) : batch)
105
+ break if result[:page]&.[](:current)&.>= result[:page]&.[](:last)
106
+
107
+ pag += 1
108
+ end
109
+ ary
110
+ end
111
+
112
+ # Configure Curl object for request
113
+ def run_curl(curl, url, method: :get, post_data: nil, headers: {})
114
+ curl.reset
115
+ curl.url = url
116
+ curl.http(method == :post ? 'POST' : 'GET')
117
+ curl.headers = headers
118
+ curl.post_body = URI.encode_www_form(post_data) if post_data
119
+ curl.perform
120
+ end
137
121
 
138
122
  # Safe JSON parsing with error handling
139
123
  def parse_json(res)
140
- JSON.parse(res.body, symbolize_names: true) || {}
124
+ JSON.parse(res.body_str, symbolize_names: true)
141
125
  rescue JSON::ParserError
142
126
  {}
143
127
  end
@@ -147,6 +131,24 @@ module Cns
147
131
  Integer(Float(Time.now) * 1e6)
148
132
  end
149
133
 
134
+ # @return [Hash] deposito uniformizado bitcoinde
135
+ def deposit_unif(has)
136
+ {add: has[:address], time: Time.parse(has[:created_at]), qt: has[:amount], txid: Integer(has[:deposit_id])}.merge(tp: 'deposit', moe: 'btc', fee: '0')
137
+ end
138
+
139
+ # @return [Hash] withdrawal uniformizada bitcoinde
140
+ def withdrawal_unif(has)
141
+ {
142
+ add: has[:address],
143
+ time: Time.parse(has[:transferred_at]),
144
+ qt: has[:amount],
145
+ fee: has[:network_fee],
146
+ txid: Integer(has[:withdrawal_id]),
147
+ tp: 'withdrawal',
148
+ moe: 'btc'
149
+ }
150
+ end
151
+
150
152
  # @param [String] qde query a incluir no pedido HTTP
151
153
  # @param [Integer] non continually-increasing unsigned integer
152
154
  # @return [Hash] headers necessarios para pedido HTTP da exchange bitcoinde
@@ -154,7 +156,7 @@ module Cns
154
156
  key = ENV.fetch('BITCOINDE_API_KEY', nil)
155
157
  md5 = ['GET', qde, key, non, Digest::MD5.hexdigest('')].join('#')
156
158
  mac = OpenSSL::HMAC.hexdigest('sha256', ENV.fetch('BITCOINDE_API_SECRET', nil), md5)
157
- { 'X-API-KEY': key, 'X-API-NONCE': non, 'X-API-SIGNATURE': mac }
159
+ {'X-API-KEY': key, 'X-API-NONCE': non, 'X-API-SIGNATURE': mac}
158
160
  end
159
161
 
160
162
  # @param [String] qus query a incluir no pedido HTTP
@@ -165,7 +167,7 @@ module Cns
165
167
  key = ENV.fetch('KRAKEN_API_KEY', nil)
166
168
  sha = ['/0/private/', qus, Digest::SHA256.digest("#{ops[:nonce]}#{URI.encode_www_form(ops)}")].join
167
169
  mac = OpenSSL::HMAC.digest('sha512', Base64.decode64(ENV.fetch('KRAKEN_API_SECRET', nil)), sha)
168
- { 'api-key': key, 'api-sign': Base64.strict_encode64(mac) }
170
+ {'api-key': key, 'api-sign': Base64.strict_encode64(mac)}
169
171
  end
170
172
  end
171
173
  end
data/lib/cns/bigquery.rb CHANGED
@@ -9,16 +9,26 @@ module Cns
9
9
  FO = File.expand_path("~/#{File.basename($PROGRAM_NAME)}.log")
10
10
  EM = %i[EOS XETH ZEUR btc eth]
11
11
  TB = {
12
- i: %w[blocknumber timestamp txhash axfrom axto iax value contractaddress input type gas gasused traceid iserror errcode dias],
13
- p: %w[blocknumber timestamp blockreward iax dias],
14
- w: %w[withdrawalindex validatorindex address amount blocknumber timestamp dias],
15
- t: %w[blocknumber timestamp txhash nonce blockhash transactionindex axfrom axto iax value gas gasprice gasused iserror txreceipt_status input contractaddress dias],
16
- k: %w[blocknumber timestamp txhash nonce blockhash transactionindex axfrom axto iax value tokenname tokensymbol tokendecimal gas gasprice gasused input contractaddress dias],
12
+ netht: %w[blocknumber timestamp txhash nonce blockhash transactionindex axfrom axto iax value gas gasprice gasused iserror txreceipt_status input contractaddress dias],
13
+ hetht: %i[blockNumber timeStamp hash nonce blockHash transactionIndex from to iax value gas gasPrice gasUsed isError txreceipt_status input contractAddress],
14
+ nethi: %w[blocknumber timestamp txhash axfrom axto iax value contractaddress input type gas gasused traceid iserror errcode dias],
15
+ hethi: %i[blockNumber timeStamp hash from to iax value contractAddress input type gas gasUsed traceId isError errCode],
16
+ nethp: %w[blocknumber timestamp blockreward iax dias],
17
+ hethp: %i[blockNumber timeStamp blockReward iax],
18
+ nethw: %w[withdrawalindex validatorindex address amount blocknumber timestamp dias],
19
+ hethw: %i[withdrawalIndex validatorIndex address amount blockNumber timeStamp],
20
+ nethk: %w[blocknumber timestamp txhash nonce blockhash transactionindex axfrom axto iax value tokenname tokensymbol tokendecimal gas gasprice gasused input contractaddress dias],
21
+ hethk: %i[blockNumber timeStamp hash nonce blockHash transactionIndex from to iax value tokenName tokenSymbol tokenDecimal gas gasPrice gasUsed input contractAddress],
17
22
  neost: %w[gseq aseq bnum time contract action acfrom acto iax amount moeda memo dias],
23
+ heost: %i[global_action_seq account_action_seq block_num block_time account name from to iax quantity moe memo],
18
24
  cdet: %w[txid time tp user btc eur dtc dias],
25
+ hdet: %i[trade_id successfully_finished_at type username btc eur trade_marked_as_paid_at],
19
26
  cdel: %w[txid time tp add moe qt fee],
27
+ hdel: %i[nxid time tp add moe qtd fee],
20
28
  cust: %w[txid ordertxid pair time type ordertype price cost fee vol margin misc ledgers dias],
21
- cusl: %w[txid refid time type aclass asset amount fee]
29
+ hust: %i[txid ordertxid pair time type ordertype price cost fee vol margin misc ledgers],
30
+ cusl: %w[txid refid time type aclass asset amount fee],
31
+ husl: %i[txid refid time type aclass asset amount fee]
22
32
  }
23
33
 
24
34
  # classe para processar bigquery
@@ -65,93 +75,81 @@ module Cns
65
75
  Time.now.strftime('TRANSACOES %Y-%m-%d %H:%M:%S')
66
76
  end
67
77
 
68
- # insere (caso existam) dados novos kraken/bitcoinde/paymium/therock/etherscan/greymass no bigquery
78
+ # insere dados novos kraken/bitcoinde/etherscan/greymass no bigquery
69
79
  def ptudo
70
80
  puts("#{tct} #{pus}, #{pde}, #{peth}, #{peos}")
71
81
  end
72
82
 
73
- # insere (caso existam) dados novos kraken/etherscan no bigquery
83
+ # insere dados novos kraken/etherscan no bigquery
74
84
  def pwkrk
75
85
  puts("#{tct} #{pus}, #{peth}")
76
86
  end
77
87
 
78
- # insere (caso existam) dados novos etherscan no bigquery
88
+ # insere dados novos etherscan no bigquery
79
89
  def pweth
80
90
  puts("#{tct} #{peth}")
81
91
  end
82
92
 
83
- # insere (caso existam) dados novos etherscan no bigquery (output to file)
93
+ # insere dados novos etherscan no bigquery (output to file)
84
94
  def pceth
85
- File.open(FO, mode: 'a') { |out| out.puts("#{tct} #{pethc}") }
95
+ File.open(FO, mode: 'a') { |o| o.puts("#{tct} #{pethc}") }
86
96
  end
87
97
 
88
98
  private
89
99
 
90
- # insere transacoes blockchain novas nas tabelas netht (norml), nethi (internas), nethp (block), nethw (withdrawals), nethk (token)
91
- #
92
100
  # @return [String] linhas & tabelas afetadas
93
101
  def peth
94
- tabelas_out(apies, %w[ETH], %i[t i p w k], 'neth')
102
+ dml_out(apies, %w[ETH], %i[netht nethi nethp nethw nethk])
95
103
  end
96
104
 
97
- # insere transacoes blockchain novas nas tabelas netht (norml), nethi (internas), nethp (block), nethw (withdrawals), nethk (token)
98
- #
99
105
  # @return [String] linhas & tabelas afetadas
100
106
  def pethc
101
- tabelas_out(apiesc, %w[ETH], %i[t i p w k], 'neth')
107
+ dml_out(apiesc, %w[ETH], %i[netht nethi nethp nethw nethk])
102
108
  end
103
109
 
104
- # insere transacoes exchange kraken novas nas tabelas ust (trades), usl (ledger)
105
- #
106
110
  # @return [String] linhas & tabelas afetadas
107
111
  def pus
108
- tabelas_cus(apius, %w[KRAKEN], %i[cust cusl])
112
+ dml_out(apius, %w[KRAKEN], %i[cust cusl])
109
113
  end
110
114
 
111
- # insere transacoes exchange bitcoinde novas nas tabelas det (trades), del (ledger)
112
- #
113
115
  # @return [String] linhas & tabelas afetadas
114
116
  def pde
115
- tabelas_out(apide, %w[BITCOINDE], %i[cdet cdel])
117
+ dml_out(apide, %w[BITCOINDE], %i[cdet cdel])
116
118
  end
117
119
 
118
- # insere transacoes blockchain novas na tabela eos
119
- #
120
120
  # @return [String] linhas & tabelas afetadas
121
121
  def peos
122
- tabelas_out(apigm, %w[EOS], %i[neost])
122
+ dml_out(apigm, %w[EOS], %i[neost])
123
123
  end
124
124
 
125
125
  # cria job bigquery & verifica execucao
126
- #
127
126
  # @param cmd (see sql)
128
127
  # @return [Boolean] job ok?
129
128
  def job?(cmd)
130
- @job = api.query_job(cmd)
129
+ @job = api.query_job(cmd, priority: 'BATCH')
131
130
  job.wait_until_done!
132
- return false unless job.failed?
131
+ return true unless job.failed?
133
132
 
134
133
  puts("BigQuery Error: #{job.error['message']}")
135
- true
134
+ false
136
135
  end
137
136
 
138
137
  # cria Structured Query Language (SQL) job bigquery
139
- #
140
138
  # @param [String] cmd comando SQL a executar
141
139
  # @param [String] res resultado quando SQL tem erro
142
140
  # @return [Google::Cloud::Bigquery::Data] resultado do SQL
143
141
  def sql(cmd, res = [])
144
- @sqr = job?(cmd) ? res : job.data
142
+ @sqr = job?(cmd) ? job.data : res
145
143
  end
146
144
 
147
145
  # cria Data Manipulation Language (DML) job bigquery
148
- #
149
146
  # @param cmd (see sql)
150
147
  # @return [Integer] numero linhas afetadas
151
148
  def dml(cmd)
152
- job?(cmd) ? 0 : job.num_dml_affected_rows
149
+ job?(cmd) ? job.num_dml_affected_rows : 0
153
150
  end
154
151
 
152
+ # @return [Etherscan] API blockchain ETH
155
153
  def apiesg(prx)
156
154
  Etherscan.new(
157
155
  {
@@ -171,270 +169,152 @@ module Cns
171
169
  @apies ||= apiesg('netb')
172
170
  end
173
171
 
174
- # @return [Etherscan] API blockchain ETH
172
+ # @return [Etherscan] API blockchain ETH (cron)
175
173
  def apiesc
176
174
  @apiesc ||= apiesg('netc')
177
175
  end
178
176
 
179
177
  # @return [Greymass] API blockchain EOS
180
178
  def apigm
181
- @apigm ||= Greymass.new({ wb: sql("select * from #{BD}.weos order by ax"), nt: sql("select * from #{BD}.neosx") }, ops)
179
+ @apigm ||= Greymass.new({wb: sql("select * from #{BD}.weos ORDER BY ax"), nt: sql("select * from #{BD}.neosx")}, ops)
182
180
  end
183
181
 
184
182
  # @return [Kraken] API exchange kraken
185
183
  def apius
186
- @apius ||= Kraken.new({ sl: sql("select * from #{BD}.cuss").first, nt: sql("select * from #{BD}.cust"), nl: sql("select * from #{BD}.cusl") }, ops)
184
+ @apius ||= Kraken.new({sl: sql("select * from #{BD}.cuss").first, nt: sql("select * from #{BD}.cust"), nl: sql("select * from #{BD}.cusl")}, ops)
187
185
  end
188
186
 
189
187
  # @return [Bitcoinde] API exchange bitcoinde
190
188
  def apide
191
- @apide ||= Bitcoinde.new({ sl: sql("select * from #{BD}.cdes").first, nt: sql("select * from #{BD}.cdet"), nl: sql("select * from #{BD}.cdel") }, ops)
189
+ @apide ||= Bitcoinde.new({sl: sql("select * from #{BD}.cdes").first, nt: sql("select * from #{BD}.cdet"), nl: sql("select * from #{BD}.cdel")}, ops)
192
190
  end
193
191
 
194
- def tabelas_cus(src, str, ltb, prx = '')
195
- ltb.each do |itm|
196
- novx = src.send("nov#{prx}#{itm}")
197
- next if novx.empty?
198
-
199
- # puts(insert_cus(prx, itm, novx))
200
- str << format(' %<n>i %<t>s', n: dml(insert_cus(prx, itm, novx)), t: "#{prx}#{itm}")
201
- end
202
- str.join
192
+ # @return [String] comando insert SQL formatado
193
+ def ins_sql(tbl, lin)
194
+ "INSERT #{BD}.#{tbl} (#{TB[tbl].join(',')}) VALUES #{lin.map { |i| send("#{tbl}_val", i) }.join(',')}"
203
195
  end
204
196
 
205
- def tabelas_out(src, str, ltb, prx = '')
206
- ltb.each do |itm|
207
- novx = src.send("nov#{prx}#{itm}")
208
- next if novx.empty?
197
+ # @return [String] relatorio execucao dml
198
+ def dml_out(src, str, ltb)
199
+ str.concat(
200
+ ltb.filter_map do |itm|
201
+ novx = src.send("nov#{itm}")
202
+ next if novx.empty?
209
203
 
210
- # puts(insert_out(prx, itm, novx))
211
- str << format(' %<n>i %<t>s', n: dml(insert_out(prx, itm, novx)), t: "#{prx}#{itm}")
212
- end
204
+ format(' %<n>i %<t>s', n: dml(ins_sql(itm, %i[cust cusl].include?(itm) ? novx.values : novx)), t: "#{itm}")
205
+ end
206
+ )
213
207
  str.join
214
208
  end
215
209
 
216
- # @return [String] comando insert SQL formatado
217
- def insert_cus(prx, tbl, lin)
218
- "INSERT #{BD}.#{prx}#{tbl} (#{TB[tbl].join(',')}) VALUES #{lin.map { |key, val| send("#{prx}#{tbl}_val", key, val) }.join(',')}"
210
+ # @return [String] escapes SQL user input strings
211
+ def escape_sql(value)
212
+ value.gsub("'", "''").gsub('\\', '\\\\')
219
213
  end
220
214
 
221
- # @return [String] comando insert SQL formatado
222
- def insert_out(prx, tbl, lin)
223
- "INSERT #{BD}.#{prx}#{tbl} (#{TB[tbl].join(',')}) VALUES #{lin.map { |itm| send("#{prx}#{tbl}_val", itm) }.join(',')}"
224
- end
225
-
226
- # SQL value formatting methods with improved safety
215
+ # @return [String] SQL string formatting
227
216
  def fqt(value)
228
217
  value.nil? || value.empty? ? 'null' : "'#{value}'"
229
218
  end
230
219
 
220
+ # @return [String] SQL string formatting with improved safety
221
+ def fqe(value)
222
+ value.to_s.empty? ? 'null' : "'#{escape_sql(value.to_s)}'"
223
+ end
224
+
225
+ # @return [String] SQL numeric formatting
231
226
  def fnm(value)
232
227
  "CAST(#{value.to_d} AS NUMERIC)"
233
228
  rescue StandardError
234
229
  'CAST(0 AS NUMERIC)'
235
230
  end
236
231
 
232
+ # @return [String] SQL integer formatting
237
233
  def fin(value)
238
- Integer(value).to_s
234
+ Integer(value || 0).to_s
239
235
  rescue StandardError
240
236
  '0'
241
237
  end
242
238
 
243
- def ftm(sec)
244
- "PARSE_DATETIME('%s', '#{sec.round}')"
245
- end
246
-
239
+ # @return [String] SQL timestamp formatting
247
240
  def fts(value)
248
- "DATETIME(TIMESTAMP('#{value.iso8601}'))"
241
+ value.nil? ? 'null' : "DATETIME(TIMESTAMP('#{value.iso8601}'))"
242
+ end
243
+
244
+ # @return [String] formated SQL values for tables
245
+ def fvals(hsh, kys, idx = nil)
246
+ vls =
247
+ kys.map do |k|
248
+ case k
249
+ when :account_action_seq, :block_num, :blockNumber, :global_action_seq, :isError, :nonce, :timeStamp, :tokenDecimal, :transactionIndex, :nxid, :txreceipt_status, :validatorIndex, :withdrawalIndex then fin(hsh[k])
250
+ when :amount, :btc, :cost, :fee, :gas, :gasPrice, :gasUsed, :margin, :price, :quantity, :value, :vol, :eur, :blockReward, :qtd then fnm(hsh[k])
251
+ when :block_time, :successfully_finished_at, :time, :trade_marked_as_paid_at then fts(hsh[k])
252
+ when :memo, :input, :misc then fqe(hsh[k])
253
+ else fqt(hsh[k])
254
+ end
255
+ end
256
+ vls << fin(ops.dig(:h, hsh[idx].to_s)) if idx
257
+ "(#{vls.join(',')})"
249
258
  end
250
259
 
251
260
  # @param [Hash] htx transacao norml etherscan
252
- # @return [String] valores formatados netht (norml parte1)
261
+ # @return [String] valores formatados netht
253
262
  def netht_val(htx)
254
- vls = [
255
- fin(htx[:blockNumber]),
256
- fin(htx[:timeStamp]),
257
- fqt(htx[:hash]),
258
- fin(htx[:nonce]),
259
- fqt(htx[:blockHash]),
260
- fin(htx[:transactionIndex]),
261
- fqt(htx[:from]),
262
- fqt(htx[:to]),
263
- fqt(htx[:iax]),
264
- fnm(htx[:value]),
265
- fnm(htx[:gas]),
266
- fnm(htx[:gasPrice]),
267
- fnm(htx[:gasUsed]),
268
- fin(htx[:isError]),
269
- fin(htx[:txreceipt_status]),
270
- fqt(htx[:input]),
271
- fqt(htx[:contractAddress]),
272
- fin(ops.dig(:h, htx[:hash]))
273
- ]
274
- "(#{vls.join(',')})"
263
+ fvals(htx, TB[:hetht], :hash)
275
264
  end
276
265
 
277
266
  # @param [Hash] htx transacao internas etherscan
278
- # @return [String] valores formatados nethi (internas parte1)
267
+ # @return [String] valores formatados nethi
279
268
  def nethi_val(htx)
280
- vls = [
281
- fin(htx[:blockNumber]),
282
- fin(htx[:timeStamp]),
283
- fqt(htx[:hash]),
284
- fqt(htx[:from]),
285
- fqt(htx[:to]),
286
- fqt(htx[:iax]),
287
- fnm(htx[:value]),
288
- fqt(htx[:contractAddress]),
289
- fqt(htx[:input]),
290
- fqt(htx[:type]),
291
- fnm(htx[:gas]),
292
- fnm(htx[:gasUsed]),
293
- fqt(htx[:traceId]),
294
- fin(htx[:isError]),
295
- fqt(htx[:errCode]),
296
- fin(ops.dig(:h, htx[:hash]))
297
- ]
298
- "(#{vls.join(',')})"
269
+ fvals(htx, TB[:hethi], :hash)
299
270
  end
300
271
 
301
272
  # @param [Hash] htx transacao block etherscan
302
- # @return [String] valores formatados nethi (block parte1)
273
+ # @return [String] valores formatados nethp
303
274
  def nethp_val(htx)
304
- vls = [fin(htx[:blockNumber]), fin(htx[:timeStamp]), fnm(htx[:blockReward]), fqt(htx[:iax]), fin(ops.dig(:h, htx[:blockNumber]))]
305
- "(#{vls.join(',')})"
275
+ fvals(htx, TB[:hethp], :blockNumber)
306
276
  end
307
277
 
308
278
  # @param [Hash] htx transacao withdrawals etherscan
309
- # @return [String] valores formatados nethi (withdrawals parte1)
279
+ # @return [String] valores formatados nethw
310
280
  def nethw_val(htx)
311
- vls = [
312
- fin(htx[:withdrawalIndex]),
313
- fin(htx[:validatorIndex]),
314
- fqt(htx[:address]),
315
- fnm(htx[:amount]),
316
- fin(htx[:blockNumber]),
317
- fin(htx[:timeStamp]),
318
- fin(ops.dig(:h, htx[:withdrawalIndex]))
319
- ]
320
- "(#{vls.join(',')})"
281
+ fvals(htx, TB[:hethw], :withdrawalIndex)
321
282
  end
322
283
 
323
- # @param [Hash] hkx token event etherscan
324
- # @return [String] valores formatados nethk (token parte1)
284
+ # @param [Hash] htx token etherscan
285
+ # @return [String] valores formatados nethk
325
286
  def nethk_val(htx)
326
- vls = [
327
- fin(htx[:blockNumber]),
328
- fin(htx[:timeStamp]),
329
- fqt(htx[:hash]),
330
- fin(htx[:nonce]),
331
- fqt(htx[:blockHash]),
332
- fin(htx[:transactionIndex]),
333
- fqt(htx[:from]),
334
- fqt(htx[:to]),
335
- fqt(htx[:iax]),
336
- fnm(htx[:value]),
337
- fqt(htx[:tokenName]),
338
- fqt(htx[:tokenSymbol]),
339
- fin(htx[:tokenDecimal]),
340
- fnm(htx[:gas]),
341
- fnm(htx[:gasPrice]),
342
- fnm(htx[:gasUsed]),
343
- fqt(htx[:input]),
344
- fqt(htx[:contractAddress]),
345
- fin(ops.dig(:h, htx[:hash]))
346
- ]
347
- "(#{vls.join(',')})"
287
+ fvals(htx, TB[:hethk], :hash)
348
288
  end
349
289
 
350
- # @example (see Apibc#ledger_gm)
351
- # @param [Hash] hlx ledger greymass
352
- # @return [String] valores formatados para insert eos (parte1)
290
+ # @param [Hash] htx ledger greymass
291
+ # @return [String] valores formatados neost
353
292
  def neost_val(htx)
354
- # act = htx[:action_trace][:act]
355
- # dat = act[:data]
356
- # qtd = dat[:quantity].to_s
357
- # str = dat[:memo].inspect
358
- vls = [
359
- fin(htx[:global_action_seq]),
360
- fin(htx[:account_action_seq]),
361
- fin(htx[:block_num]),
362
- fts(htx[:block_time]),
363
- fqt(htx[:account]),
364
- fqt(htx[:name]),
365
- fqt(htx[:from]),
366
- fqt(htx[:to]),
367
- fqt(htx[:iax]),
368
- fnm(htx[:quantity]),
369
- fqt(htx[:moe]),
370
- fqt(htx[:memo]),
371
- fin(ops.dig(:h, htx[:itx]))
372
- ]
373
- "(#{vls.join(',')})"
293
+ fvals(htx, TB[:heost], :itx)
374
294
  end
375
295
 
376
- # @param [Hash] htx trade bitcoinde
377
- # @return [String] valores formatados det (trades parte1)
296
+ # @param [Hash] htx trades bitcoinde
297
+ # @return [String] valores formatados cdet
378
298
  def cdet_val(htx)
379
- vls = [
380
- fqt(htx[:trade_id]),
381
- fts(htx[:successfully_finished_at]),
382
- fqt(htx[:type]),
383
- fqt(htx[:trading_partner_information][:username]),
384
- fnm(htx[:type] == 'buy' ? htx[:amount_currency_to_trade_after_fee] : "-#{htx[:amount_currency_to_trade]}"),
385
- fnm(htx[:volume_currency_to_pay_after_fee]),
386
- fts(htx[:trade_marked_as_paid_at]),
387
- fin(ops.dig(:h, htx[:trade_id]))
388
- ]
389
- "(#{vls.join(',')})"
299
+ fvals(htx, TB[:hdet], :trade_id)
390
300
  end
391
301
 
392
- # @param [Hash] hlx ledger (deposits + withdrawals) bitcoinde
393
- # @return [String] valores formatados del (ledger)
302
+ # @param [Hash] htx ledger (deposits + withdrawals) bitcoinde
303
+ # @return [String] valores formatados cdel
394
304
  def cdel_val(htx)
395
- vls = [
396
- fin(htx[:txid]),
397
- fts(htx[:time]),
398
- fqt(htx[:tp]),
399
- fqt(htx[:add]),
400
- fqt(htx[:moe]),
401
- fnm(htx[:tp] == 'withdrawal' ? "-#{htx[:qt]}" : "#{htx[:qt]}"),
402
- fnm(htx[:fee])
403
- ]
404
- "(#{vls.join(',')})"
305
+ fvals(htx, TB[:hdel])
405
306
  end
406
307
 
407
- # @param [String] idx identificador transacao
408
- # @param [Hash] htx trade kraken
409
- # @return [String] valores formatados ust (trades parte1)
410
- def cust_val(idx, htx)
411
- # gets ledgers related to this trade
412
- ldg = apius.exd[:kl].select { |_, obj| obj[:refid] == idx.to_s }.keys.join(',')
413
- vls = [
414
- fqt(idx),
415
- fqt(htx[:ordertxid]),
416
- fqt(htx[:pair]),
417
- fts(htx[:time]),
418
- fqt(htx[:type]),
419
- fqt(htx[:ordertype]),
420
- fnm(htx[:price]),
421
- fnm(htx[:cost]),
422
- fnm(htx[:fee]),
423
- fnm(htx[:vol]),
424
- fnm(htx[:margin]),
425
- fqt(htx[:misc]),
426
- fqt(ldg),
427
- fin(ops.dig(:h, idx))
428
- ]
429
- "(#{vls.join(',')})"
308
+ # @param [Hash] htx trades kraken
309
+ # @return [String] valores formatados cust
310
+ def cust_val(htx)
311
+ fvals(htx.merge(ledgers: apius.exd[:kl].select { |_, o| o[:refid] == htx[:txid] }.keys.join(',')), TB[:hust], :txid)
430
312
  end
431
313
 
432
- # @param idx (see ust_val)
433
- # @param [Hash] hlx ledger kraken
434
- # @return [String] valores formatados usl (ledger)
435
- def cusl_val(idx, hlx)
436
- vls = [fqt(idx), fqt(hlx[:refid]), fts(hlx[:time]), fqt(hlx[:type]), fqt(hlx[:aclass]), fqt(hlx[:asset]), fnm(hlx[:amount]), fnm(hlx[:fee])]
437
- "(#{vls.join(',')})"
314
+ # @param [Hash] htx ledger kraken
315
+ # @return [String] valores formatados cusl
316
+ def cusl_val(htx)
317
+ fvals(htx, TB[:husl])
438
318
  end
439
319
  end
440
320
  end
data/lib/cns/bitcoinde.rb CHANGED
@@ -27,7 +27,7 @@ module Cns
27
27
 
28
28
  # @return [Hash] dados exchange bitcoinde - saldos & trades & deposits & withdrawals
29
29
  def exd
30
- @exd ||= { sl: pdea(api.account_de), tt: pdet(api.trades_de), tl: pdel(api.deposits_de + api.withdrawals_de) }
30
+ @exd ||= {sl: pdea(api.account_de), tt: pdet(api.trades_de), tl: pdel(api.deposits_de + api.withdrawals_de)}
31
31
  end
32
32
 
33
33
  # @return [String] texto saldos & transacoes & ajuste dias
@@ -40,7 +40,7 @@ module Cns
40
40
  mledger
41
41
  return if novcdet.empty?
42
42
 
43
- puts("\nstring ajuste dias dos trades\n-h=#{kyt.map { |obj| "#{obj}:0" }.join(' ')}")
43
+ puts("\nstring ajuste dias dos trades\n-h=#{novcdet.sort_by { |i| -i[:srx] }.map { |o| "#{o[:trade_id]}:0" }.join(' ')}")
44
44
  end
45
45
 
46
46
  private
@@ -102,8 +102,8 @@ module Cns
102
102
  dp: htx[:trade_marked_as_paid_at].strftime('%F'),
103
103
  ty: htx[:type],
104
104
  mo: htx[:trading_pair],
105
- vl: htx[:amount_currency_to_trade],
106
- co: htx[:volume_currency_to_pay]
105
+ vl: htx[:btc],
106
+ co: htx[:eur]
107
107
  )
108
108
  end
109
109
 
@@ -116,7 +116,7 @@ module Cns
116
116
  dt: hlx[:time].strftime('%F %T'),
117
117
  ty: hlx[:tp],
118
118
  mo: hlx[:moe],
119
- pr: hlx[:qt],
119
+ pr: hlx[:qtd],
120
120
  vl: hlx[:fee]
121
121
  )
122
122
  end
@@ -136,7 +136,7 @@ module Cns
136
136
  def mtrades
137
137
  return unless ops[:v] && novcdet.any?
138
138
 
139
- puts("\ntrades data hora dt criacao tipo par qtd eur")
139
+ puts("\ntrades data hora dt criacao tipo par btc eur")
140
140
  novcdet.sort_by { |i| -i[:srx] }.each { |o| puts(formata_trades(o)) }
141
141
  end
142
142
 
@@ -168,16 +168,18 @@ module Cns
168
168
  itm.map do |t|
169
169
  pdes(:successfully_finished_at, t).merge(
170
170
  trade_marked_as_paid_at: ptm(t[:trade_marked_as_paid_at]),
171
- amount_currency_to_trade: t[:amount_currency_to_trade].to_d,
172
- volume_currency_to_pay: t[:volume_currency_to_pay].to_d,
171
+ username: t[:trading_partner_information][:username],
172
+ btc: t[:type] == 'buy' ? t[:amount_currency_to_trade_after_fee].to_d : -1 * t[:amount_currency_to_trade].to_d,
173
+ eur: t[:volume_currency_to_pay_after_fee].to_d,
173
174
  trading_pair: t[:trading_pair].upcase
174
175
  )
175
176
  end
176
177
  end
177
178
 
178
179
  # Processa os ledger entries para garantir que as datas estejam no formato correto
180
+
179
181
  def pdel(itm)
180
- itm.map { |t| pdes(:time, t).merge(qt: t[:qt].to_d, fee: t[:fee].to_d, moe: t[:moe].upcase) }
182
+ itm.map { |t| pdes(:time, t).merge(qtd: (t[:tp] == 'withdrawal' ? -1 : 1) * t[:qt].to_d, nxid: t[:txid], fee: t[:fee].to_d, moe: t[:moe].upcase) }
181
183
  end
182
184
  end
183
185
  end
data/lib/cns/etherscan.rb CHANGED
@@ -19,38 +19,38 @@ module Cns
19
19
  TT = {
20
20
  normal: {
21
21
  new: :novnetht,
22
- sort_key: :srx,
23
22
  format: :formata_tx_ti,
24
23
  header: "\ntx normal from to data valor",
25
- adjustment_key: :hash
24
+ sork: :srx,
25
+ adjk: :hash
26
26
  },
27
27
  internal: {
28
28
  new: :novnethi,
29
- sort_key: :srx,
30
29
  format: :formata_tx_ti,
31
30
  header: "\ntx intern from to data valor",
32
- adjustment_key: :hash
31
+ sork: :srx,
32
+ adjk: :hash
33
33
  },
34
34
  block: {
35
35
  new: :novnethp,
36
- sort_key: :itx,
37
36
  format: :formata_tx_block,
38
37
  header: "\ntx block address data valor",
39
- adjustment_key: :blockNumber
38
+ sork: :itx,
39
+ adjk: :blockNumber
40
40
  },
41
41
  token: {
42
42
  new: :novnethk,
43
- sort_key: :srx,
44
43
  format: :formata_tx_token,
45
44
  header: "\ntx token from to data valor moeda",
46
- adjustment_key: :hash
45
+ sork: :srx,
46
+ adjk: :hash
47
47
  },
48
48
  withdrawal: {
49
49
  new: :novnethw,
50
- sort_key: :itx,
51
50
  format: :formata_tx_withw,
52
51
  header: "\nwithdrawal validator data valor",
53
- adjustment_key: :withdrawalIndex
52
+ sork: :itx,
53
+ adjk: :withdrawalIndex
54
54
  }
55
55
  }
56
56
 
@@ -224,7 +224,7 @@ module Cns
224
224
  next unless ops[:v] && ntx.any?
225
225
 
226
226
  puts(cfg[:header])
227
- ntx.sort_by { |s| -s[cfg[:sort_key]] }.each { |t| puts(send(cfg[:format], t)) }
227
+ ntx.sort_by { |s| -s[cfg[:sork]] }.each { |t| puts(send(cfg[:format], t)) }
228
228
  end
229
229
  end
230
230
 
@@ -234,7 +234,7 @@ module Cns
234
234
  ntx = send(cfg[:new])
235
235
  next unless ntx.any?
236
236
 
237
- puts("\najuste dias transacoes #{typ}\n-h=#{ntx.map { |t| "#{t[cfg[:adjustment_key]]}:0" }.join(' ')}")
237
+ puts("\najuste dias transacoes #{typ}\n-h=#{ntx.sort_by { |s| -s[cfg[:sork]] }.map { |t| "#{t[cfg[:adjk]]}:0" }.join(' ')}")
238
238
  end
239
239
  end
240
240
 
@@ -366,31 +366,6 @@ module Cns
366
366
  @novnethk ||= bcd.map { |obc| obc[:kx].select { |obj| idk.include?(obj[:itx]) } }.flatten.uniq { |itm| itm[:itx] }
367
367
  end
368
368
 
369
- # @return [Array<Hash>] lista ordenada transacoes normais novas
370
- def sortx
371
- novnetht.sort_by { |i| -i[:srx] }
372
- end
373
-
374
- # @return [Array<Hash>] lista ordenada transacoes internas novas
375
- def sorix
376
- novnethi.sort_by { |i| -i[:srx] }
377
- end
378
-
379
- # @return [Array<Hash>] lista ordenada transacoes block novas
380
- def sorpx
381
- novnethp.sort_by { |i| -i[:itx] }
382
- end
383
-
384
- # @return [Array<Hash>] lista ordenada transacoes withdrawals novas
385
- def sorwx
386
- novnethw.sort_by { |i| -i[:itx] }
387
- end
388
-
389
- # @return [Array<Hash>] lista ordenada transacoes token novas
390
- def sorkx
391
- novnethk.sort_by { |i| -i[:srx] }
392
- end
393
-
394
369
  def pess(itm)
395
370
  tym = Integer(itm[:timeStamp])
396
371
  itm.merge(srx: tym, timeStamp: Time.at(tym))
data/lib/cns/greymass.rb CHANGED
@@ -27,10 +27,10 @@ module Cns
27
27
 
28
28
  TT = {
29
29
  new: :novneost,
30
- sort_key: :itx,
31
30
  format: :formata_ledger,
32
31
  header: "\nsequence num from to accao data valor moeda",
33
- adjustment_key: :itx
32
+ sork: :itx,
33
+ adjk: :itx
34
34
  }
35
35
 
36
36
  # @return [String] texto carteiras & transacoes & ajuste dias
@@ -87,7 +87,7 @@ module Cns
87
87
  return unless ops[:v] && ntx.any?
88
88
 
89
89
  puts(TT[:header])
90
- ntx.sort_by { |s| -s[TT[:sort_key]] }.each { |t| puts(send(TT[:format], t)) }
90
+ ntx.sort_by { |s| -s[TT[:sork]] }.each { |t| puts(send(TT[:format], t)) }
91
91
  end
92
92
 
93
93
  # @return [String] texto configuracao ajuste dias das transacoes
@@ -95,7 +95,7 @@ module Cns
95
95
  ntx = send(TT[:new])
96
96
  return unless ntx.any?
97
97
 
98
- puts("\nstring ajuste dias\n-h=#{ntx.map { |t| "#{t[TT[:adjustment_key]]}:0" }.join(' ')}")
98
+ puts("\nstring ajuste dias\n-h=#{ntx.sort_by { |s| -s[TT[:sork]] }.map { |t| "#{t[TT[:adjk]]}:0" }.join(' ')}")
99
99
  end
100
100
 
101
101
  # @return [Array<Hash>] todos os dados greymass - saldos & transacoes
@@ -126,7 +126,7 @@ module Cns
126
126
  # @return [Hash] dados greymass - address, saldo & transacoes
127
127
  def base_bc(wbq)
128
128
  xbq = wbq[:ax]
129
- { ax: xbq, sl: peosa(xbq).reduce(:+), tx: peost(xbq, api.ledger_gm(xbq)) }
129
+ {ax: xbq, sl: peosa(xbq).reduce(:+), tx: peost(xbq, api.ledger_gm(xbq))}
130
130
  end
131
131
 
132
132
  # @param wbq (see base_bc)
@@ -149,11 +149,6 @@ module Cns
149
149
  @novneost ||= bcd.map { |obc| obc[:tx].select { |obj| idt.include?(obj[:itx]) } }.flatten
150
150
  end
151
151
 
152
- # @return [Array<Hash>] lista ordenada transacoes
153
- def soreost
154
- novneost.sort_by { |i| -i[:itx] }
155
- end
156
-
157
152
  # @return [Array<BigDecimal>] lista recursos - liquido, net, spu
158
153
  def peosa(add)
159
154
  hac = api.account_gm(add)
data/lib/cns/kraken.rb CHANGED
@@ -27,7 +27,7 @@ module Cns
27
27
 
28
28
  # @return [Hash] dados exchange kraken - saldos & transacoes trades e ledger
29
29
  def exd
30
- @exd ||= { sl: pusa(api.account_us), kt: pust(api.trades_us), kl: pusl(api.ledger_us) }
30
+ @exd ||= {sl: pusa(api.account_us), kt: pust(api.trades_us), kl: pusl(api.ledger_us)}
31
31
  end
32
32
 
33
33
  # @return [String] texto saldos & transacoes & ajuste dias
@@ -40,7 +40,7 @@ module Cns
40
40
  mledger
41
41
  return if novcust.empty?
42
42
 
43
- puts("\nstring ajuste dias dos trades\n-h=#{kyt.map { |obj| "#{obj}:0" }.join(' ')}")
43
+ puts("\nstring ajuste dias dos trades\n-h=#{novcust.sort_by { |_, v| -v[:srx] }.map { |k, _v| "#{k}:0" }.join(' ')}")
44
44
  end
45
45
 
46
46
  private
@@ -139,7 +139,7 @@ module Cns
139
139
  return unless ops[:v] && novcust.any?
140
140
 
141
141
  puts("\ntrade data hora tipo par preco volume custo")
142
- novcust.sort_by { |_, v| -v[:srx] }.each { |i, t| puts(formata_trades(i, t)) }
142
+ novcust.sort_by { |_, v| -v[:srx] }.each { |k, t| puts(formata_trades(k, t)) }
143
143
  end
144
144
 
145
145
  # @return [String] texto transacoes ledger
@@ -147,27 +147,30 @@ module Cns
147
147
  return unless ops[:v] && novcusl.any?
148
148
 
149
149
  puts("\nledger data hora tipo moeda quantidade custo")
150
- novcusl.sort_by { |_, v| -v[:srx] }.each { |i, t| puts(formata_ledger(i, t)) }
150
+ novcusl.sort_by { |_, v| -v[:srx] }.each { |k, t| puts(formata_ledger(k, t)) }
151
151
  end
152
152
 
153
- # Processa os trades para garantir que as datas estejam no formato correto
153
+ # Processa accounts para garantir formato correto
154
154
  def pusa(itm)
155
155
  itm.select { |k, _| EM.include?(k) }.transform_values { |v| v.to_d }
156
156
  end
157
157
 
158
- def puss(itm)
159
- tym = Integer(itm[:time])
160
- itm.merge(srx: tym, time: Time.at(tym))
158
+ # Processa campos comuns para garantir formato correto
159
+ def pusk(itm)
160
+ itm.map do |k, v|
161
+ t = Integer(v[:time])
162
+ [k, v.merge(txid: k.to_s, srx: t, time: Time.at(t))]
163
+ end.to_h
161
164
  end
162
165
 
163
- # Processa os trades para garantir que as datas estejam no formato correto
166
+ # Processa trades para garantir formato correto
164
167
  def pust(itm)
165
- itm.transform_values { |t| puss(t).merge(pair: t[:pair].upcase, price: t[:price].to_d, vol: t[:vol].to_d, cost: t[:cost].to_d) }
168
+ pusk(itm).transform_values { |t| t.merge(pair: t[:pair].upcase, price: t[:price].to_d, vol: t[:vol].to_d, cost: t[:cost].to_d) }
166
169
  end
167
170
 
168
- # Processa os ledger entries para garantir que as datas estejam no formato correto
171
+ # Processa ledgers para garantir formato correto
169
172
  def pusl(itm)
170
- itm.transform_values { |t| puss(t).merge(asset: t[:asset].upcase, amount: t[:amount].to_d, fee: t[:fee].to_d) }
173
+ pusk(itm).transform_values { |t| t.merge(asset: t[:asset].upcase, amount: t[:amount].to_d, fee: t[:fee].to_d) }
171
174
  end
172
175
  end
173
176
  end
data/lib/cns/version.rb CHANGED
@@ -1,5 +1,5 @@
1
1
  # frozen_string_literal: true
2
2
 
3
3
  module Cns
4
- VERSION = '0.9.0'
4
+ VERSION = '0.9.2'
5
5
  end
metadata CHANGED
@@ -1,13 +1,13 @@
1
1
  --- !ruby/object:Gem::Specification
2
2
  name: cns
3
3
  version: !ruby/object:Gem::Version
4
- version: 0.9.0
4
+ version: 0.9.2
5
5
  platform: ruby
6
6
  authors:
7
7
  - Hernâni Rodrigues Vaz
8
8
  bindir: exe
9
9
  cert_chain: []
10
- date: 2025-03-01 00:00:00.000000000 Z
10
+ date: 2025-03-03 00:00:00.000000000 Z
11
11
  dependencies:
12
12
  - !ruby/object:Gem::Dependency
13
13
  name: bundler