don't punish new shares for not having all transactions. punishing
[p2pool.git] / p2pool / data.py
1 from __future__ import division
2
3 import hashlib
4 import os
5 import random
6 import sys
7 import time
8
9 from twisted.python import log
10
11 import p2pool
12 from p2pool.bitcoin import data as bitcoin_data, script, sha256
13 from p2pool.util import math, forest, pack
14
15 # hashlink
16
17 hash_link_type = pack.ComposedType([
18     ('state', pack.FixedStrType(32)),
19     ('extra_data', pack.FixedStrType(0)), # bit of a hack, but since the donation script is at the end, const_ending is long enough to always make this empty
20     ('length', pack.VarIntType()),
21 ])
22
23 def prefix_to_hash_link(prefix, const_ending=''):
24     assert prefix.endswith(const_ending), (prefix, const_ending)
25     x = sha256.sha256(prefix)
26     return dict(state=x.state, extra_data=x.buf[:max(0, len(x.buf)-len(const_ending))], length=x.length//8)
27
28 def check_hash_link(hash_link, data, const_ending=''):
29     extra_length = hash_link['length'] % (512//8)
30     assert len(hash_link['extra_data']) == max(0, extra_length - len(const_ending))
31     extra = (hash_link['extra_data'] + const_ending)[len(hash_link['extra_data']) + len(const_ending) - extra_length:]
32     assert len(extra) == extra_length
33     return pack.IntType(256).unpack(hashlib.sha256(sha256.sha256(data, (hash_link['state'], extra, 8*hash_link['length'])).digest()).digest())
34
35 # shares
36
37 share_type = pack.ComposedType([
38     ('type', pack.VarIntType()),
39     ('contents', pack.VarStrType()),
40 ])
41
42 def load_share(share, net, peer_addr):
43     assert peer_addr is None or isinstance(peer_addr, tuple)
44     if share['type'] < Share.VERSION:
45         from p2pool import p2p
46         raise p2p.PeerMisbehavingError('sent an obsolete share')
47     elif share['type'] == Share.VERSION:
48         return Share(net, peer_addr, Share.share_type.unpack(share['contents']))
49     elif share['type'] == NewShare.VERSION:
50         return NewShare(net, peer_addr, NewShare.share_type.unpack(share['contents']))
51     else:
52         raise ValueError('unknown share type: %r' % (share['type'],))
53
54 DONATION_SCRIPT = '4104ffd03de44a6e11b9917f3a29f9443283d9871c9d743ef30d5eddcd37094b64d1b3d8090496b53256786bf5c82932ec23c3b74d9f05a6f95a8b5529352656664bac'.decode('hex')
55
56 class NewShare(object):
57     VERSION = 13
58     VOTING_VERSION = 13
59     SUCCESSOR = None
60     
61     small_block_header_type = pack.ComposedType([
62         ('version', pack.VarIntType()),
63         ('previous_block', pack.PossiblyNoneType(0, pack.IntType(256))),
64         ('timestamp', pack.IntType(32)),
65         ('bits', bitcoin_data.FloatingIntegerType()),
66         ('nonce', pack.IntType(32)),
67     ])
68     
69     share_info_type = pack.ComposedType([
70         ('share_data', pack.ComposedType([
71             ('previous_share_hash', pack.PossiblyNoneType(0, pack.IntType(256))),
72             ('coinbase', pack.VarStrType()),
73             ('nonce', pack.IntType(32)),
74             ('pubkey_hash', pack.IntType(160)),
75             ('subsidy', pack.IntType(64)),
76             ('donation', pack.IntType(16)),
77             ('stale_info', pack.EnumType(pack.IntType(8), dict((k, {0: None, 253: 'orphan', 254: 'doa'}.get(k, 'unk%i' % (k,))) for k in xrange(256)))),
78             ('desired_version', pack.VarIntType()),
79         ])),
80         ('new_transaction_hashes', pack.ListType(pack.IntType(256))),
81         ('transaction_hash_refs', pack.ListType(pack.VarIntType(), 2)), # pairs of share_count, tx_count
82         ('far_share_hash', pack.PossiblyNoneType(0, pack.IntType(256))),
83         ('max_bits', bitcoin_data.FloatingIntegerType()),
84         ('bits', bitcoin_data.FloatingIntegerType()),
85         ('timestamp', pack.IntType(32)),
86         ('absheight', pack.IntType(32)),
87         ('abswork', pack.IntType(128)),
88     ])
89     
90     share_type = pack.ComposedType([
91         ('min_header', small_block_header_type),
92         ('share_info', share_info_type),
93         ('ref_merkle_link', pack.ComposedType([
94             ('branch', pack.ListType(pack.IntType(256))),
95             ('index', pack.IntType(0)),
96         ])),
97         ('last_txout_nonce', pack.IntType(64)),
98         ('hash_link', hash_link_type),
99         ('merkle_link', pack.ComposedType([
100             ('branch', pack.ListType(pack.IntType(256))),
101             ('index', pack.IntType(0)), # it will always be 0
102         ])),
103     ])
104     
105     ref_type = pack.ComposedType([
106         ('identifier', pack.FixedStrType(64//8)),
107         ('share_info', share_info_type),
108     ])
109     
110     gentx_before_refhash = pack.VarStrType().pack(DONATION_SCRIPT) + pack.IntType(64).pack(0) + pack.VarStrType().pack('\x6a\x28' + pack.IntType(256).pack(0) + pack.IntType(64).pack(0))[:3]
111     
112     @classmethod
113     def generate_transaction(cls, tracker, share_data, block_target, desired_timestamp, desired_target, ref_merkle_link, desired_other_transaction_hashes_and_fees, net, known_txs=None, last_txout_nonce=0, base_subsidy=None):
114         previous_share = tracker.items[share_data['previous_share_hash']] if share_data['previous_share_hash'] is not None else None
115         
116         height, last = tracker.get_height_and_last(share_data['previous_share_hash'])
117         assert height >= net.REAL_CHAIN_LENGTH or last is None
118         if height < net.TARGET_LOOKBEHIND:
119             pre_target3 = net.MAX_TARGET
120         else:
121             attempts_per_second = get_pool_attempts_per_second(tracker, share_data['previous_share_hash'], net.TARGET_LOOKBEHIND, min_work=True, integer=True)
122             pre_target = 2**256//(net.NEW_SHARE_PERIOD*attempts_per_second) - 1 if attempts_per_second else 2**256-1
123             pre_target2 = math.clip(pre_target, (previous_share.max_target*9//10, previous_share.max_target*11//10))
124             pre_target3 = math.clip(pre_target2, (net.MIN_TARGET, net.MAX_TARGET))
125         max_bits = bitcoin_data.FloatingInteger.from_target_upper_bound(pre_target3)
126         bits = bitcoin_data.FloatingInteger.from_target_upper_bound(math.clip(desired_target, (pre_target3//30, pre_target3)))
127         
128         new_transaction_hashes = []
129         new_transaction_size = 0
130         transaction_hash_refs = []
131         other_transaction_hashes = []
132         
133         past_shares = list(tracker.get_chain(share_data['previous_share_hash'], min(height, 100)))
134         tx_hash_to_this = {}
135         for i, share in enumerate(past_shares):
136             for j, tx_hash in enumerate(share.new_transaction_hashes):
137                 if tx_hash not in tx_hash_to_this:
138                     tx_hash_to_this[tx_hash] = [1+i, j] # share_count, tx_count
139         for tx_hash, fee in desired_other_transaction_hashes_and_fees:
140             if tx_hash in tx_hash_to_this:
141                 this = tx_hash_to_this[tx_hash]
142             else:
143                 if known_txs is not None:
144                     this_size = bitcoin_data.tx_type.packed_size(known_txs[tx_hash])
145                     if new_transaction_size + this_size > 50000: # only allow 50 kB of new txns/share
146                         break
147                     new_transaction_size += this_size
148                 new_transaction_hashes.append(tx_hash)
149                 this = [0, len(new_transaction_hashes)-1]
150             transaction_hash_refs.extend(this)
151             other_transaction_hashes.append(tx_hash)
152         
153         included_transactions = set(other_transaction_hashes)
154         removed_fees = [fee for tx_hash, fee in desired_other_transaction_hashes_and_fees if tx_hash not in included_transactions]
155         definite_fees = sum(0 if fee is None else fee for tx_hash, fee in desired_other_transaction_hashes_and_fees if tx_hash in included_transactions)
156         if None not in removed_fees:
157             share_data = dict(share_data, subsidy=share_data['subsidy'] - sum(removed_fees))
158         else:
159             assert base_subsidy is not None
160             share_data = dict(share_data, subsidy=base_subsidy + definite_fees)
161         
162         weights, total_weight, donation_weight = tracker.get_cumulative_weights(previous_share.share_data['previous_share_hash'] if previous_share is not None else None,
163             min(height, net.REAL_CHAIN_LENGTH-1),
164             65535*net.NEW_SPREAD*bitcoin_data.target_to_average_attempts(block_target),
165         )
166         assert total_weight == sum(weights.itervalues()) + donation_weight, (total_weight, sum(weights.itervalues()) + donation_weight)
167         
168         amounts = dict((script, share_data['subsidy']*(199*weight)//(200*total_weight)) for script, weight in weights.iteritems()) # 99.5% goes according to weights prior to this share
169         this_script = bitcoin_data.pubkey_hash_to_script2(share_data['pubkey_hash'])
170         amounts[this_script] = amounts.get(this_script, 0) + share_data['subsidy']//200 # 0.5% goes to block finder
171         amounts[DONATION_SCRIPT] = amounts.get(DONATION_SCRIPT, 0) + share_data['subsidy'] - sum(amounts.itervalues()) # all that's left over is the donation weight and some extra satoshis due to rounding
172         
173         if sum(amounts.itervalues()) != share_data['subsidy'] or any(x < 0 for x in amounts.itervalues()):
174             raise ValueError()
175         
176         dests = sorted(amounts.iterkeys(), key=lambda script: (script == DONATION_SCRIPT, amounts[script], script))[-4000:] # block length limit, unlikely to ever be hit
177         
178         share_info = dict(
179             share_data=share_data,
180             far_share_hash=None if last is None and height < 99 else tracker.get_nth_parent_hash(share_data['previous_share_hash'], 99),
181             max_bits=max_bits,
182             bits=bits,
183             timestamp=math.clip(desired_timestamp, (
184                 (previous_share.timestamp + net.NEW_SHARE_PERIOD) - (net.NEW_SHARE_PERIOD - 1), # = previous_share.timestamp + 1
185                 (previous_share.timestamp + net.NEW_SHARE_PERIOD) + (net.NEW_SHARE_PERIOD - 1),
186             )) if previous_share is not None else desired_timestamp,
187             new_transaction_hashes=new_transaction_hashes,
188             transaction_hash_refs=transaction_hash_refs,
189             absheight=((previous_share.absheight if previous_share is not None else 0) + 1) % 2**32,
190             abswork=((previous_share.abswork if previous_share is not None else 0) + bitcoin_data.target_to_average_attempts(bits.target)) % 2**128,
191         )
192         
193         gentx = dict(
194             version=1,
195             tx_ins=[dict(
196                 previous_output=None,
197                 sequence=None,
198                 script=share_data['coinbase'],
199             )],
200             tx_outs=[dict(value=amounts[script], script=script) for script in dests if amounts[script] or script == DONATION_SCRIPT] + [dict(
201                 value=0,
202                 script='\x6a\x28' + cls.get_ref_hash(net, share_info, ref_merkle_link) + pack.IntType(64).pack(last_txout_nonce),
203             )],
204             lock_time=0,
205         )
206         
207         def get_share(header, last_txout_nonce=last_txout_nonce):
208             min_header = dict(header); del min_header['merkle_root']
209             share = cls(net, None, dict(
210                 min_header=min_header,
211                 share_info=share_info,
212                 ref_merkle_link=dict(branch=[], index=0),
213                 last_txout_nonce=last_txout_nonce*2**32,
214                 hash_link=prefix_to_hash_link(bitcoin_data.tx_type.pack(gentx)[:-32-8-4], cls.gentx_before_refhash),
215                 merkle_link=bitcoin_data.calculate_merkle_link([None] + other_transaction_hashes, 0),
216             ))
217             assert share.header == header # checks merkle_root
218             return share
219         
220         return share_info, gentx, other_transaction_hashes, get_share
221     
222     @classmethod
223     def get_ref_hash(cls, net, share_info, ref_merkle_link):
224         return pack.IntType(256).pack(bitcoin_data.check_merkle_link(bitcoin_data.hash256(cls.ref_type.pack(dict(
225             identifier=net.IDENTIFIER,
226             share_info=share_info,
227         ))), ref_merkle_link))
228     
229     __slots__ = 'net peer_addr contents min_header share_info hash_link merkle_link hash share_data max_target target timestamp previous_hash new_script desired_version gentx_hash header pow_hash header_hash new_transaction_hashes time_seen absheight abswork'.split(' ')
230     
231     def __init__(self, net, peer_addr, contents):
232         self.net = net
233         self.peer_addr = peer_addr
234         self.contents = contents
235         
236         self.min_header = contents['min_header']
237         self.share_info = contents['share_info']
238         self.hash_link = contents['hash_link']
239         self.merkle_link = contents['merkle_link']
240         
241         if not (2 <= len(self.share_info['share_data']['coinbase']) <= 100):
242             raise ValueError('''bad coinbase size! %i bytes''' % (len(self.share_info['share_data']['coinbase']),))
243         
244         if len(self.merkle_link['branch']) > 16:
245             raise ValueError('merkle branch too long!')
246         
247         assert not self.hash_link['extra_data'], repr(self.hash_link['extra_data'])
248         
249         self.share_data = self.share_info['share_data']
250         self.max_target = self.share_info['max_bits'].target
251         self.target = self.share_info['bits'].target
252         self.timestamp = self.share_info['timestamp']
253         self.previous_hash = self.share_data['previous_share_hash']
254         self.new_script = bitcoin_data.pubkey_hash_to_script2(self.share_data['pubkey_hash'])
255         self.desired_version = self.share_data['desired_version']
256         self.absheight = self.share_info['absheight']
257         self.abswork = self.share_info['abswork']
258         
259         n = set()
260         for share_count, tx_count in self.iter_transaction_hash_refs():
261             assert share_count < 110
262             if share_count == 0:
263                 n.add(tx_count)
264         assert n == set(range(len(self.share_info['new_transaction_hashes'])))
265         
266         self.gentx_hash = check_hash_link(
267             self.hash_link,
268             self.get_ref_hash(net, self.share_info, contents['ref_merkle_link']) + pack.IntType(64).pack(self.contents['last_txout_nonce']) + pack.IntType(32).pack(0),
269             self.gentx_before_refhash,
270         )
271         merkle_root = bitcoin_data.check_merkle_link(self.gentx_hash, self.merkle_link)
272         self.header = dict(self.min_header, merkle_root=merkle_root)
273         self.pow_hash = net.PARENT.POW_FUNC(bitcoin_data.block_header_type.pack(self.header))
274         self.hash = self.header_hash = bitcoin_data.hash256(bitcoin_data.block_header_type.pack(self.header))
275         
276         if self.target > net.MAX_TARGET:
277             from p2pool import p2p
278             raise p2p.PeerMisbehavingError('share target invalid')
279         
280         if self.pow_hash > self.target:
281             from p2pool import p2p
282             raise p2p.PeerMisbehavingError('share PoW invalid')
283         
284         self.new_transaction_hashes = self.share_info['new_transaction_hashes']
285         
286         # XXX eww
287         self.time_seen = time.time()
288     
289     def __repr__(self):
290         return 'Share' + repr((self.net, self.peer_addr, self.contents))
291     
292     def as_share(self):
293         return dict(type=self.VERSION, contents=self.share_type.pack(self.contents))
294     
295     def iter_transaction_hash_refs(self):
296         return zip(self.share_info['transaction_hash_refs'][::2], self.share_info['transaction_hash_refs'][1::2])
297     
298     def check(self, tracker):
299         from p2pool import p2p
300         if self.share_data['previous_share_hash'] is not None:
301             previous_share = tracker.items[self.share_data['previous_share_hash']]
302             if type(self) is type(previous_share):
303                 pass
304             elif type(self) is type(previous_share).SUCCESSOR:
305                 if tracker.get_height(previous_share.hash) < self.net.CHAIN_LENGTH:
306                     from p2pool import p2p
307                     raise p2p.PeerMisbehavingError('switch without enough history')
308                 
309                 # switch only valid if 85% of hashes in [self.net.CHAIN_LENGTH*9//10, self.net.CHAIN_LENGTH] for new version
310                 counts = get_desired_version_counts(tracker,
311                     tracker.get_nth_parent_hash(previous_share.hash, self.net.CHAIN_LENGTH*9//10), self.net.CHAIN_LENGTH//10)
312                 if counts.get(self.VERSION, 0) < sum(counts.itervalues())*85//100:
313                     raise p2p.PeerMisbehavingError('switch without enough hash power upgraded')
314             else:
315                 raise p2p.PeerMisbehavingError('''%s can't follow %s''' % (type(self).__name__, type(previous_share).__name__))
316         
317         other_tx_hashes = [tracker.items[tracker.get_nth_parent_hash(self.hash, share_count)].share_info['new_transaction_hashes'][tx_count] for share_count, tx_count in self.iter_transaction_hash_refs()]
318         
319         share_info, gentx, other_tx_hashes2, get_share = self.generate_transaction(tracker, self.share_info['share_data'], self.header['bits'].target, self.share_info['timestamp'], self.share_info['bits'].target, self.contents['ref_merkle_link'], [(h, None) for h in other_tx_hashes], self.net, last_txout_nonce=self.contents['last_txout_nonce'])
320         assert other_tx_hashes2 == other_tx_hashes
321         if share_info != self.share_info:
322             raise ValueError('share_info invalid')
323         if bitcoin_data.hash256(bitcoin_data.tx_type.pack(gentx)) != self.gentx_hash:
324             raise ValueError('''gentx doesn't match hash_link''')
325         
326         if bitcoin_data.calculate_merkle_link([None] + other_tx_hashes, 0) != self.merkle_link:
327             raise ValueError('merkle_link and other_tx_hashes do not match')
328         
329         return gentx # only used by as_block
330     
331     def get_other_tx_hashes(self, tracker):
332         parents_needed = max(share_count for share_count, tx_count in self.iter_transaction_hash_refs()) if self.share_info['transaction_hash_refs'] else 0
333         parents = tracker.get_height(self.hash) - 1
334         if parents < parents_needed:
335             return None
336         last_shares = list(tracker.get_chain(self.hash, parents_needed + 1))
337         return [last_shares[share_count].share_info['new_transaction_hashes'][tx_count] for share_count, tx_count in self.iter_transaction_hash_refs()]
338     
339     def _get_other_txs(self, tracker, known_txs):
340         other_tx_hashes = self.get_other_tx_hashes(tracker)
341         if other_tx_hashes is None:
342             return None # not all parents present
343         
344         if not all(tx_hash in known_txs for tx_hash in other_tx_hashes):
345             return None # not all txs present
346         
347         return [known_txs[tx_hash] for tx_hash in other_tx_hashes]
348     
349     def should_punish_reason(self, previous_block, bits, tracker, known_txs):
350         if (self.header['previous_block'], self.header['bits']) != (previous_block, bits) and self.header_hash != previous_block and self.peer_addr is not None:
351             return True, 'Block-stale detected! %x < %x' % (self.header['previous_block'], previous_block)
352         
353         if self.pow_hash <= self.header['bits'].target:
354             return -1, 'block solution'
355         
356         other_txs = self._get_other_txs(tracker, known_txs)
357         if other_txs is None:
358             pass
359         else:
360             all_txs_size = sum(bitcoin_data.tx_type.packed_size(tx) for tx in other_txs)
361             if all_txs_size > 1000000:
362                 return True, 'txs over block size limit'
363             
364             new_txs_size = sum(bitcoin_data.tx_type.packed_size(known_txs[tx_hash]) for tx_hash in self.share_info['new_transaction_hashes'])
365             if new_txs_size > 50000:
366                 return True, 'new txs over limit'
367         
368         return False, None
369     
370     def as_block(self, tracker, known_txs):
371         other_txs = self._get_other_txs(tracker, known_txs)
372         if other_txs is None:
373             return None # not all txs present
374         return dict(header=self.header, txs=[self.check(tracker)] + other_txs)
375
376 class Share(object):
377     VERSION = 9
378     VOTING_VERSION = 11
379     SUCCESSOR = NewShare
380     
381     absheight = abswork = 0
382     
383     small_block_header_type = pack.ComposedType([
384         ('version', pack.VarIntType()),
385         ('previous_block', pack.PossiblyNoneType(0, pack.IntType(256))),
386         ('timestamp', pack.IntType(32)),
387         ('bits', bitcoin_data.FloatingIntegerType()),
388         ('nonce', pack.IntType(32)),
389     ])
390     
391     share_info_type = pack.ComposedType([
392         ('share_data', pack.ComposedType([
393             ('previous_share_hash', pack.PossiblyNoneType(0, pack.IntType(256))),
394             ('coinbase', pack.VarStrType()),
395             ('nonce', pack.IntType(32)),
396             ('pubkey_hash', pack.IntType(160)),
397             ('subsidy', pack.IntType(64)),
398             ('donation', pack.IntType(16)),
399             ('stale_info', pack.EnumType(pack.IntType(8), dict((k, {0: None, 253: 'orphan', 254: 'doa'}.get(k, 'unk%i' % (k,))) for k in xrange(256)))),
400             ('desired_version', pack.VarIntType()),
401         ])),
402         ('new_transaction_hashes', pack.ListType(pack.IntType(256))),
403         ('transaction_hash_refs', pack.ListType(pack.VarIntType(), 2)), # pairs of share_count, tx_count
404         ('far_share_hash', pack.PossiblyNoneType(0, pack.IntType(256))),
405         ('max_bits', bitcoin_data.FloatingIntegerType()),
406         ('bits', bitcoin_data.FloatingIntegerType()),
407         ('timestamp', pack.IntType(32)),
408     ])
409     
410     share_type = pack.ComposedType([
411         ('min_header', small_block_header_type),
412         ('share_info', share_info_type),
413         ('ref_merkle_link', pack.ComposedType([
414             ('branch', pack.ListType(pack.IntType(256))),
415             ('index', pack.IntType(0)),
416         ])),
417         ('last_txout_nonce', pack.IntType(32)),
418         ('hash_link', hash_link_type),
419         ('merkle_link', pack.ComposedType([
420             ('branch', pack.ListType(pack.IntType(256))),
421             ('index', pack.IntType(0)), # it will always be 0
422         ])),
423     ])
424     
425     ref_type = pack.ComposedType([
426         ('identifier', pack.FixedStrType(64//8)),
427         ('share_info', share_info_type),
428     ])
429     
430     gentx_before_refhash = pack.VarStrType().pack(DONATION_SCRIPT) + pack.IntType(64).pack(0) + pack.VarStrType().pack('\x24' + pack.IntType(256).pack(0) + pack.IntType(32).pack(0))[:2]
431     
432     @classmethod
433     def generate_transaction(cls, tracker, share_data, block_target, desired_timestamp, desired_target, ref_merkle_link, desired_other_transaction_hashes_and_fees, net, known_txs=None, last_txout_nonce=0, base_subsidy=None):
434         previous_share = tracker.items[share_data['previous_share_hash']] if share_data['previous_share_hash'] is not None else None
435         
436         height, last = tracker.get_height_and_last(share_data['previous_share_hash'])
437         assert height >= net.REAL_CHAIN_LENGTH or last is None
438         if height < net.TARGET_LOOKBEHIND:
439             pre_target3 = net.MAX_TARGET
440         else:
441             attempts_per_second = get_pool_attempts_per_second(tracker, share_data['previous_share_hash'], net.TARGET_LOOKBEHIND, min_work=True, integer=True)
442             pre_target = 2**256//(net.SHARE_PERIOD*attempts_per_second) - 1 if attempts_per_second else 2**256-1
443             pre_target2 = math.clip(pre_target, (previous_share.max_target*9//10, previous_share.max_target*11//10))
444             pre_target3 = math.clip(pre_target2, (net.MIN_TARGET, net.MAX_TARGET))
445         max_bits = bitcoin_data.FloatingInteger.from_target_upper_bound(pre_target3)
446         bits = bitcoin_data.FloatingInteger.from_target_upper_bound(math.clip(desired_target, (pre_target3//10, pre_target3)))
447         
448         new_transaction_hashes = []
449         new_transaction_size = 0
450         transaction_hash_refs = []
451         other_transaction_hashes = []
452         
453         past_shares = list(tracker.get_chain(share_data['previous_share_hash'], min(height, 100)))
454         tx_hash_to_this = {}
455         for i, share in enumerate(past_shares):
456             for j, tx_hash in enumerate(share.new_transaction_hashes):
457                 if tx_hash not in tx_hash_to_this:
458                     tx_hash_to_this[tx_hash] = [1+i, j] # share_count, tx_count
459         for tx_hash, fee in desired_other_transaction_hashes_and_fees:
460             if tx_hash in tx_hash_to_this:
461                 this = tx_hash_to_this[tx_hash]
462             else:
463                 if known_txs is not None:
464                     this_size = bitcoin_data.tx_type.packed_size(known_txs[tx_hash])
465                     if new_transaction_size + this_size > 50000: # only allow 50 kB of new txns/share
466                         break
467                     new_transaction_size += this_size
468                 new_transaction_hashes.append(tx_hash)
469                 this = [0, len(new_transaction_hashes)-1]
470             transaction_hash_refs.extend(this)
471             other_transaction_hashes.append(tx_hash)
472         
473         included_transactions = set(other_transaction_hashes)
474         removed_fees = [fee for tx_hash, fee in desired_other_transaction_hashes_and_fees if tx_hash not in included_transactions]
475         definite_fees = sum(0 if fee is None else fee for tx_hash, fee in desired_other_transaction_hashes_and_fees if tx_hash in included_transactions)
476         if None not in removed_fees:
477             share_data = dict(share_data, subsidy=share_data['subsidy'] - sum(removed_fees))
478         else:
479             assert base_subsidy is not None
480             share_data = dict(share_data, subsidy=base_subsidy + definite_fees)
481         
482         weights, total_weight, donation_weight = tracker.get_cumulative_weights(share_data['previous_share_hash'],
483             min(height, net.REAL_CHAIN_LENGTH),
484             65535*net.SPREAD*bitcoin_data.target_to_average_attempts(block_target),
485         )
486         assert total_weight == sum(weights.itervalues()) + donation_weight, (total_weight, sum(weights.itervalues()) + donation_weight)
487         
488         amounts = dict((script, share_data['subsidy']*(199*weight)//(200*total_weight)) for script, weight in weights.iteritems()) # 99.5% goes according to weights prior to this share
489         this_script = bitcoin_data.pubkey_hash_to_script2(share_data['pubkey_hash'])
490         amounts[this_script] = amounts.get(this_script, 0) + share_data['subsidy']//200 # 0.5% goes to block finder
491         amounts[DONATION_SCRIPT] = amounts.get(DONATION_SCRIPT, 0) + share_data['subsidy'] - sum(amounts.itervalues()) # all that's left over is the donation weight and some extra satoshis due to rounding
492         
493         if sum(amounts.itervalues()) != share_data['subsidy'] or any(x < 0 for x in amounts.itervalues()):
494             raise ValueError()
495         
496         dests = sorted(amounts.iterkeys(), key=lambda script: (script == DONATION_SCRIPT, amounts[script], script))[-4000:] # block length limit, unlikely to ever be hit
497         
498         share_info = dict(
499             share_data=share_data,
500             far_share_hash=None if last is None and height < 99 else tracker.get_nth_parent_hash(share_data['previous_share_hash'], 99),
501             max_bits=max_bits,
502             bits=bits,
503             timestamp=math.clip(desired_timestamp, (
504                 (previous_share.timestamp + net.SHARE_PERIOD) - (net.SHARE_PERIOD - 1), # = previous_share.timestamp + 1
505                 (previous_share.timestamp + net.SHARE_PERIOD) + (net.SHARE_PERIOD - 1),
506             )) if previous_share is not None else desired_timestamp,
507             new_transaction_hashes=new_transaction_hashes,
508             transaction_hash_refs=transaction_hash_refs,
509         )
510         
511         gentx = dict(
512             version=1,
513             tx_ins=[dict(
514                 previous_output=None,
515                 sequence=None,
516                 script=share_data['coinbase'],
517             )],
518             tx_outs=[dict(value=amounts[script], script=script) for script in dests if amounts[script] or script == DONATION_SCRIPT] + [dict(
519                 value=0,
520                 script='\x24' + cls.get_ref_hash(net, share_info, ref_merkle_link) + pack.IntType(32).pack(last_txout_nonce),
521             )],
522             lock_time=0,
523         )
524         
525         def get_share(header, last_txout_nonce=last_txout_nonce):
526             min_header = dict(header); del min_header['merkle_root']
527             share = cls(net, None, dict(
528                 min_header=min_header,
529                 share_info=share_info,
530                 ref_merkle_link=dict(branch=[], index=0),
531                 last_txout_nonce=last_txout_nonce,
532                 hash_link=prefix_to_hash_link(bitcoin_data.tx_type.pack(gentx)[:-32-4-4], cls.gentx_before_refhash),
533                 merkle_link=bitcoin_data.calculate_merkle_link([None] + other_transaction_hashes, 0),
534             ))
535             assert share.header == header # checks merkle_root
536             return share
537         
538         return share_info, gentx, other_transaction_hashes, get_share
539     
540     @classmethod
541     def get_ref_hash(cls, net, share_info, ref_merkle_link):
542         return pack.IntType(256).pack(bitcoin_data.check_merkle_link(bitcoin_data.hash256(cls.ref_type.pack(dict(
543             identifier=net.IDENTIFIER,
544             share_info=share_info,
545         ))), ref_merkle_link))
546     
547     __slots__ = 'net peer_addr contents min_header share_info hash_link merkle_link hash share_data max_target target timestamp previous_hash new_script desired_version gentx_hash header pow_hash header_hash new_transaction_hashes time_seen'.split(' ')
548     
549     def __init__(self, net, peer_addr, contents):
550         self.net = net
551         self.peer_addr = peer_addr
552         self.contents = contents
553         
554         self.min_header = contents['min_header']
555         self.share_info = contents['share_info']
556         self.hash_link = contents['hash_link']
557         self.merkle_link = contents['merkle_link']
558         
559         if not (2 <= len(self.share_info['share_data']['coinbase']) <= 100):
560             raise ValueError('''bad coinbase size! %i bytes''' % (len(self.share_info['share_data']['coinbase']),))
561         
562         if len(self.merkle_link['branch']) > 16:
563             raise ValueError('merkle branch too long!')
564         
565         assert not self.hash_link['extra_data'], repr(self.hash_link['extra_data'])
566         
567         self.share_data = self.share_info['share_data']
568         self.max_target = self.share_info['max_bits'].target
569         self.target = self.share_info['bits'].target
570         self.timestamp = self.share_info['timestamp']
571         self.previous_hash = self.share_data['previous_share_hash']
572         self.new_script = bitcoin_data.pubkey_hash_to_script2(self.share_data['pubkey_hash'])
573         self.desired_version = self.share_data['desired_version']
574         
575         n = set()
576         for share_count, tx_count in self.iter_transaction_hash_refs():
577             assert share_count < 110
578             if share_count == 0:
579                 n.add(tx_count)
580         assert n == set(range(len(self.share_info['new_transaction_hashes'])))
581         
582         self.gentx_hash = check_hash_link(
583             self.hash_link,
584             self.get_ref_hash(net, self.share_info, contents['ref_merkle_link']) + pack.IntType(32).pack(self.contents['last_txout_nonce']) + pack.IntType(32).pack(0),
585             self.gentx_before_refhash,
586         )
587         merkle_root = bitcoin_data.check_merkle_link(self.gentx_hash, self.merkle_link)
588         self.header = dict(self.min_header, merkle_root=merkle_root)
589         self.pow_hash = net.PARENT.POW_FUNC(bitcoin_data.block_header_type.pack(self.header))
590         self.hash = self.header_hash = bitcoin_data.hash256(bitcoin_data.block_header_type.pack(self.header))
591         
592         if self.target > net.MAX_TARGET:
593             from p2pool import p2p
594             raise p2p.PeerMisbehavingError('share target invalid')
595         
596         if self.pow_hash > self.target:
597             from p2pool import p2p
598             raise p2p.PeerMisbehavingError('share PoW invalid')
599         
600         self.new_transaction_hashes = self.share_info['new_transaction_hashes']
601         
602         # XXX eww
603         self.time_seen = time.time()
604     
605     def __repr__(self):
606         return 'Share' + repr((self.net, self.peer_addr, self.contents))
607     
608     def as_share(self):
609         return dict(type=self.VERSION, contents=self.share_type.pack(self.contents))
610     
611     def iter_transaction_hash_refs(self):
612         return zip(self.share_info['transaction_hash_refs'][::2], self.share_info['transaction_hash_refs'][1::2])
613     
614     def check(self, tracker):
615         from p2pool import p2p
616         if self.share_data['previous_share_hash'] is not None:
617             previous_share = tracker.items[self.share_data['previous_share_hash']]
618             if type(self) is type(previous_share):
619                 pass
620             elif type(self) is type(previous_share).SUCCESSOR:
621                 if tracker.get_height(previous_share.hash) < self.net.CHAIN_LENGTH:
622                     from p2pool import p2p
623                     raise p2p.PeerMisbehavingError('switch without enough history')
624                 
625                 # switch only valid if 85% of hashes in [self.net.CHAIN_LENGTH*9//10, self.net.CHAIN_LENGTH] for new version
626                 counts = get_desired_version_counts(tracker,
627                     tracker.get_nth_parent_hash(previous_share.hash, self.net.CHAIN_LENGTH*9//10), self.net.CHAIN_LENGTH//10)
628                 if counts.get(self.VERSION, 0) < sum(counts.itervalues())*85//100:
629                     raise p2p.PeerMisbehavingError('switch without enough hash power upgraded')
630             else:
631                 raise p2p.PeerMisbehavingError('''%s can't follow %s''' % (type(self).__name__, type(previous_share).__name__))
632         
633         other_tx_hashes = [tracker.items[tracker.get_nth_parent_hash(self.hash, share_count)].share_info['new_transaction_hashes'][tx_count] for share_count, tx_count in self.iter_transaction_hash_refs()]
634         
635         share_info, gentx, other_tx_hashes2, get_share = self.generate_transaction(tracker, self.share_info['share_data'], self.header['bits'].target, self.share_info['timestamp'], self.share_info['bits'].target, self.contents['ref_merkle_link'], [(h, None) for h in other_tx_hashes], self.net, last_txout_nonce=self.contents['last_txout_nonce'])
636         assert other_tx_hashes2 == other_tx_hashes
637         if share_info != self.share_info:
638             raise ValueError('share_info invalid')
639         if bitcoin_data.hash256(bitcoin_data.tx_type.pack(gentx)) != self.gentx_hash:
640             raise ValueError('''gentx doesn't match hash_link''')
641         
642         if bitcoin_data.calculate_merkle_link([None] + other_tx_hashes, 0) != self.merkle_link:
643             raise ValueError('merkle_link and other_tx_hashes do not match')
644         
645         return gentx # only used by as_block
646     
647     def get_other_tx_hashes(self, tracker):
648         parents_needed = max(share_count for share_count, tx_count in self.iter_transaction_hash_refs()) if self.share_info['transaction_hash_refs'] else 0
649         parents = tracker.get_height(self.hash) - 1
650         if parents < parents_needed:
651             return None
652         last_shares = list(tracker.get_chain(self.hash, parents_needed + 1))
653         return [last_shares[share_count].share_info['new_transaction_hashes'][tx_count] for share_count, tx_count in self.iter_transaction_hash_refs()]
654     
655     def _get_other_txs(self, tracker, known_txs):
656         other_tx_hashes = self.get_other_tx_hashes(tracker)
657         if other_tx_hashes is None:
658             return None # not all parents present
659         
660         if not all(tx_hash in known_txs for tx_hash in other_tx_hashes):
661             return None # not all txs present
662         
663         return [known_txs[tx_hash] for tx_hash in other_tx_hashes]
664     
665     def should_punish_reason(self, previous_block, bits, tracker, known_txs):
666         if (self.header['previous_block'], self.header['bits']) != (previous_block, bits) and self.header_hash != previous_block and self.peer_addr is not None:
667             return True, 'Block-stale detected! %x < %x' % (self.header['previous_block'], previous_block)
668         
669         if self.pow_hash <= self.header['bits'].target:
670             return -1, 'block solution'
671         
672         other_txs = self._get_other_txs(tracker, known_txs)
673         if other_txs is None:
674             if self.time_seen != 0: # ignore if loaded from ShareStore
675                 return True, 'not all txs present'
676         else:
677             all_txs_size = sum(bitcoin_data.tx_type.packed_size(tx) for tx in other_txs)
678             if all_txs_size > 1000000:
679                 return True, 'txs over block size limit'
680             
681             new_txs_size = sum(bitcoin_data.tx_type.packed_size(known_txs[tx_hash]) for tx_hash in self.share_info['new_transaction_hashes'])
682             if new_txs_size > 50000:
683                 return True, 'new txs over limit'
684         
685         return False, None
686     
687     def as_block(self, tracker, known_txs):
688         other_txs = self._get_other_txs(tracker, known_txs)
689         if other_txs is None:
690             return None # not all txs present
691         return dict(header=self.header, txs=[self.check(tracker)] + other_txs)
692
693
694
695 class WeightsSkipList(forest.TrackerSkipList):
696     # share_count, weights, total_weight
697     
698     def get_delta(self, element):
699         from p2pool.bitcoin import data as bitcoin_data
700         share = self.tracker.items[element]
701         att = bitcoin_data.target_to_average_attempts(share.target)
702         return 1, {share.new_script: att*(65535-share.share_data['donation'])}, att*65535, att*share.share_data['donation']
703     
704     def combine_deltas(self, (share_count1, weights1, total_weight1, total_donation_weight1), (share_count2, weights2, total_weight2, total_donation_weight2)):
705         return share_count1 + share_count2, math.add_dicts(weights1, weights2), total_weight1 + total_weight2, total_donation_weight1 + total_donation_weight2
706     
707     def initial_solution(self, start, (max_shares, desired_weight)):
708         assert desired_weight % 65535 == 0, divmod(desired_weight, 65535)
709         return 0, None, 0, 0
710     
711     def apply_delta(self, (share_count1, weights_list, total_weight1, total_donation_weight1), (share_count2, weights2, total_weight2, total_donation_weight2), (max_shares, desired_weight)):
712         if total_weight1 + total_weight2 > desired_weight and share_count2 == 1:
713             assert (desired_weight - total_weight1) % 65535 == 0
714             script, = weights2.iterkeys()
715             new_weights = {script: (desired_weight - total_weight1)//65535*weights2[script]//(total_weight2//65535)}
716             return share_count1 + share_count2, (weights_list, new_weights), desired_weight, total_donation_weight1 + (desired_weight - total_weight1)//65535*total_donation_weight2//(total_weight2//65535)
717         return share_count1 + share_count2, (weights_list, weights2), total_weight1 + total_weight2, total_donation_weight1 + total_donation_weight2
718     
719     def judge(self, (share_count, weights_list, total_weight, total_donation_weight), (max_shares, desired_weight)):
720         if share_count > max_shares or total_weight > desired_weight:
721             return 1
722         elif share_count == max_shares or total_weight == desired_weight:
723             return 0
724         else:
725             return -1
726     
727     def finalize(self, (share_count, weights_list, total_weight, total_donation_weight), (max_shares, desired_weight)):
728         assert share_count <= max_shares and total_weight <= desired_weight
729         assert share_count == max_shares or total_weight == desired_weight
730         return math.add_dicts(*math.flatten_linked_list(weights_list)), total_weight, total_donation_weight
731
732 class OkayTracker(forest.Tracker):
733     def __init__(self, net):
734         forest.Tracker.__init__(self, delta_type=forest.get_attributedelta_type(dict(forest.AttributeDelta.attrs,
735             work=lambda share: bitcoin_data.target_to_average_attempts(share.target),
736             min_work=lambda share: bitcoin_data.target_to_average_attempts(share.max_target),
737         )))
738         self.net = net
739         self.verified = forest.SubsetTracker(delta_type=forest.get_attributedelta_type(dict(forest.AttributeDelta.attrs,
740             work=lambda share: bitcoin_data.target_to_average_attempts(share.target),
741         )), subset_of=self)
742         self.get_cumulative_weights = WeightsSkipList(self)
743     
744     def attempt_verify(self, share):
745         if share.hash in self.verified.items:
746             return True
747         height, last = self.get_height_and_last(share.hash)
748         if height < self.net.CHAIN_LENGTH + 1 and last is not None:
749             raise AssertionError()
750         try:
751             share.check(self)
752         except:
753             log.err(None, 'Share check failed:')
754             return False
755         else:
756             self.verified.add(share)
757             return True
758     
759     def think(self, block_rel_height_func, previous_block, bits, known_txs):
760         desired = set()
761         
762         # O(len(self.heads))
763         #   make 'unverified heads' set?
764         # for each overall head, attempt verification
765         # if it fails, attempt on parent, and repeat
766         # if no successful verification because of lack of parents, request parent
767         bads = set()
768         for head in set(self.heads) - set(self.verified.heads):
769             head_height, last = self.get_height_and_last(head)
770             
771             for share in self.get_chain(head, head_height if last is None else min(5, max(0, head_height - self.net.CHAIN_LENGTH))):
772                 if self.attempt_verify(share):
773                     break
774                 if share.hash in self.heads:
775                     bads.add(share.hash)
776             else:
777                 if last is not None:
778                     desired.add((
779                         self.items[random.choice(list(self.reverse[last]))].peer_addr,
780                         last,
781                         max(x.timestamp for x in self.get_chain(head, min(head_height, 5))),
782                         min(x.target for x in self.get_chain(head, min(head_height, 5))),
783                     ))
784         for bad in bads:
785             assert bad not in self.verified.items
786             assert bad in self.heads
787             if p2pool.DEBUG:
788                 print "BAD", bad
789             self.remove(bad)
790         
791         # try to get at least CHAIN_LENGTH height for each verified head, requesting parents if needed
792         for head in list(self.verified.heads):
793             head_height, last_hash = self.verified.get_height_and_last(head)
794             last_height, last_last_hash = self.get_height_and_last(last_hash)
795             # XXX review boundary conditions
796             want = max(self.net.CHAIN_LENGTH - head_height, 0)
797             can = max(last_height - 1 - self.net.CHAIN_LENGTH, 0) if last_last_hash is not None else last_height
798             get = min(want, can)
799             #print 'Z', head_height, last_hash is None, last_height, last_last_hash is None, want, can, get
800             for share in self.get_chain(last_hash, get):
801                 if not self.attempt_verify(share):
802                     break
803             if head_height < self.net.CHAIN_LENGTH and last_last_hash is not None:
804                 desired.add((
805                     self.items[random.choice(list(self.verified.reverse[last_hash]))].peer_addr,
806                     last_last_hash,
807                     max(x.timestamp for x in self.get_chain(head, min(head_height, 5))),
808                     min(x.target for x in self.get_chain(head, min(head_height, 5))),
809                 ))
810         
811         # decide best tree
812         decorated_tails = sorted((self.score(max(self.verified.tails[tail_hash], key=self.verified.get_work), block_rel_height_func), tail_hash) for tail_hash in self.verified.tails)
813         if p2pool.DEBUG:
814             print len(decorated_tails), 'tails:'
815             for score, tail_hash in decorated_tails:
816                 print format_hash(tail_hash), score
817         best_tail_score, best_tail = decorated_tails[-1] if decorated_tails else (None, None)
818         
819         # decide best verified head
820         decorated_heads = sorted(((
821             self.verified.get_work(self.verified.get_nth_parent_hash(h, min(5, self.verified.get_height(h)))),
822             #self.items[h].peer_addr is None,
823             -self.items[h].should_punish_reason(previous_block, bits, self, known_txs)[0],
824             -self.items[h].time_seen,
825         ), h) for h in self.verified.tails.get(best_tail, []))
826         if p2pool.DEBUG:
827             print len(decorated_heads), 'heads. Top 10:'
828             for score, head_hash in decorated_heads[-10:]:
829                 print '   ', format_hash(head_hash), format_hash(self.items[head_hash].previous_hash), score
830         best_head_score, best = decorated_heads[-1] if decorated_heads else (None, None)
831         
832         if best is not None:
833             best_share = self.items[best]
834             punish, punish_reason = best_share.should_punish_reason(previous_block, bits, self, known_txs)
835             if punish > 0:
836                 print 'Punishing share for %r! Jumping from %s to %s!' % (punish_reason, format_hash(best), format_hash(best_share.previous_hash))
837                 best = best_share.previous_hash
838             
839             timestamp_cutoff = min(int(time.time()), best_share.timestamp) - 3600
840             target_cutoff = int(2**256//(self.net.SHARE_PERIOD*best_tail_score[1] + 1) * 2 + .5) if best_tail_score[1] is not None else 2**256-1
841         else:
842             timestamp_cutoff = int(time.time()) - 24*60*60
843             target_cutoff = 2**256-1
844         
845         if p2pool.DEBUG:
846             print 'Desire %i shares. Cutoff: %s old diff>%.2f' % (len(desired), math.format_dt(time.time() - timestamp_cutoff), bitcoin_data.target_to_difficulty(target_cutoff))
847             for peer_addr, hash, ts, targ in desired:
848                 print '   ', None if peer_addr is None else '%s:%i' % peer_addr, format_hash(hash), math.format_dt(time.time() - ts), bitcoin_data.target_to_difficulty(targ), ts >= timestamp_cutoff, targ <= target_cutoff
849         
850         return best, [(peer_addr, hash) for peer_addr, hash, ts, targ in desired if ts >= timestamp_cutoff], decorated_heads
851     
852     def score(self, share_hash, block_rel_height_func):
853         # returns approximate lower bound on chain's hashrate in the last self.net.CHAIN_LENGTH*15//16*self.net.SHARE_PERIOD time
854         
855         head_height = self.verified.get_height(share_hash)
856         if head_height < self.net.CHAIN_LENGTH:
857             return head_height, None
858         
859         end_point = self.verified.get_nth_parent_hash(share_hash, self.net.CHAIN_LENGTH*15//16)
860         
861         block_height = max(block_rel_height_func(share.header['previous_block']) for share in
862             self.verified.get_chain(end_point, self.net.CHAIN_LENGTH//16))
863         
864         return self.net.CHAIN_LENGTH, self.verified.get_delta(share_hash, end_point).work/((0 - block_height + 1)*self.net.PARENT.BLOCK_PERIOD)
865
866 def get_pool_attempts_per_second(tracker, previous_share_hash, dist, min_work=False, integer=False):
867     assert dist >= 2
868     near = tracker.items[previous_share_hash]
869     far = tracker.items[tracker.get_nth_parent_hash(previous_share_hash, dist - 1)]
870     attempts = tracker.get_delta(near.hash, far.hash).work if not min_work else tracker.get_delta(near.hash, far.hash).min_work
871     time = near.timestamp - far.timestamp
872     if time <= 0:
873         time = 1
874     if integer:
875         return attempts//time
876     return attempts/time
877
878 def get_average_stale_prop(tracker, share_hash, lookbehind):
879     stales = sum(1 for share in tracker.get_chain(share_hash, lookbehind) if share.share_data['stale_info'] is not None)
880     return stales/(lookbehind + stales)
881
882 def get_stale_counts(tracker, share_hash, lookbehind, rates=False):
883     res = {}
884     for share in tracker.get_chain(share_hash, lookbehind - 1):
885         res['good'] = res.get('good', 0) + bitcoin_data.target_to_average_attempts(share.target)
886         s = share.share_data['stale_info']
887         if s is not None:
888             res[s] = res.get(s, 0) + bitcoin_data.target_to_average_attempts(share.target)
889     if rates:
890         dt = tracker.items[share_hash].timestamp - tracker.items[tracker.get_nth_parent_hash(share_hash, lookbehind - 1)].timestamp
891         res = dict((k, v/dt) for k, v in res.iteritems())
892     return res
893
894 def get_user_stale_props(tracker, share_hash, lookbehind):
895     res = {}
896     for share in tracker.get_chain(share_hash, lookbehind - 1):
897         stale, total = res.get(share.share_data['pubkey_hash'], (0, 0))
898         total += 1
899         if share.share_data['stale_info'] is not None:
900             stale += 1
901             total += 1
902         res[share.share_data['pubkey_hash']] = stale, total
903     return dict((pubkey_hash, stale/total) for pubkey_hash, (stale, total) in res.iteritems())
904
905 def get_expected_payouts(tracker, best_share_hash, block_target, subsidy, net):
906     weights, total_weight, donation_weight = tracker.get_cumulative_weights(best_share_hash, min(tracker.get_height(best_share_hash), net.REAL_CHAIN_LENGTH), 65535*net.SPREAD*bitcoin_data.target_to_average_attempts(block_target))
907     res = dict((script, subsidy*weight//total_weight) for script, weight in weights.iteritems())
908     res[DONATION_SCRIPT] = res.get(DONATION_SCRIPT, 0) + subsidy - sum(res.itervalues())
909     return res
910
911 def get_desired_version_counts(tracker, best_share_hash, dist):
912     res = {}
913     for share in tracker.get_chain(best_share_hash, dist):
914         res[share.desired_version] = res.get(share.desired_version, 0) + bitcoin_data.target_to_average_attempts(share.target)
915     return res
916
917 def get_warnings(tracker, best_share, net, bitcoind_warning, bitcoind_work_value):
918     res = []
919     
920     desired_version_counts = get_desired_version_counts(tracker, best_share,
921         min(net.CHAIN_LENGTH, 60*60//net.SHARE_PERIOD, tracker.get_height(best_share)))
922     majority_desired_version = max(desired_version_counts, key=lambda k: desired_version_counts[k])
923     if majority_desired_version > (Share.SUCCESSOR if Share.SUCCESSOR is not None else Share).VOTING_VERSION and desired_version_counts[majority_desired_version] > sum(desired_version_counts.itervalues())/2:
924         res.append('A MAJORITY OF SHARES CONTAIN A VOTE FOR AN UNSUPPORTED SHARE IMPLEMENTATION! (v%i with %i%% support)\n'
925             'An upgrade is likely necessary. Check http://p2pool.forre.st/ for more information.' % (
926                 majority_desired_version, 100*desired_version_counts[majority_desired_version]/sum(desired_version_counts.itervalues())))
927     
928     if bitcoind_warning is not None:
929         if 'This is a pre-release test build' not in bitcoind_warning:
930             res.append('(from bitcoind) %s' % (bitcoind_warning,))
931     
932     if time.time() > bitcoind_work_value['last_update'] + 60:
933         res.append('''LOST CONTACT WITH BITCOIND for %s! Check that it isn't frozen or dead!''' % (math.format_dt(time.time() - bitcoind_work_value['last_update']),))
934     
935     return res
936
937 def format_hash(x):
938     if x is None:
939         return 'xxxxxxxx'
940     return '%08x' % (x % 2**32)
941
942 class ShareStore(object):
943     def __init__(self, prefix, net):
944         self.filename = prefix
945         self.dirname = os.path.dirname(os.path.abspath(prefix))
946         self.filename = os.path.basename(os.path.abspath(prefix))
947         self.net = net
948         self.known = None # will be filename -> set of share hashes, set of verified hashes
949         self.known_desired = None
950     
951     def get_shares(self):
952         if self.known is not None:
953             raise AssertionError()
954         known = {}
955         filenames, next = self.get_filenames_and_next()
956         for filename in filenames:
957             share_hashes, verified_hashes = known.setdefault(filename, (set(), set()))
958             with open(filename, 'rb') as f:
959                 for line in f:
960                     try:
961                         type_id_str, data_hex = line.strip().split(' ')
962                         type_id = int(type_id_str)
963                         if type_id == 0:
964                             pass
965                         elif type_id == 1:
966                             pass
967                         elif type_id == 2:
968                             verified_hash = int(data_hex, 16)
969                             yield 'verified_hash', verified_hash
970                             verified_hashes.add(verified_hash)
971                         elif type_id == 5:
972                             raw_share = share_type.unpack(data_hex.decode('hex'))
973                             if raw_share['type'] in [0, 1, 2, 3, 4, 5, 6, 7, 8]:
974                                 continue
975                             share = load_share(raw_share, self.net, None)
976                             yield 'share', share
977                             share_hashes.add(share.hash)
978                         else:
979                             raise NotImplementedError("share type %i" % (type_id,))
980                     except Exception:
981                         log.err(None, "HARMLESS error while reading saved shares, continuing where left off:")
982         self.known = known
983         self.known_desired = dict((k, (set(a), set(b))) for k, (a, b) in known.iteritems())
984     
985     def _add_line(self, line):
986         filenames, next = self.get_filenames_and_next()
987         if filenames and os.path.getsize(filenames[-1]) < 10e6:
988             filename = filenames[-1]
989         else:
990             filename = next
991         
992         with open(filename, 'ab') as f:
993             f.write(line + '\n')
994         
995         return filename
996     
997     def add_share(self, share):
998         for filename, (share_hashes, verified_hashes) in self.known.iteritems():
999             if share.hash in share_hashes:
1000                 break
1001         else:
1002             filename = self._add_line("%i %s" % (5, share_type.pack(share.as_share()).encode('hex')))
1003             share_hashes, verified_hashes = self.known.setdefault(filename, (set(), set()))
1004             share_hashes.add(share.hash)
1005         share_hashes, verified_hashes = self.known_desired.setdefault(filename, (set(), set()))
1006         share_hashes.add(share.hash)
1007     
1008     def add_verified_hash(self, share_hash):
1009         for filename, (share_hashes, verified_hashes) in self.known.iteritems():
1010             if share_hash in verified_hashes:
1011                 break
1012         else:
1013             filename = self._add_line("%i %x" % (2, share_hash))
1014             share_hashes, verified_hashes = self.known.setdefault(filename, (set(), set()))
1015             verified_hashes.add(share_hash)
1016         share_hashes, verified_hashes = self.known_desired.setdefault(filename, (set(), set()))
1017         verified_hashes.add(share_hash)
1018     
1019     def get_filenames_and_next(self):
1020         suffixes = sorted(int(x[len(self.filename):]) for x in os.listdir(self.dirname) if x.startswith(self.filename) and x[len(self.filename):].isdigit())
1021         return [os.path.join(self.dirname, self.filename + str(suffix)) for suffix in suffixes], os.path.join(self.dirname, self.filename + (str(suffixes[-1] + 1) if suffixes else str(0)))
1022     
1023     def forget_share(self, share_hash):
1024         for filename, (share_hashes, verified_hashes) in self.known_desired.iteritems():
1025             if share_hash in share_hashes:
1026                 share_hashes.remove(share_hash)
1027         self.check_remove()
1028     
1029     def forget_verified_share(self, share_hash):
1030         for filename, (share_hashes, verified_hashes) in self.known_desired.iteritems():
1031             if share_hash in verified_hashes:
1032                 verified_hashes.remove(share_hash)
1033         self.check_remove()
1034     
1035     def check_remove(self):
1036         to_remove = set()
1037         for filename, (share_hashes, verified_hashes) in self.known_desired.iteritems():
1038             #print filename, len(share_hashes) + len(verified_hashes)
1039             if not share_hashes and not verified_hashes:
1040                 to_remove.add(filename)
1041         for filename in to_remove:
1042             self.known.pop(filename)
1043             self.known_desired.pop(filename)
1044             os.remove(filename)
1045             print "REMOVED", filename