Reputation: 5187
I have integrated Salesforce's Bulk API for fetching records in my Python project. With 'Content-Type': 'text/csv; charset=UTF-8'
header, it returns CSV Output.
"Id","Name","CreatedById","Salary","Base_Salary","Type","Pay_cycle","Description","Code"
"a0u90000003R4Y9AAK","Freelance Hadoop developer","005900000039GMdAAM","","","","","",""
"a0u90000003R5UPAA0","Senior Hadoop developer","005900000039GMdAAM","","","","","",""
"a0u90000003R5V3AAK","Freelance Webmaster","005900000039GMdAAM","","","","","",""
"a0u90000004ZMUwAAO","Full-Stack Web Developer - PHP and Python","005900000039GMdAAM","","","","","",""
Now, without storing this in a CSV file, I want to put these records this in my Db.
The DictReader
is a really nice and straightforward solution for getting the field values, But I guess it only works with a (CSV) file.
import csv
with open('output.csv') as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
print(row['Id'], row['Name'])
I am trying something but I don't like it. See
objects = []
for line in iter(csv_data.splitlines()):
# Split by separator
data = line.split(",")
# Remove double quotes around the field value
objects.append([i[1:-1] for i in data])
What will be the most elegant way of doing this?
Upvotes: 3
Views: 1717
Reputation: 46921
you can wrap the csv string into a io.StringIO
object. this will then work perfectly fine with the csv
module:
data_str = '''"Id","Name","CreatedById","Salary","Base_Salary","Type","Pay_cycle","Description","Code"
"a0u90000003R4Y9AAK","Freelance Hadoop developer","005900000039GMdAAM","","","","","",""
"a0u90000003R5UPAA0","Senior Hadoop developer","005900000039GMdAAM","","","","","",""
"a0u90000003R5V3AAK","Freelance Webmaster","005900000039GMdAAM","","","","","",""
"a0u90000004ZMUwAAO","Full-Stack Web Developer - PHP and Python","005900000039GMdAAM","","","","","",""'''
# in python 2 you need to decode the string before passing it to StringIO
data_io = io.StringIO(data_str.decode('utf-8'))
## this is not needed in python 3
# data_io = io.StringIO(data_str)
reader = csv.DictReader(data_io)
for row in reader:
print row['Id'], row['Name']
Upvotes: 5