Python 에서 list 의 각종 조작 방법
특히 관련 기초 조작 을 배우 고 여기 서 필 기 를 했다.
'''
Python --version Python 2.7.11
Quote : https://docs.python.org/2/tutorial/datastructures.html#more-on-lists
Add by camel97 2017-04
'''
list.append(x) #
Add an item to the end of the list; equivalent to a[len(a):] = [x].
list.extend(L)\#두 list 의 요 소 를 합 칩 니 다.Extend the list by appending all the items in the given list; equivalent to a[len(a):] = L.
list.insert(i,x)\#요 소 를 지정 한 위치 에 삽입 합 니 다(위 치 는 색인 i 의 요소 앞 에 있 습 니 다)
Insert an item at a given position. The first argument is the index of the element before which to insert, so a.insert(0, x) inserts at the front of the list, and a.insert(len(a), x) is equivalent to a.append(x).
list.remove(x)\#list 의 첫 번 째 값 이 x 인 요 소 를 삭제 합 니 다(즉,list 에 x 가 두 개 있 으 면 첫 번 째 x 만 삭제 합 니 다)
Remove the first item from the list whose value is x. It is an error if there is no such item.
list.pop([i])\#list 의 i 번 째 요 소 를 삭제 하고 이 요 소 를 되 돌려 줍 니 다.인자 i 를 주지 않 으 면 기본 값 으로 list 를 삭제 합 니 다. 마지막 요소
Remove the item at the given position in the list, and return it. If no index is specified, a.pop() removes and returns the last item in the list. (The square brackets around the i in the method signature denote that the parameter is optional, not that you should type square brackets at that position. You will see this notation frequently in the Python Library Reference.)
list.index(x)\#list 의 값 이 X 인 요소 의 색인 을 되 돌려 줍 니 다.
Return the index in the list of the first item whose value is x. It is an error if there is no such item.
list.count(x)\#list 에서 x 인 요소 의 개 수 를 되 돌려 줍 니 다.
Return the number of times x appears in the list.
demo:
#-*-coding:utf-8-*-
L = [1,2,3] # list
L2 = [4,5,6]
print L
L.append(6) #
print L
L.extend(L2) #
print L
L.insert(0,0) #
print L
L.remove(6) #
print L
L.pop() #
print L
print L.index(2)#
print L.count(2)#
L.reverse() #
print L
result:
[1, 2, 3]
[1, 2, 3, 6]
[1, 2, 3, 6, 4, 5, 6]
[0, 1, 2, 3, 6, 4, 5, 6]
[0, 1, 2, 3, 4, 5, 6]
[0, 1, 2, 3, 4, 5]
2
1
[5, 4, 3, 2, 1, 0]
list.sort(cmp=None, key=None, reverse=False)Sort the items of the list in place (the arguments can be used for sort customization, see sorted() for their explanation).
1.list 를 정렬 합 니 다.기본 값 은 작은 것 부터 큰 것 까지 순서대로 정렬 합 니 다.
L = [2,5,3,7,1]
L.sort()
print L
==>[1, 2, 3, 5, 7]
L = ['a','j','g','b']
L.sort()
print L
==>['a', 'b', 'g', 'j']
2.reverse 는 bool 값 입 니 다.기본 값 은 False 입 니 다.True 로 설정 하면 이 list 의 요 소 는 사진 에 반 하 는 비교 결과(역순)에 따라 배 열 됩 니 다.# reverse is a boolean value. If set to True, then the list elements are sorted as if each comparison were reversed.
L = [2,5,3,7,1]
L.sort(reverse = True)
print L
==>[7, 5, 3, 2, 1]
L = ['a','j','g','b']
L.sort(reverse = True)
print L
==>['j', 'g', 'b', 'a']
3.key 는 함수 입 니 다.정렬 키 워드 를 지정 합 니 다.보통 lambda 표현 식 이나 지정 한 함수 입 니 다.#key specifies a function of one argument that is used to extract a comparison key from each list element: key=str.lower. The default value is None (compare the elements directly).
#-*-coding:utf-8-*-
# tuple list tuple , ,
students = [('John', 170, 15), ('Tom', 160, 12), ('Dave', 180, 10)]
print students
==>[('John', 170, 15), ('Tom', 160, 12), ('Dave', 180, 10)]
students.sort(key = lambda student:student[0])
print students
==>[('Dave', 180, 10), ('John', 170, 15), ('Tom', 160, 12)]# ( )
students.sort(key = lambda student:student[1])
print students
==>[('Tom', 160, 12), ('John', 170, 15), ('Dave', 180, 10)]#
students.sort(key = lambda student:student[2])
print students
==>[('Dave', 180, 10), ('Tom', 160, 12), ('John', 170, 15)]#
4.cmp 는 두 개의 매개 변 수 를 지정 한 함수 입 니 다.그것 은 정렬 방법 을 결정 했다.#cmp specifies a custom comparison function of two arguments (iterable elements) which should return a negative, zero or positive number depending on whether the first #argument is considered smaller than, equal to, or larger than the second argument: cmp=lambda x,y: cmp(x.lower(), y.lower()). The default value is None.
#-*-coding:utf-8-*-
students = [('John', 170, 15), ('Tom', 160, 12), ('Dave', 180, 10)]
print students
==>[('John', 170, 15), ('Tom', 160, 12), ('Dave', 180, 10)]
# (ascii ) (ascii )
students.sort(cmp=lambda x,y: cmp(x.upper(), y.lower()),key = lambda student:student[0])
print students
==>[('Dave', 180, 10), ('Tom', 160, 12), ('John', 170, 15)]
# ascii
students.sort(cmp=lambda x,y: cmp(x.lower(), y.lower()),key = lambda student:student[0])
print students
==>[('Dave', 180, 10), ('John', 170, 15), ('Tom', 160, 12)]
#cmp(x,y) python , 2 , x < y -1, x == y 0, x > y 1
cmp 는 사용자 가 크기 관 계 를 사용자 정의 할 수 있 습 니 다.평소에 우 리 는 1<2,a현재 우 리 는 함 수 를 사용자 정의 할 수 있 습 니 다.사용자 정의 크기 관계(예 를 들 어 2우리 가 어떤 특수 한 문 제 를 처리 할 때,이것 은 종종 매우 유용 하 다.위 에서 말 한 것 은 소 편 이 소개 한 Python 에서 list 의 각종 조작 기법 입 니 다.여러분 에 게 도움 이 되 기 를 바 랍 니 다.궁금 한 점 이 있 으 면 메 시 지 를 남 겨 주세요.소 편 은 바로 답 해 드 리 겠 습 니 다.여기 서도 저희 사이트 에 대한 여러분 의 지지 에 감 사 드 립 니 다!
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
로마 숫자를 정수로 또는 그 반대로 변환그 중 하나는 로마 숫자를 정수로 변환하는 함수를 만드는 것이었고 두 번째는 그 반대를 수행하는 함수를 만드는 것이었습니다. 문자만 포함합니다'I', 'V', 'X', 'L', 'C', 'D', 'M' ; 문자열이 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.