66

None を含む同種のオブジェクトのリストがありますが、任意のタイプの値を含めることができます。例:

>>> l = [1, 3, 2, 5, 4, None, 7]
>>> sorted(l)
[None, 1, 2, 3, 4, 5, 7]
>>> sorted(l, reverse=True)
[7, 5, 4, 3, 2, 1, None]

ホイールを再発明せずに、リストを通常の python の方法でソートする方法はありますが、次のように、リストの最後に None 値があります。

[1, 2, 3, 4, 5, 7, None]

「キー」パラメーターを使用したトリックがここにあるように感じます

4

3 に答える 3

20

これを試して:

sorted(l, key=lambda x: float('inf') if x is None else x)

無限大はすべての整数よりも大きいため、None常に最後に配置されます。

于 2013-08-23T20:48:16.963 に答える
-1

Andrew Clark による回答と tutuDajuju によるコメントを拡張する関数を作成しました。

def sort(myList, reverse = False, sortNone = False):
    """Sorts a list that may or may not contain None.
    Special thanks to Andrew Clark and tutuDajuju for how to sort None on https://stackoverflow.com/questions/18411560/python-sort-list-with-none-at-the-end

    reverse (bool) - Determines if the list is sorted in ascending or descending order

    sortNone (bool) - Determines how None is sorted
        - If True: Will place None at the beginning of the list
        - If False: Will place None at the end of the list
        - If None: Will remove all instances of None from the list

    Example Input: sort([1, 3, 2, 5, 4, None, 7])
    Example Input: sort([1, 3, 2, 5, 4, None, 7], reverse = True)
    Example Input: sort([1, 3, 2, 5, 4, None, 7], reverse = True, sortNone = True)
    Example Input: sort([1, 3, 2, 5, 4, None, 7], sortNone = None)
    """

    return sorted(filter(lambda item: True if (sortNone != None) else (item != None), myList), 
        key = lambda item: (((item is None)     if (reverse) else (item is not None)) if (sortNone) else
                            ((item is not None) if (reverse) else (item is None)), item), 
        reverse = reverse)

これを実行する方法の例を次に示します。

myList = [1, 3, 2, 5, 4, None, 7]
print(sort(myList))
print(sort(myList, reverse = True))
print(sort(myList, sortNone = True))
print(sort(myList, reverse = True, sortNone = True))
print(sort(myList, sortNone = None))
print(sort(myList, reverse = True, sortNone = None))
于 2018-06-06T12:47:48.587 に答える