python系列整理---python基础

【python之一】

python基础--property、__get__、__set__

python基础--__getattr__ 和 __getattribute__

python基础--type和metaclass

python基础--魔法方法详解

python基础--数据结构

python模块--paramiko

python模块--inspect

python模块--时间[time+datetime+dateutil]

Python模块--logging

Python模块--logging使用Log4j将程序日志实时写入Kafka

Python--xpath语法

Python--import与__import__()

Python--设计模式 单例模式的几种实现方式的及优化

Python--一致性hash算法

Python--一致性hash 之 python实现

深刻理解Python中的元类(metaclass)以及元类实现单例模式

python 内置模块之ConfigParser--配置读写

python 内置模块之hashlib、hmac、uuid

python 内置模块之logging

python 内置模块之os、sys、shutil

python 序列化之JSON和pickle详解

python with语句上下文管理的两种实现方法

python time模块和datetime模块详解

python 迭代器和生成器详解

python装饰器总结

python自定义线程池

python--gevent协程及协程概念

python--multiprocessing多进程总结

python--threading多线程总结

python--gevent协程及协程概念

python--multiprocessing多进程总结

python--threading多线程总结

python--进程、线程、协程及IO模型

Python--进程、线程、协程篇

python--socket基础篇

python--webSocket 你真的了解WebSocket吗?

python--webSocket 实现WebSocket通信

python--websocket 使用

【python之二】

 关于python多线程、多进程的简单实现

# coding=utf-8

from multiprocessing import Pool as ProcessPool
from multiprocessing.dummy import Pool as ThreadPool 


class PoolUtility:

    min_thread_num = 1
    max_thread_num = 4
    min_process_num = 1
    max_process_num = 4

    @staticmethod
    def thread_pool(fun, args, thread_num=0):
"""多线程""" if thread_num: pool = ThreadPool(thread_num) else: pool = ThreadPool(PoolUtility.max_thread_num) results = pool.map(fun, args) pool.close() pool.join() return results @staticmethod def process_pool(fun, args, process_num=0):
    """多进程""" if process_num: pool = ProcessPool(process_num) else: pool = ProcessPool(PoolUtility.max_process_num) results = pool.map(fun, args) pool.close() pool.join() return results @staticmethod def process_pool_iter(fun, iter_args, process_num=0):
"""多进程:处理参数为可迭代对象""" if process_num: pool = ProcessPool(process_num) else: pool = ProcessPool(PoolUtility.max_process_num) results = pool.imap(fun, iter_args) pool.close() pool.join() return results

  一致性hash实现

# encoding=utf-8
import hashlib


class HashConsistency(object):
    def __init__(self, name, nodes=None, shards=64, replicas=32):
        # 虚拟节点与真实节点对应关系
        self.name = name,
        self.shards = shards
        self.nodes_map = []
        # 真实节点与虚拟节点的字典映射
        self.nodes_replicas = {}
        # 真实节点
        self.nodes = self.get_nodes(nodes)
        # 每个真实节点创建的虚拟节点的个数
        self.replicas = replicas

        if self.nodes:
            for node in self.nodes:
                self._add_nodes_map(node)
            self._sort_nodes()

    def get_nodes(self, nodes):
        shards = []
        length = len(nodes)
        for i in range(self.shards):
            pos = i % length
            shard = f'{nodes[pos]}_{i}'
            shards.append(shard)
        return shards

    def get_node(self, key):
        """ 根据KEY值的hash值,返回对应的节点
        算法是: 返回最早比key_hash大的节点
        """
        key_hash = self.gen_hash(key)
        # print('%s' % key_hash)
        for node in self.nodes_map:
            if key_hash > node[0]:
                continue
            return node[1]
        return None

    def add_node(self, node):
        # 添加节点
        self._add_nodes_map(node)
        self._sort_nodes()

    def remove_node(self, node):
        # 删除节点
        if node not in self.nodes_replicas.keys():
            pass
        discard_rep_nodes = self.nodes_replicas[node]
        self.nodes_map = filter(lambda x: x[0] not in discard_rep_nodes, self.nodes_map)

    def _add_nodes_map(self, node):
        # 增加虚拟节点到nodes_map列表
        nodes_reps = []
        for i in range(self.replicas):
            rep_node = '%s_%d' % (node, i)
            node_hash = self.gen_hash(rep_node)
            self.nodes_map.append((node_hash, node))
            nodes_reps.append(node_hash)
        # 真实节点与虚拟节点的字典映射
        self.nodes_replicas[node] = nodes_reps

    def _sort_nodes(self):
        # 按顺序排列虚拟节点
        self.nodes_map = sorted(self.nodes_map, key=lambda x: x[0])

    @staticmethod
    def gen_hash(name):
        obj = hashlib.md5("satan@1234sssss".encode("utf-8"))
        obj.update(name.encode('utf-8'))
        return obj.hexdigest()

nodes = [
    '127.0.0.1:7001',
    '127.0.0.1:7002',
    '127.0.0.1:7003',
    '127.0.0.1:7004',
]

h = HashConsistency('aaa', nodes)
for item in h.nodes:
    print(item)
print(h.get_node('mmm'))

  

https://github.com/jiangsiwei2018/BigData.git 实例代码git仓库地址
原文地址:https://www.cnblogs.com/satansz/p/12906290.html