import logging import msgpack import os from . import NS_ARCHIVE_CHUNKS, NS_CHUNK class Cache(object): """Client Side cache """ def __init__(self, store, crypto): self.store = store self.path = os.path.join(os.path.expanduser('~'), '.dedupestore', 'cache', '%s.cache' % self.store.uuid) self.tid = -1 self.open() if self.tid != self.store.tid: self.init(crypto) def open(self): if not os.path.exists(self.path): return cache = msgpack.unpackb(open(self.path, 'rb').read()) version = cache.get('version') if version != 1: logging.error('Unsupported cache version %r' % version) return if cache['store'] != self.store.uuid: raise Exception('Cache UUID mismatch') self.chunkmap = cache['chunkmap'] self.tid = cache['tid'] def init(self, crypto): """Initializes cache by fetching and reading all archive indicies """ logging.info('Initializing cache...') self.chunkmap = {} self.tid = self.store.tid if self.store.tid == 0: return for id in list(self.store.list(NS_ARCHIVE_CHUNKS)): data, hash = crypto.decrypt(self.store.get(NS_ARCHIVE_CHUNKS, id)) cindex = msgpack.unpackb(data) for id, size in cindex['chunks']: try: count, size = self.chunkmap[id] self.chunkmap[id] = count + 1, size except KeyError: self.chunkmap[id] = 1, size self.save() def save(self): assert self.store.state == self.store.OPEN cache = {'version': 1, 'store': self.store.uuid, 'chunkmap': self.chunkmap, 'tid': self.store.tid, } data = msgpack.packb(cache) cachedir = os.path.dirname(self.path) if not os.path.exists(cachedir): os.makedirs(cachedir) with open(self.path, 'wb') as fd: fd.write(data) def add_chunk(self, id, data, crypto): if self.seen_chunk(id): return self.chunk_incref(id) data, hash = crypto.encrypt_read(data) csize = len(data) self.store.put(NS_CHUNK, id, data) self.chunkmap[id] = (1, csize) return csize def seen_chunk(self, id): count, size = self.chunkmap.get(id, (0, 0)) return count def chunk_incref(self, id): count, size = self.chunkmap[id] self.chunkmap[id] = (count + 1, size) return size def chunk_decref(self, id): count, size = self.chunkmap[id] if count == 1: del self.chunkmap[id] self.store.delete(NS_CHUNK, id) else: self.chunkmap[id] = (count - 1, size)