• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

Python sortedcontainers.SortedListWithKey类代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了Python中sortedcontainers.SortedListWithKey的典型用法代码示例。如果您正苦于以下问题:Python SortedListWithKey类的具体用法?Python SortedListWithKey怎么用?Python SortedListWithKey使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。



在下文中一共展示了SortedListWithKey类的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。

示例1: test_eq

def test_eq():
    this = SortedListWithKey(range(10), load=4, key=modulo, value_orderable=False)
    that = SortedListWithKey(range(20), load=4, key=modulo, value_orderable=False)
    assert not (this == that)
    that.clear()
    that.update(range(10))
    assert this == that
开发者ID:danbornside,项目名称:sorted_containers,代码行数:7,代码来源:test_coverage_sortedlistwithkey.py


示例2: _characterize_signal

def _characterize_signal(beg, end):
    """
    Characterizes the available signal in a specific time interval.

    Parameters
    ----------
    beg:
        Starting time point of the interval.
    end:
        Last time point of the interval.

    Returns
    -------
    out:
        sortedlist with one entry by lead. Each entry is a 5-size tuple with
        the lead, the signal samples, the relevant points to represent the
        samples, the baseline level estimation for the fragment, and the
        quality of the fragment in that lead.
    """
    siginfo = SortedListWithKey(key=lambda v: -v.quality)
    for lead in sig_buf.get_available_leads():
        baseline, quality = characterize_baseline(lead, beg, end)
        sig = sig_buf.get_signal_fragment(beg, end, lead=lead)[0]
        if len(sig) == 0:
            return None
        #We build a signal simplification taking at most 9 points, and with
        #a minimum relevant deviation of 50 uV.
        points = RDP.arrayRDP(sig, C.RDP_MIN_DIST, C.RDP_NPOINTS)
        siginfo.add(LeadInfo(lead, sig, points, baseline, quality))
    return siginfo
开发者ID:citiususc,项目名称:qrsdel,代码行数:30,代码来源:qrsdel.py


示例3: test_key

def test_key():
    slt = SortedListWithKey(range(10000), key=lambda val: val % 10)
    slt._check()

    values = sorted(range(10000), key=lambda val: (val % 10, val))
    assert slt == values
    assert all(val in slt for val in range(10000))
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:7,代码来源:test_coverage_sortedlistwithkey_modulo.py


示例4: test_eq

def test_eq():
    this = SortedListWithKey(range(10), load=4, key=negate)
    that = SortedListWithKey(range(20), load=4, key=negate)
    assert not (this == that)
    that.clear()
    that.update(range(10))
    assert this == that
开发者ID:sbagri,项目名称:sorted_containers,代码行数:7,代码来源:test_coverage_sortedlistwithkey_ordered.py


示例5: _find_course_asset

    def _find_course_asset(self, asset_key):
        """
        Returns same as _find_course_assets plus the index to the given asset or None. Does not convert
        to AssetMetadata; thus, is internal.

        Arguments:
            asset_key (AssetKey): what to look for

        Returns:
            AssetMetadata[] for all assets of the given asset_key's type, & the index of asset in list
            (None if asset does not exist)
        """
        course_assets = self._find_course_assets(asset_key.course_key)
        if course_assets is None:
            return None, None

        all_assets = SortedListWithKey([], key=itemgetter('filename'))
        # Assets should be pre-sorted, so add them efficiently without sorting.
        # extend() will raise a ValueError if the passed-in list is not sorted.
        all_assets.extend(course_assets.setdefault(asset_key.block_type, []))
        # See if this asset already exists by checking the external_filename.
        # Studio doesn't currently support using multiple course assets with the same filename.
        # So use the filename as the unique identifier.
        idx = None
        idx_left = all_assets.bisect_left({'filename': asset_key.block_id})
        idx_right = all_assets.bisect_right({'filename': asset_key.block_id})
        if idx_left != idx_right:
            # Asset was found in the list.
            idx = idx_left

        return course_assets, idx
