Quickstart

Eager to get started? This page gives a good introduction in how to get started with Tablib. This assumes you already have Tablib installed. If you do not, head over to the Installation section.

First, make sure that:

Lets gets started with some simple use cases and examples.

Creating a Dataset

A Dataset is nothing more than what its name implies—a set of data.

Creating your own instance of the tablib.Dataset object is simple.

data = tablib.Dataset()

You can now start filling this Dataset object with data.

Example Context

From here on out, if you see data, assume that it’s a fresh Dataset object.

Adding Rows

Let’s say you want to collect a simple list of names.

# collection of names
names = ['Kenneth Reitz', 'Bessie Monke']

for name in names:
    # split name appropriately
    fname, lname = name.split()

    # add names to Dataset
    data.append([fname, lname])

You can get a nice, Pythonic view of the dataset at any time with Dataset.dict.

>>> data.dict
[('Kenneth', 'Reitz'), ('Bessie', 'Monke')]

Adding Headers

It’s time enhance our Dataset by giving our columns some titles. To do so, set Dataset.headers.

data.headers = ['First Name', 'Last Name']

Now our data looks a little different.

>>> data.dict
[{'Last Name': 'Reitz', 'First Name': 'Kenneth'}, {'Last Name': 'Monke', 'First Name': 'Bessie'}]

Adding Columns

Now that we have a basic Dataset in place, let’s add a column of ages to it.

data.append_col([22, 20], header='Age')

Let’s view the data now.

>>> data.dict
[{'Last Name': 'Reitz', 'First Name': 'Kenneth', 'Age': 22}, {'Last Name': 'Monke', 'First Name': 'Bessie', 'Age': 20}]

It’s that easy.

Exporting Data

Tablib’s killer feature is the ability to export your Dataset objects into a number of formats.

Comma-Separated Values

>>> data.csv
Last Name,First Name,Age
Reitz,Kenneth,22
Monke,Bessie,20

JavaScript Object Notation

>>> data.json
[{"Last Name": "Reitz", "First Name": "Kenneth", "Age": 22}, {"Last Name": "Monke", "First Name": "Bessie", "Age": 20}]

YAML Ain’t Markup Language

>>> data.yaml
- {Age: 22, First Name: Kenneth, Last Name: Reitz}
- {Age: 20, First Name: Bessie, Last Name: Monke}

Microsoft Excel

>>> data.xls
<censored binary data>

Selecting Rows & Columns

You can slice and dice your data, just like a standard Python list.

>>> data[0]
('Kenneth', 'Reitz', 22)

If we had a set of data consisting of thousands of rows, it could be useful to get a list of values in a column. To do so, we access the Dataset as if it were a standard Python dictionary.

>>> data['First Name']
['Kenneth', 'Bessie']

Let’s find the average age.

>>> ages = data['Age']
>>> float(sum(ages)) / len(ages)
21.0

Removing Rows & Columns

It’s easier than you could imagine:

>>> del data['Col Name']
>>> del data[0:12]

Advanced Usage

This part of the documentation services to give you an idea that are otherwise hard to extract from the API Documentation

And now for something completely different.

Dynamic Columns

New in version 0.8.3.

Thanks to Josh Ourisman, Tablib now supports adding dynamic columns. A dynamic column is a single callable object (ie. a function).

Let’s add a dynamic column to our Dataset object. In this example, we have a function that generates a random grade for our students.

import random

def random_grade(row):
    """Returns a random integer for entry."""
    return (random.randint(60,100)/100.0)

data.append_col(random_grade, header='Grade')

Let’s have a look at our data.

>>> data.yaml
- {Age: 22, First Name: Kenneth, Grade: 0.6, Last Name: Reitz}
- {Age: 20, First Name: Bessie, Grade: 0.75, Last Name: Monke}

Let’s remove that column.

>>> del data['Grade']

When you add a dynamic column, the first argument that is passed in to the given callable is the current data row. You can use this to perform calculations against your data row.

