Reputation: 3488
I have the following code:
readFromFile = open('C:\\Users\\sunka\\Desktop\\exampleFile.txt','r')
readFromFile.readlines()
print(readFromFile)
After running the code, I am getting the following issue
<_io.TextIOWrapper name='C:\\Users\\sunka\\Desktop\\exampleFile.txt' mode='r' encoding='cp1252'>
it's not printing the contents in the file.
Kindly help me to fix this
Upvotes: 0
Views: 72
Reputation: 2797
You can also try the following :
readFromFile = open('C:\\Users\\sunka\\exampleFile.txt','r')
fh = readFromFile.read()
print(fh)
It prints out all the lines in the file.
Upvotes: 0
Reputation: 1185
Your readFromFile
variable is a file object, that you can read data from.
The readlines
function returns array of lines inside that opened file.
So what you want to do is:
with open('C:\Users\sunka\Desktop\exampleFile.txt','r') as file_obj:
print(file_obj.readlines())
Take a closer look at the docs next time.
Upvotes: 2