PHP natsort 函數的Python 等效項:自然順序排序
PHP natsort 函數用於使用「自然順序」對列表進行排序以人類可讀的方式處理包含數字的字串的演算法。 Python 沒有與 natsort 完全相同的功能,但有可用的自訂解決方案。
一種方法是使用Python 內建函數的組合:
<code class="python">import re def try_int(s): "Convert to integer if possible." try: return int(s) except: return s def natsort_key(s): "Used internally to get a tuple by which s is sorted." return map(try_int, re.findall(r'(\d+|\D+)', s)) def natcmp(a, b): "Natural string comparison, case sensitive." return cmp(natsort_key(a), natsort_key(b)) def natcasecmp(a, b): "Natural string comparison, ignores case." return natcmp(a.lower(), b.lower())</code>
對使用自然順序的清單:
<code class="python">l = ['image1.jpg', 'image15.jpg', 'image12.jpg', 'image3.jpg'] l.sort(natcasecmp)</code>
支援Unicode 字串的另一種方法是使用基於Python 的natural_key 函數的自訂鍵函數:
<code class="python">import re def natural_key(string_): """See https://blog.codinghorror.com/sorting-for-humans-natural-sort-order/""" return [int(s) if s.isdigit() else s for s in re.split(r'(\d+)', string_)]</code>
範例:
<code class="python">l = ['image1.jpg', 'image15.jpg', 'image12.jpg', 'image3.jpg'] l.sort(key=natural_key)</code>
以上是如何在Python中實作像PHP的natsort函數一樣的自然順序排序?的詳細內容。更多資訊請關注PHP中文網其他相關文章!