For example, we can use the data available in the row to guess the gender of a student.

def guess_gender(row):
    """Calculates gender of given student data row."""
    m_names = ('Kenneth', 'Mike', 'Yuri')
    f_names = ('Bessie', 'Samantha', 'Heather')

    name = row[0]

    if name in m_names:
        return 'Male'
    elif name in f_names:
        return 'Female'
    else:
        return 'Unknown'

Adding this function to our dataset as a dynamic column would result in:

>>> data.yaml
- {Age: 22, First Name: Kenneth, Gender: Male, Last Name: Reitz}
- {Age: 20, First Name: Bessie, Gender: Female, Last Name: Monke}

Filtering Datasets with Tags

New in version 0.9.0.

When constructing a Dataset object, you can add tags to rows by specifying the tags parameter. This allows you to filter your Dataset later. This can be useful so separate rows of data based on arbitrary criteria (e.g. origin) that you don’t want to include in your Dataset.

Let’s tag some students.

students = tablib.Dataset()

students.headers = ['first', 'last']

students.rpush(['Kenneth', 'Reitz'], tags=['male', 'technical'])
students.rpush(['Bessie', 'Monke'], tags=['female', 'creative'])

Now that we have extra meta-data on our rows, we can use easily filter our Dataset. Let’s just see Male students.

>>> students.filter(['male']).yaml
- {first: Kenneth, Last: Reitz}

It’s that simple. The original Dataset is untouched.

Excel Workbook With Multiple Sheets

When dealing with a large number of Datasets in spreadsheet format, it’s quite common to group multiple spreadsheets into a single Excel file, known as a Workbook. Tablib makes it extremely easy to build workbooks with the handy, Databook class.

Let’s say we have 3 different Datasets. All we have to do is add then to a Databook object...

book = tablib.Databook((data1, data2, data3))

... and export to Excel just like Datasets.

with open('students.xls', 'wb') as f:
    f.write(book.xls)

The resulting students.xls file will contain a separate spreadsheet for each Dataset object in the Databook.

Binary Warning

Make sure to open the output file in binary mode.

Separators

New in version 0.8.2.

When, it’s often useful to create a blank row containing information on the upcoming data. So,

daniel_tests = [
    ('11/24/09', 'Math 101 Mid-term Exam', 56.),
    ('05/24/10', 'Math 101 Final Exam', 62.)
]

suzie_tests = [
    ('11/24/09', 'Math 101 Mid-term Exam', 56.),
    ('05/24/10', 'Math 101 Final Exam', 62.)
]

# Create new dataset
tests = tablib.Dataset()
tests.headers = ['Date', 'Test Name', 'Grade']

# Daniel's Tests
tests.append_separator('Daniel\'s Scores')

for test_row in daniel_tests:
   tests.append(test_row)

# Susie's Tests
tests.append_separator('Susie\'s Scores')

for test_row in suzie_tests:
   tests.append(test_row)

# Write spreadsheet to disk
with open('grades.xls', 'wb') as f:
    f.write(tests.xls)

The resulting tests.xls will have the following layout:

Daniel’s Scores:
  • ‘11/24/09’, ‘Math 101 Mid-term Exam’, 56.
  • ‘05/24/10’, ‘Math 101 Final Exam’, 62.
Suzie’s Scores:
  • ‘11/24/09’, ‘Math 101 Mid-term Exam’, 56.
  • ‘05/24/10’, ‘Math 101 Final Exam’, 62.

Format Support

At this time, only Excel output supports separators.


Now, go check out the API Documentation or begin Tablib Development.

About Tablib

Tablib is an MIT Licensed format-agnostic tabular dataset library, written in Python. It allows you to import, export, and manipulate tabular data sets. Advanced features include, segregation, dynamic columns, tags & filtering, and seamless format import & export.

Table Of Contents

Related Topics

This Page

Fork me on GitHub