Answers for "write row to csv python"

38

csv python write

import csv

with open('names.csv', 'w') as csvfile:
    fieldnames = ['first_name', 'last_name']
    writer = csv.DictWriter(csvfile, fieldnames=fieldnames)

    writer.writeheader()
    writer.writerow({'first_name': 'Baked', 'last_name': 'Beans'})
    writer.writerow({'first_name': 'Lovely', 'last_name': 'Spam'})
    writer.writerow({'first_name': 'Wonderful', 'last_name': 'Spam'})
Posted by: Guest on March-10-2020
1

write to specific row with python csv

# YOU CAN NOT CHOOSE WHAT ROW TO WRITE TO WHEN WRITING A ROW TO A CSV
# FILE WITH THE PYTHON CSV MODULE
# INSTEAD, YOU MUST WRITE ROWS IN CHRONOLOGICAL ORDER:
# EXAMPLE:
import csv

with open('file.csv', 'w') as f:
  writer = csv.writer(f)
  header = ['year','month','day'] # first row
  blank_row = ['n'] # second row (blank row)
  row1 = ['2020','Jul','23'] # 3rd row
  
  writer.writerow(header) # write the first row
  writer.writerow(blank_row) # write the blank row to skip a line
  writer.writerow(row1) # write the third row
Posted by: Guest on November-09-2021
16

python csv reader

with open(r'c:dlFrameRecentSessions.csv') as csv_file:
    csv_reader = csv.reader(csv_file, delimiter=',')
    line_count = 0
    for row in csv_reader:
        if line_count == 0:
            print(f'Column names are {", ".join(row)}')
            line_count += 1
        else:
            print(f't{row[0]} works in the {row[1]} department, and was born in {row[2]}.')
            line_count += 1
    print(f'Processed {line_count} lines.')
Posted by: Guest on January-13-2020
1

csv reader python

import csv

with open('employee_birthday.txt', mode='r') as csv_file:
    csv_reader = csv.DictReader(csv_file)
    line_count = 0
    for row in csv_reader:
        if line_count == 0:
            print(f'Column names are {", ".join(row)}')
            line_count += 1
        print(f't{row["name"]} works in the {row["department"]} department, and was born in {row["birthday month"]}.')
        line_count += 1
    print(f'Processed {line_count} lines.')
Posted by: Guest on May-15-2020
-1

python csv writer row by row

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)
Posted by: Guest on December-24-2020

Python Answers by Framework

Browse Popular Code Answers by Language