开发者ID:CDOT-EDX,项目名称:edx-platform,代码行数:31,代码来源:__init__.py


示例6: test_copy_copy

def test_copy_copy():
    import copy
    slt = SortedListWithKey(range(100), load=7, key=modulo)
    two = copy.copy(slt)
    slt.add(100)
    assert len(slt) == 101
    assert len(two) == 100
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:7,代码来源:test_coverage_sortedlistwithkey_modulo.py


示例7: test_key2

def test_key2():
    class Incomparable:
        pass
    a = Incomparable()
    b = Incomparable()
    slt = SortedListWithKey(key=lambda val: 1)
    slt.add(a)
    slt.add(b)
    assert slt == [a, b]
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:9,代码来源:test_coverage_sortedlistwithkey_modulo.py


示例8: test_bisect_left

def test_bisect_left():
    slt = SortedListWithKey(key=negate)
    assert slt.bisect_left(0) == 0
    slt = SortedListWithKey(range(100), load=17, key=negate)
    slt.update(range(100))
    slt._check()
    assert slt.bisect_left(50) == 98
    assert slt.bisect_left(0) == 198
    assert slt.bisect_left(-1) == 200
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:9,代码来源:test_coverage_sortedlistwithkey_negate.py


示例9: get_feasible_next_customers

    def get_feasible_next_customers(self, vehicles, count=None):
        next_pairs = [ (vehicle, customer, Cost.gnnh(self.delta, vehicle, customer)) \
                        for vehicle in vehicles \
                        for customer in self.customers \
                        if vehicle.isFeasible(customer) ]

        cs = SortedListWithKey(key=itemgetter(2))
        cs.update(next_pairs)
        return cs[:count]
开发者ID:sauln,项目名称:ICRI,代码行数:9,代码来源:Dispatch.py


示例10: __mul__

 def __mul__(self, other):
     assert isinstance(other, Set)
     if len(self.list) == 0:
         return Set()
     list = SortedListWithKey(key=self.list._key)
     for x in self.list:
         if x in other.list:
             list.add(x)
     s = Set(list=list)
     return s
开发者ID:palackjo,项目名称:lecture_examples_python,代码行数:10,代码来源:set.py


示例11: test_getitem

def test_getitem():
    random.seed(0)
    slt = SortedListWithKey(load=17, key=modulo, value_orderable=False)

    lst = list(random.random() for rpt in range(100))
    slt.update(lst)
    lst.sort(key=modulo)

    assert all(slt[idx] == lst[idx] for idx in range(100))
    assert all(slt[idx - 99] == lst[idx - 99] for idx in range(100))
开发者ID:danbornside,项目名称:sorted_containers,代码行数:10,代码来源:test_coverage_sortedlistwithkey.py


示例12: test_setitem

def test_setitem():
    random.seed(0)
    slt = SortedListWithKey(range(0, 100, 10), load=4, key=negate)

    slt[-3] = 20
    slt._check()

    values = list(enumerate(range(95, 5, -10)))
    random.shuffle(values)
    for pos, val in values:
        slt[pos] = val
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:11,代码来源:test_coverage_sortedlistwithkey_negate.py


示例13: test_extend

def test_extend():
    slt = SortedListWithKey(load=4, key=modulo)

    slt.extend(range(5))
    slt._check()

    slt.extend(range(6, 10))
    slt._check()
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:8,代码来源:test_coverage_sortedlistwithkey_modulo.py


示例14: test_extend

def test_extend():
    slt = SortedListWithKey(load=4, key=modulo, value_orderable=False)

    slt.extend(range(5))
    slt._check()

    slt.extend(range(6, 10))
    slt._check()
开发者ID:danbornside,项目名称:sorted_containers,代码行数:8,代码来源:test_coverage_sortedlistwithkey.py


示例15: test_bisect

