for 루프를 중단하지 않고 if 문을 중지하고 다른 if에 영향을 줍니다. (Stop if statement without breaking for loop and affect other ifs)


문제 설명

for 루프를 중단하지 않고 if 문을 중지하고 다른 if에 영향을 줍니다. (Stop if statement without breaking for loop and affect other ifs)

파이썬을 사용하여 일부 .csv 파일을 처리하고 있습니다. .csv 파일에는 많은 행이 있습니다. 동일한 행이 여러 개 있습니다. 이 파일을 연 후 for row in reader: 루프에서 첫 번째 반복 행을 찾아 변수에 할당하고 싶습니다. 그런 다음 루프의 다른 행을 계속 처리합니다.

문제는 루프가 다른 동일한 행을 만날 때 루프를 끊지 않고 if 문이 다시 실행된다는 것입니다. 원하는 첫 번째 행을 찾았을 때 if 문이 한 번만 실행되기를 원합니다. 한 번이면 충분하지만 if 문을 여러 번 실행하면 중복성이 발생합니다.

if 조건이 처음 충족될 때만 이 if 문을 실행하는 방법은 무엇입니까? 원하는 첫 번째 행이 발견되면 루프를 끊고 for row in reader:를 반복할 수 있습니다. 다른 행을 처리하려면 단일 루프에서 이를 수행하는 방법이 있어야 한다고 생각합니다.


참조 솔루션

방법 1:

This a common pattern in in programming. Set a flag once you've fulfilled the condition for the first time. then ignore that condition if your flag is already set.

already_set = False
row_variable = None
for row in reader:
    if (row meets some condition) and (not already_set):
        row_variable = row
        already_Set = True
# now row_variable holds the first row that met your condition
# or it holds None if no rows meet the condition

방법 2:

You can just use a boolean value to represent whether you've already processed a matching row or not, and an additional check in your if statement.

found = False
for r in rows:
    if ( r == "whatever conidition for the row" and not found):
        found = True
        # processing code

(by Wanlieturbulencetooxgord)

참조 문서

  1. Stop if statement without breaking for loop and affect other ifs (CC BY‑SA 2.5/3.0/4.0)

#Python #CSV #for-loop #loops #if-statement






관련 질문

Python - 파일 이름에 특수 문자가 있는 파일의 이름을 바꿀 수 없습니다. (Python - Unable to rename a file with special characters in the file name)

구조화된 배열의 dtype을 변경하면 문자열 데이터가 0이 됩니다. (Changing dtype of structured array zeros out string data)

목록 목록의 효과적인 구현 (Effective implementation of list of lists)

for 루프를 중단하지 않고 if 문을 중지하고 다른 if에 영향을 줍니다. (Stop if statement without breaking for loop and affect other ifs)

기본 숫자를 10 ^ 9 이상으로 늘리면 코드가 작동하지 않습니다. (Code fails to work when i increase the base numbers to anything over 10 ^ 9)

사용자 지정 대화 상자 PyQT5를 닫고 데이터 가져오기 (Close and get data from a custom dialog PyQT5)

Enthought Canopy의 Python: csv 파일 조작 (Python in Enthought Canopy: manipulating csv files)

학생의 이름을 인쇄하려고 하는 것이 잘못된 것은 무엇입니까? (What is wrong with trying to print the name of the student?)

다단계 열 테이블에 부분합 열 추가 (Adding a subtotal column to a multilevel column table)

여러 함수의 변수를 다른 함수로 사용 (Use variables from multiple functions into another function)

리프 텐서의 값을 업데이트하는 적절한 방법은 무엇입니까(예: 경사하강법 업데이트 단계 중) (What's the proper way to update a leaf tensor's values (e.g. during the update step of gradient descent))

Boto3: 조직 단위의 AMI에 시작 권한을 추가하려고 하면 ParamValidationError가 발생합니다. (Boto3: trying to add launch permission to AMI for an organizational unit raises ParamValidationError)







코멘트