# -*- coding: utf-8 -*-
"""
    This program is free software; you can redistribute it and/or modify
    it under the terms of the GNU General Public License as published by
    the Free Software Foundation; either version 3 of the License,
    or (at your option) any later version.
    This program is distributed in the hope that it will be useful,
    but WITHOUT ANY WARRANTY; without even the implied warranty of
    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
    See the GNU General Public License for more details.
    You should have received a copy of the GNU General Public License
    along with this program; if not, see .
    @author: zoidberg
"""
from __future__ import with_statement
import hashlib
import zlib
from os import remove
from os.path import getsize, isfile, splitext
import re
import base64
from module.utils import save_join, fs_encode
from module.plugins.Hook import Hook
def computeChecksum(local_file, algorithm):
    if algorithm in getattr(hashlib, "algorithms", ("md5", "sha1", "sha224", "sha256", "sha384", "sha512")):
        h = getattr(hashlib, algorithm)()
        chunk_size = 128 * h.block_size
        with open(local_file, 'rb') as f:
            for chunk in iter(lambda: f.read(chunk_size), ''):
                h.update(chunk)
        return h.hexdigest()
    elif algorithm in ("adler32", "crc32"):
        hf = getattr(zlib, algorithm)
        last = 0
        with open(local_file, 'rb') as f:
            for chunk in iter(lambda: f.read(8192), ''):
                last = hf(chunk, last)
        return "%x" % last
    # Special Hash used by DDLStorage.com
    # It compute the MD5 hash only on the first and the last 4096 bytes, then the hash is base64 encoded
    elif algorithm == 'md5_ddlstorage':
        h = hashlib.md5()
        with open(local_file, 'rb') as f:
            h.update(f.read(4096))
            f.seek(-4096, 2)
            h.update(f.read(4096))
        return base64.b64encode(h.digest()).rstrip('=')
    else:
        return None
class Checksum(Hook):
    __name__ = "Checksum"
    __version__ = "0.09"
    __description__ = "Verify downloaded file size and checksum (enable in general preferences)"
    __config__ = [("activated", "bool", "Activated", True),
                  ("action", "fail;retry;nothing", "What to do if check fails?", "retry"),
                  ("max_tries", "int", "Number of retries", 2)]
    __author_name__ = ("zoidberg")
    __author_mail__ = ("zoidberg@mujmail.cz")
    methods = {'sfv': 'crc32', 'crc': 'crc32', 'hash': 'md5'}
    regexps = {'sfv': r'^(?P[^;].+)\s+(?P[0-9A-Fa-f]{8})$',
               'md5': r'^(?P[0-9A-Fa-f]{32})  (?P.+)$',
               'crc': r'filename=(?P.+)\nsize=(?P\d+)\ncrc32=(?P[0-9A-Fa-f]{8})$',
               'default': r'^(?P[0-9A-Fa-f]+)\s+\*?(?P.+)$'}
    def setup(self):
        if not self.config['general']['checksum']:
            self.logInfo("Checksum validation is disabled in general configuration")
        self.algorithms = sorted(
            getattr(hashlib, "algorithms", ("md5", "sha1", "sha224", "sha256", "sha384", "sha512")), reverse=True)
        self.algorithms.extend(["crc32", "adler32"])
        self.algorithms.append('md5_ddlstorage')
        self.formats = self.algorithms + ['sfv', 'crc', 'hash']
    def downloadFinished(self, pyfile):
        """ 
        Compute checksum for the downloaded file and compare it with the hash provided by the hoster.
        pyfile.plugin.check_data should be a dictionary which can contain:
        a) if known, the exact filesize in bytes (e.g. "size": 123456789)
        b) hexadecimal hash string with algorithm name as key (e.g. "md5": "d76505d0869f9f928a17d42d66326307")    
        """
        if hasattr(pyfile.plugin, "check_data") and (isinstance(pyfile.plugin.check_data, dict)):
            data = pyfile.plugin.check_data.copy()
        elif hasattr(pyfile.plugin, "api_data") and (isinstance(pyfile.plugin.api_data, dict)):
            data = pyfile.plugin.api_data.copy()
        else:
            return
        self.logDebug(data)
        if not pyfile.plugin.lastDownload:
            self.checkFailed(pyfile, None, "No file downloaded")
        local_file = fs_encode(pyfile.plugin.lastDownload)
        #download_folder = self.config['general']['download_folder']
        #local_file = fs_encode(save_join(download_folder, pyfile.package().folder, pyfile.name))
        if not isfile(local_file):
            self.checkFailed(pyfile, None, "File does not exist")
            # validate file size
        if "size" in data:
            api_size = int(data['size'])
            file_size = getsize(local_file)
            if api_size != file_size:
                self.logWarning("File %s has incorrect size: %d B (%d expected)" % (pyfile.name, file_size, api_size))
                self.checkFailed(pyfile, local_file, "Incorrect file size")
            del data['size']
        # validate checksum
        if data and self.config['general']['checksum']:
            if "checksum" in data:
                data['md5'] = data['checksum']
            for key in self.algorithms:
                if key in data:
                    checksum = computeChecksum(local_file, key.replace("-", "").lower())
                    if checksum:
                        if checksum == data[key].lower():
                            self.logInfo('File integrity of "%s" verified by %s checksum (%s).' % (pyfile.name,
                                                                                                   key.upper(),
                                                                                                   checksum))
                            return
                        else:
                            self.logWarning("%s checksum for file %s does not match (%s != %s)" % (key.upper(),
                                                                                                   pyfile.name,
                                                                                                   checksum,
                                                                                                   data[key]))
                            self.checkFailed(pyfile, local_file, "Checksums do not match")
                    else:
                        self.logWarning("Unsupported hashing algorithm: %s" % key.upper())
            else:
                self.logWarning("Unable to validate checksum for file %s" % pyfile.name)
    def checkFailed(self, pyfile, local_file, msg):
        action = self.getConfig("action")
        if action == "fail":
            pyfile.plugin.fail(reason=msg)
        elif action == "retry":
            if local_file:
                remove(local_file)
            pyfile.plugin.retry(reason=msg, max_tries=self.getConfig("max_tries"))
    def packageFinished(self, pypack):
        download_folder = save_join(self.config['general']['download_folder'], pypack.folder, "")
        for link in pypack.getChildren().itervalues():
            file_type = splitext(link["name"])[1][1:].lower()
            #self.logDebug(link, file_type)
            if file_type not in self.formats:
                continue
            hash_file = fs_encode(save_join(download_folder, link["name"]))
            if not isfile(hash_file):
                self.logWarning("File not found: %s" % link["name"])
                continue
            with open(hash_file) as f:
                text = f.read()
            for m in re.finditer(self.regexps.get(file_type, self.regexps['default']), text):
                data = m.groupdict()
                self.logDebug(link["name"], data)
                local_file = fs_encode(save_join(download_folder, data["name"]))
                algorithm = self.methods.get(file_type, file_type)
                checksum = computeChecksum(local_file, algorithm)
                if checksum == data["hash"]:
                    self.logInfo('File integrity of "%s" verified by %s checksum (%s).' % (data["name"],
                                                                                           algorithm,
                                                                                           checksum))
                else:
                    self.logWarning("%s checksum for file %s does not match (%s != %s)" % (algorithm,
                                                                                           data["name"],
                                                                                           checksum,
                                                                                           data["hash"]))