def test_bisect():
    slt = SortedListWithKey(key=modulo, value_orderable=False)
    assert slt.bisect(10) == 0
    slt = SortedListWithKey(range(100), load=17, key=modulo, value_orderable=False)
    slt.update(range(100))
    slt._check()
    assert slt.bisect(10) == 20
    assert slt.bisect(0) == 20
开发者ID:danbornside,项目名称:sorted_containers,代码行数:8,代码来源:test_coverage_sortedlistwithkey.py


示例16: test_bisect_right

def test_bisect_right():
    slt = SortedListWithKey(key=modulo)
    assert slt.bisect_right(10) == 0
    slt = SortedListWithKey(range(100), load=17, key=modulo)
    slt.update(range(100))
    slt._check()
    assert slt.bisect_right(10) == 20
    assert slt.bisect_right(0) == 20
开发者ID:adamchainz,项目名称:sorted_containers,代码行数:8,代码来源:test_coverage_sortedlistwithkey_modulo.py


示例17: __init__

class LRUCache:
    READ = 'read'
    WRITE = 'write'

    def __init__(self, size, mode):
        self._size = size
        self._mode = mode
        self._cache = {}
        self._used = {}
        if mode == self.READ:
            self._time = 0
        elif mode == self.WRITE:
            self._times = SortedListWithKey(key=self._used.get)

    def _use(self, key):
        if self._mode == self.READ:
            self._used[key] = self._time
            self._time += 1
        elif self._mode == self.WRITE:
            if self._times:
                if key in self._used:
                    self._times.discard(key)
                self._used[key] = self._used[self._times[-1]] + 1
            else:
                self._used[key] = 0
            self._times.add(key)

    def _remove(self):
        if self._mode == self.READ:
            lru = min(self._used, key=self._used.get)
            del self._cache[lru]
            del self._used[lru]
        elif self._mode == self.WRITE:
            lru = self._times.pop(0)
            del self._cache[lru]
            del self._used[lru]

    def get(self, key):
        item = self._cache.get(key)
        if item is None:
            return None
        self._use(key)
        return item

    def set(self, key, value):
        if key not in self._cache:
            if len(self._cache) == self._size:
                self._remove()
        self._cache[key] = value
        self._use(key)

    def __repr__(self):
        return repr(self._cache)
开发者ID:tysonzero,项目名称:lru-cache,代码行数:53,代码来源:lru_cache.py


示例18: test_contains

def test_contains():
    slt = SortedListWithKey(key=negate)
    assert 0 not in slt

    slt.update(range(10000))

    for val in range(10000):
        assert val in slt

    assert 10000 not in slt

    slt._check()
开发者ID:sbagri,项目名称:sorted_containers,代码行数:12,代码来源:test_coverage_sortedlistwithkey_ordered.py


示例19: test_contains

def test_contains():
    slt = SortedListWithKey(key=modulo, value_orderable=False)
    assert 0 not in slt

    slt.update(range(10000))

    for val in range(10000):
        assert val in slt

    assert 10000 not in slt

    slt._check()
开发者ID:jonathaneunice,项目名称:sorted_containers,代码行数:12,代码来源:test_coverage_sortedlistwithkey.py


示例20: create_palette

def create_palette(color_depth=8):
    """ Create palette of all colors for color_depth bit rate.  """
    palette = SortedListWithKey(load=1000, key=lambda c: c.avg)
    scale = (MAX_COLOR_DEPTH / 2**color_depth)

    for x in range(0, 2**color_depth):
        for y in range(0, 2**color_depth):
            for z in range(0, 2**color_depth):
                r = x*scale
                g = y*scale
                b = z*scale
                palette.add( Color(r=r, g=g, b=b, avg=int(avg([r,g,b]))) )

    return palette
开发者ID:drewvolpe,项目名称:codegames,代码行数:14,代码来源:color_replace.py



注:本文中的sortedcontainers.SortedListWithKey类示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
Python sortedcontainers.SortedSet类代码示例发布时间:2022-05-27
下一篇:
Python sortedcontainers.SortedList类代码示例发布时间:2022-05-27
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap