Python - 파일 끝 찾기

파일을 읽을 때, 파일의 끝(EOF, End Of File)을 인식하거나 찾는 방법을 소개합니다.

1. readlines()를 이용한 방법

readlines()는 파일의 내용들을 한 줄씩 읽어서 리스트로 리턴합니다.

따라서 파일의 끝은 리스트의 마지막 요소가 됩니다.

file_path = "./sample.txt"

lines = []
with open(file_path, "r") as file:
    lines = file.readlines()

print(lines)

sample.txt

1
2
3

4
5

Output:

['1\n', '2\n', '3\n', '\n', '4\n', '5']

모든 라인을 가져오면, for 루프로 한 줄씩 문자열을 읽을 수 있습니다.

for line in lines:
    print(line)

with 키워드로 파일을 열면 file.close()를 명시적으로 호출하지 않아도 됩니다. with 구문이 종료될 때 자동으로 호출됩니다.

문자열에 줄바꿈 문자(\n)가 있기 때문에, print()로 출력하면 두 줄씩 줄바꿈이 됩니다. print(line, end='')로 인자를 전달하시면 print()에서 줄바꿈을 하지 않습니다.

2. readline()을 이용한 방법

readline()는 파일에서 개행을 기준으로 한 줄의 문자열만 가져옵니다.

반복문으로 한 줄씩 문자열을 가져올 때, 빈 문자열이 리턴되는 것으로 파일의 끝을 찾을 수 있습니다.

파일 중간에 줄바꿈을 하면, 빈 문자열이 아닌 개행 문자(\n)가 리턴됩니다.

file_path = "./sample.txt"

with open(file_path, "r") as file:
    while True:
        line = file.readline()
        if line == '':
            print("\nEnd of file")
            break
        else:
            print(line, end='')

sample.txt

1
2
3

4
5

Output:

1
2
3

4
5
End of file

3. read()를 이용한 방법

read()는 파일의 모든 내용을 가져옵니다.

read() 함수를 1회만 호출하면 파일의 모든 내용이 문자열 객체에 저장되기 때문에, 파일의 끝을 인식할 필요가 없습니다.

file_path = "./sample.txt"

print("Reading a file")
with open(file_path, "r") as file:
    content = file.read()
    print(content)

print("Finished")

sample.txt

1
2
3

4
5

Output:

Reading a file
1
2
3

4
5
Finished
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha