Python Program to Copy the Contents of a File to Another File
destination source:https://www.programming-techniques.com/?p=2258
In this example, we will write a python program to copy the contents of a file to another file. To better understand this example, make sure you have knowledge of the following tutorials:-

Contents
Python Program to Copy the Contents of a File to Another File using Loops
1 2 3 4 | with open("hello.txt") as f: with open("copy.txt", "w") as f1: for line in f: f1.write(line) |
The program creates a “copy.txt” with the content of “hello.txt” by copying each line.
Python Program to Copy the Contents of a File to Another File using File methods
1 2 3 4 5 | new_file = open("copy.txt", "w") with open("hello.txt", "r") as f: new_file.write(f.read()) new_file.close() |
Here, the content of file “hello.txt” is directly written to “copy.txt” file using the file write method and file read method to read all contents at once.

Related Article
destination source:https://www.programming-techniques.com/?p=2258