Python hashlib.md5() Examples
The following are 30
code examples of hashlib.md5().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
hashlib
, or try the search function
.

Example #1
Source File: io.py From vergeml with MIT License | 8 votes |
def hash(self, state: str) -> str: """Generate a hash representing the current sample state. :param state: string capturing the current system configuration state This function must be overridden to generate a meaningful hash for the current set of input samples.""" newstate = io.BytesIO(state.encode('utf-8')) for k in ('input_patterns', 'samples_dir', 'val_dir', 'val_num', 'val_perc', 'test_dir', 'test_num', 'test_perc', 'random_seed'): newstate.write(str(getattr(self, k)).encode('utf-8')) md5 = hashlib.md5() md5.update(newstate.getvalue()) return md5.hexdigest()
Example #2
Source File: 视频特殊处理.py From tools_python with Apache License 2.0 | 8 votes |
def get_file_md5_2(file_path): """ 分段读取,获取文件的md5值 :param file_path: :return: """ with open(file_path, 'rb') as file: md5_obj = hashlib.md5() while True: buffer = file.read(8096) if not buffer: break md5_obj.update(buffer) hash_code = md5_obj.hexdigest() md5 = str(hash_code).lower() return md5
Example #3
Source File: sqldb.py From Vxscan with Apache License 2.0 | 8 votes |
def create_webinfo_db(self): try: cursor = self.conn.cursor() cursor.execute(""" CREATE TABLE IF NOT EXISTS webinfo ( id INTEGER PRIMARY KEY AUTOINCREMENT, time varchar(255), domain varchar(255), waf varchar(255) DEFAULT '', title varchar(255) DEFAULT '', apps varchar(255) DEFAULT '', server varchar(255) DEFAULT '', address varchar(255) DEFAULT '', ipaddr varchar(255) DEFAULT '', os varchar(255) DEFAULT '', md5 varchar(40) UNIQUE ) """) except sqlite3.OperationalError as e: pass
Example #4
Source File: database.py From pgrepup with GNU General Public License v3.0 | 7 votes |
def create_user(conn, username, password): try: cur = conn.cursor() cur.execute("SELECT passwd FROM pg_shadow WHERE usename = %s", [username]) row = cur.fetchone() if row: m = hashlib.md5() m.update(password + username) encrypted_password = "md5" + m.hexdigest() if encrypted_password != row[0]: cur.execute("ALTER USER " + username + " ENCRYPTED PASSWORD %s SUPERUSER REPLICATION", [password]) else: cur.execute("CREATE USER " + username + " WITH ENCRYPTED PASSWORD %s SUPERUSER REPLICATION", [password]) conn.commit() return True except psycopg2.Error as e: print(e) conn.rollback() return False
Example #5
Source File: deckhand.py From drydock with Apache License 2.0 | 6 votes |
def ingest_data(self, **kwargs): """Parse and save design data. :param content: String of valid Deckhand YAML :returns: a tuple of a status response and a list of parsed objects from drydock_provisioner.objects """ def local_parse(): return self.parse_docs(kwargs.get('content')) if 'content' in kwargs: try: # Hash the input to use as the cache key. This is not a security # related hash, so use cheap and fast MD5 hv = hashlib.md5(kwargs.get('content', b'')).hexdigest() local_cache = cache.get_cache('parsed_docs') results = local_cache.get(key=hv, createfunc=local_parse) parse_status, models = results except Exception as ex: self.logger.debug("Error parsing design - hash %s", hv, exc_info=ex) raise ex else: raise ValueError('Missing parameter "content"') return parse_status, models
Example #6
Source File: customservice.py From wechatpy with MIT License | 6 votes |
def add_account(self, account, nickname, password): """ 添加客服账号 详情请参考 http://mp.weixin.qq.com/wiki/1/70a29afed17f56d537c833f89be979c9.html :param account: 完整客服账号,格式为:账号前缀@公众号微信号 :param nickname: 客服昵称,最长6个汉字或12个英文字符 :param password: 客服账号登录密码 :return: 返回的 JSON 数据包 """ password = to_binary(password) password = hashlib.md5(password).hexdigest() return self._post( "https://api.weixin.qq.com/customservice/kfaccount/add", data={"kf_account": account, "nickname": nickname, "password": password}, )
Example #7
Source File: customservice.py From wechatpy with MIT License | 6 votes |
def update_account(self, account, nickname, password): """ 更新客服账号 详情请参考 http://mp.weixin.qq.com/wiki/1/70a29afed17f56d537c833f89be979c9.html :param account: 完整客服账号,格式为:账号前缀@公众号微信号 :param nickname: 客服昵称,最长6个汉字或12个英文字符 :param password: 客服账号登录密码 :return: 返回的 JSON 数据包 """ password = to_binary(password) password = hashlib.md5(password).hexdigest() return self._post( "https://api.weixin.qq.com/customservice/kfaccount/update", data={"kf_account": account, "nickname": nickname, "password": password}, )
Example #8
Source File: update.py From CAMISIM with Apache License 2.0 | 6 votes |
def verifyChecksumForDir(dirName, settings, type): """ For each file listed in a list, verifies its checksum. """ dirName = os.path.join(settings.getLocalDst(type), dirName) urlChecksumFile = settings.getRemoteSrc() + '/' + os.path.basename(dirName) + '.checksum' print("Verification of the decompressed directory '%s' started." % dirName) try: for line in urllib2.urlopen(urlChecksumFile): f, checksum = line.split('\t') f = os.path.join(dirName, f) # if checksum.strip() != hashlib.md5(open(f).read()).hexdigest(): if checksum.strip() != getChecksumForFile(f): raise Exception("File '%s' is corrupted, it has a wrong checksum." % f) except Exception as e: print("Unable to verify directory: %s" % dirName) raise e print("Checksum verification completed successfully!")
Example #9
Source File: sms.py From Servo with BSD 2-Clause "Simplified" License | 6 votes |
def send(self): pwhash = md5(self.conf['sms_http_password']).hexdigest() params = { 'username' : self.conf['sms_http_user'], 'password' : pwhash, 'message' : self.body, 'from' : self.sender, 'to' : self.recipient, } if self.msg: dlruri = settings.SERVO_URL + '/api/messages/?id={0}'.format(self.msg.code) params['notify_url'] = dlruri params = urllib.urlencode(params) r = urllib.urlopen(self.URL, params, context=_create_unverified_context()).read() if 'ERROR:' in r: raise ValueError(self.ERRORS.get(r, _('Unknown error (%s)') % r))
Example #10
Source File: api.py From django-payfast with MIT License | 6 votes |
def _sign_fields(signable_fields): # type: (SignableFields) -> str """ Common signing code. """ for (k, v) in signable_fields: assert isinstance(k, str), repr(k) assert isinstance(v, str), repr(v) if sys.version_info < (3,): # Python 2 doesn't do IRI encoding. text = urlencode([ (k.encode('utf-8'), v.encode('utf-8')) for (k, v) in signable_fields ]) else: text = urlencode(signable_fields, encoding='utf-8', errors='strict') return md5(text.encode('ascii')).hexdigest() #: The checkout signature should ignore these leading and trailing whitespace characters. #: #: This list is an educated guess based on the PHP trim() function. #:
Example #11
Source File: BrownCompleteness.py From EXOSIMS with BSD 3-Clause "New" or "Revised" License | 6 votes |
def __init__(self, Nplanets=1e8, **specs): # bring in inherited Completeness prototype __init__ values Completeness.__init__(self, **specs) # Number of planets to sample self.Nplanets = int(Nplanets) # get path to completeness interpolant stored in a pickled .comp file self.filename = self.PlanetPopulation.__class__.__name__ + self.PlanetPhysicalModel.__class__.__name__ + self.__class__.__name__ # get path to dynamic completeness array in a pickled .dcomp file self.dfilename = self.PlanetPopulation.__class__.__name__ + \ self.PlanetPhysicalModel.__class__.__name__ +\ specs['modules']['OpticalSystem'] + \ specs['modules']['StarCatalog'] + \ specs['modules']['TargetList'] atts = list(self.PlanetPopulation.__dict__) self.extstr = '' for att in sorted(atts, key=str.lower): if not callable(getattr(self.PlanetPopulation, att)) and att != 'PlanetPhysicalModel': self.extstr += '%s: ' % att + str(getattr(self.PlanetPopulation, att)) + ' ' ext = hashlib.md5(self.extstr.encode("utf-8")).hexdigest() self.filename += ext self.filename.replace(" ","") #Remove spaces from string (in the case of prototype use)
Example #12
Source File: mmbot.py From MaliciousMacroBot with MIT License | 6 votes |
def get_file_meta_data(self, filepath, filename=None, getHash=False): """ helper function to get meta information about a file to include it's path, date modified, size :param filepath: path to a file :param filename: filename :param getHash: whether or not the hash should be computed :return: a tuple of format (filename, filepath, filesize, filemodified, md5) """ if filename is None: filename = os.path.split(filepath)[1] filemodified = time.ctime(os.path.getmtime(filepath)) filesize = os.path.getsize(filepath) md5 = np.nan if getHash: md5 = self.get_file_hash(filepath) return (filename, filepath, filesize, filemodified, md5)
Example #13
Source File: sqldb.py From Vxscan with Apache License 2.0 | 6 votes |
def create_ports(self): try: cursor = self.conn.cursor() cursor.execute(""" CREATE TABLE IF NOT EXISTS ports ( id INTEGER PRIMARY KEY AUTOINCREMENT, time varchar(255), ipaddr varchar(255), service varchar(255) DEFAULT '', port varchar(255) DEFAULT '', banner varchar(255) DEFAULT '', md5 varchar(40) UNIQUE ) """) except Exception as e: pass
Example #14
Source File: sqldb.py From Vxscan with Apache License 2.0 | 6 votes |
def create_urls(self): try: cursor = self.conn.cursor() cursor.execute(""" CREATE TABLE IF NOT EXISTS urls ( id INTEGER PRIMARY KEY AUTOINCREMENT, time varchar(255), domain varchar(255) DEFAULT '', title varchar(255) DEFAULT '', url varchar(255) DEFAULT '', contype varchar(255) DEFAULT '', rsp_len varchar(255) DEFAULT '', rsp_code varchar(255) DEFAULT '', md5 varchar(40) UNIQUE ) """) except Exception as e: logging.exception(e)
Example #15
Source File: sqldb.py From Vxscan with Apache License 2.0 | 6 votes |
def get_ports(self, ipaddr, ports): self.create_ports() timestamp = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) for i in ports: service = i.get('server') port = i.get('port') banner = i.get('banner') banner = re.sub('<', '', banner) banner = re.sub('>', '', banner) md5sum = hashlib.md5() strings = str(ipaddr) + str(service) + str(port) md5sum.update(strings.encode('utf-8')) md5 = md5sum.hexdigest() values = (timestamp, ipaddr, service, port, banner, md5) query = "INSERT OR IGNORE INTO ports (time, ipaddr, service, port, banner,md5) VALUES (?,?,?,?,?,?)" self.insert_ports(query, values)
Example #16
Source File: utils.py From jumpserver-python-sdk with GNU General Public License v2.0 | 5 votes |
def content_md5(data): """计算data的MD5值,经过Base64编码并返回str类型。 返回值可以直接作为HTTP Content-Type头部的值 """ if isinstance(data, str): data = hashlib.md5(data.encode('utf-8')) value = base64.b64encode(data.hexdigest().encode('utf-8')) return value.decode('utf-8')
Example #17
Source File: models.py From jumpserver-python-sdk with GNU General Public License v2.0 | 5 votes |
def private_key_file(self): if not self.key_dir: self.key_dir = '.' if not self.private_key: return None key_name = '.' + md5(self.private_key.encode('utf-8')).hexdigest() key_path = os.path.join(self.key_dir, key_name) if not os.path.exists(key_path): with open(key_path, 'w') as f: f.write(self.private_key) os.chmod(key_path, 0o400) return key_path
Example #18
Source File: olami.py From telegram-innovation-chatbot with MIT License | 5 votes |
def _gen_sign(self, api, timestamp_ms): data = self.app_secret + 'api=' + api + 'appkey=' + self.app_key + 'timestamp=' + \ str(timestamp_ms) + self.app_secret return md5(data.encode('ascii')).hexdigest()
Example #19
Source File: mnist.py From vergeml with MIT License | 5 votes |
def _md5(fname): hash_md5 = hashlib.md5() with open(fname, "rb") as f: for chunk in iter(lambda: f.read(4096), b""): hash_md5.update(chunk) return hash_md5.hexdigest()
Example #20
Source File: utils.py From wechatpy with MIT License | 5 votes |
def calculate_signature(params, api_key): url = format_url(params, api_key) logger.debug("Calculate Signature URL: %s", url) return to_text(hashlib.md5(url).hexdigest().upper())
Example #21
Source File: __init__.py From wechatpy with MIT License | 5 votes |
def __init__(self, key): self.key = to_binary(hashlib.md5(to_binary(key)).hexdigest()) assert len(self.key) == 32
Example #22
Source File: ics_generator.py From everyclass-server with Mozilla Public License 2.0 | 5 votes |
def _build_event(card_name: str, times: Tuple[datetime, datetime], classroom: str, teacher: str, current_week: int, week_string: str, cid: str) -> Event: """ 生成 `Event` 对象 :param card_name: 课程名 :param times: 开始和结束时间 :param classroom: 课程地点 :param teacher: 任课教师 :return: `Event` 对象 """ event = Event() event.add('transp', 'TRANSPARENT') summary = card_name if classroom != 'None': summary = card_name + '@' + classroom event.add('location', classroom) description = week_string if teacher != 'None': description += '\n教师:' + teacher description += '\n由 EveryClass 每课 (https://everyclass.xyz) 导入' event.add('summary', summary) event.add('description', description) event.add('dtstart', times[0]) event.add('dtend', times[1]) event.add('last-modified', datetime.now()) # 使用"cid-当前周"作为事件的超码 event_sk = cid + '-' + str(current_week) event['uid'] = hashlib.md5(event_sk.encode('utf-8')).hexdigest() + '@everyclass.xyz' alarm = Alarm() alarm.add('action', 'none') alarm.add('trigger', datetime(1980, 1, 1, 3, 5, 0)) event.add_component(alarm) return event
Example #23
Source File: auth_digest.py From cherrypy with BSD 3-Clause "New" or "Revised" License | 5 votes |
def md5_hex(s): return md5(ntob(s, 'utf-8')).hexdigest()
Example #24
Source File: recdict.py From MPContribs with MIT License | 5 votes |
def render(self): """use JsonHuman library to render a dictionary""" jdata = json.dumps(self).replace("\\n", " ") m = hashlib.md5() m.update(jdata.encode("utf-8")) divid = m.hexdigest() html = f'<div id="{divid}" style="width:100%;"></div><script>' html += f'render_json({{divid: "{divid}", data: {jdata}}});</script>' return html
Example #25
Source File: custom_func.sample.py From zmirror with MIT License | 5 votes |
def demo__custom_identity_verify(identity_dict): """ For CC98 identity verify :type identity_dict: dict """ import hashlib import requests import config if 'cc98_username' not in identity_dict or 'cc98_password' not in identity_dict: return False try: pass_md5 = hashlib.md5() pass_md5.update(identity_dict['cc98_password'].encode()) pass_md5 = pass_md5.hexdigest() if config.is_use_proxy: proxy = config.requests_proxies else: proxy = None r = requests.post('http://www.cc98.org/sign.asp', data={ 'a': 'i', 'u': identity_dict['cc98_username'], 'p': pass_md5, 'userhidden': 2 }, proxies=proxy) if r.text == '9898': return True else: return False except: return False # Demo for Twitter
Example #26
Source File: fetch_utils.py From dustmaps with GNU General Public License v2.0 | 5 votes |
def get_md5sum(fname, chunk_size=1024): """ Returns the MD5 checksum of a file. Args: fname (str): Filename chunk_size (Optional[int]): Size (in Bytes) of the chunks that should be read in at once. Increasing chunk size reduces the number of reads required, but increases the memory usage. Defaults to 1024. Returns: The MD5 checksum of the file, which is a string. """ def iter_chunks(f): while True: chunk = f.read(chunk_size) if not chunk: break yield chunk sig = hashlib.md5() with open(fname, 'rb') as f: for chunk in iter_chunks(f): sig.update(chunk) # data = f.read() # return hashlib.md5(data).hexdigest() return sig.hexdigest()
Example #27
Source File: pipeline.py From Turku-neural-parser-pipeline with Apache License 2.0 | 5 votes |
def put(self,txt,final=False): """Start parsing a job, return id which can be used to retrieve the result""" batch_id=hashlib.md5((str(random.random())+txt).encode("utf-8")).hexdigest() self.q_in.put((batch_id,txt)) #first job of 1 total self.job_counter+=1 if final: self.q_in.put(("FINAL","")) return batch_id
Example #28
Source File: dataset.py From subword-qac with MIT License | 5 votes |
def get_prefix_len(query, min_prefix_len, min_suffix_len, n=0): hasher = hashlib.md5() hasher.update(query.encode('utf-8')) hasher.update(str(n).encode('utf-8')) prefix_len = min_prefix_len + int(hasher.hexdigest(), 16) % (len(query) - min_prefix_len - min_suffix_len + 1) # if query[prefix_len - 1] == ' ': prefix_len -= 1 return prefix_len
Example #29
Source File: version.py From neural-fingerprinting with BSD 3-Clause "New" or "Revised" License | 5 votes |
def dev_version(): """ Returns a hexdigest of all the python files in the module. """ md5_hash = hashlib.md5() py_files = sorted(list_files(suffix=".py")) if not py_files: return '' for filename in py_files: with open(filename, 'rb') as fobj: content = fobj.read() md5_hash.update(content) return md5_hash.hexdigest()
Example #30
Source File: upload_add_dataloaders.py From models with MIT License | 5 votes |
def get_md5(fpath): assert os.path.isfile(fpath) md5o = hashlib.md5() with open(fpath, 'rb') as f: # read in 1MB chunks for chunk in iter(lambda: f.read(1024 * 1024), b''): md5o.update(chunk) return md5o.hexdigest()