Home >Backend Development >Python Tutorial >How to Efficiently Write Line-by-Line Data to a CSV File?
Writing CSV Data Line by Line
Accessing comma-separated data via HTTP requests presents the challenge of saving it as a CSV file. By leveraging a StringIO object, you can iterate through the data line by line. However, how do you effectively write each line to CSV?
General Approach:
The conventional method to write a list of strings (each representing a line) to a CSV file is as follows:
text = ['line1', 'line2', ...] with open('csvfile.csv', 'wb') as file: for line in text: file.write(line) file.write('\n')
CSV Writer:
For added flexibility, consider using the CSV writer module:
import csv with open('path_to_output_csv', "wb") as csv_file: writer = csv.writer(csv_file, delimiter=',') for line in data: writer.writerow(line)
Simplest Solution:
If simplicity is the priority, the following method directly writes text to a CSV file:
f = open('csvfile.csv', 'w') f.write('hi there\n') # Replace with your text f.close()
Python will automatically convert line breaks to the appropriate format based on your operating system.
The above is the detailed content of How to Efficiently Write Line-by-Line Data to a CSV File?. For more information, please follow other related articles on the PHP Chinese website!