A look inside pandas design and development

Wes McKinney
Wes McKinneyDirector of Ursa Labs, Open Source Developer at Ursa Labs
A look inside pandas
design and development
          Wes McKinney
        Lambda Foundry, Inc.

            @wesmckinn

    NYC Python Meetup, 1/10/2012


                                   1
a.k.a. “Pragmatic Python
 for high performance
       data analysis”



                           2
a.k.a. “Rise of the pandas”



                              3
Me




     4
More like...




SPEED!!!

                          5
Or maybe... (j/k)




                    6
Me
• Mathematician at heart
• 3 years in the quant finance industry
• Last 2: statistics + freelance + open source
• My new company: Lambda Foundry
 • Building analytics and tools for finance
    and other domains


                                                 7
Me
• Blog: http://blog.wesmckinney.com
• GitHub: http://github.com/wesm
• Twitter: @wesmckinn
• Working on “Python for Data Analysis” for
  O’Reilly Media
• Giving PyCon tutorial on pandas (!)

                                              8
pandas?
• http://pandas.sf.net
• Swiss-army knife of (in-memory) data
  manipulation in Python

  • Like R’s data.frame on steroids
  • Excellent performance
  • Easy-to-use, highly consistent API
• A foundation for data analysis in Python
                                             9
pandas

• In heavy production use in the financial
  industry
• Generally much better performance than
  other open source alternatives (e.g. R)
• Hope: basis for the “next generation” data
  analytical environment in Python



                                               10
Simplifying data wrangling

• Data munging / preparation / cleaning /
  integration is slow, error prone, and time
  consuming
• Everyone already <3’s Python for data
  wrangling: pandas takes it to the next level




                                                 11
Explosive pandas growth
• Last 6 months: 240 files changed
  49428 insertions(+), 15358 deletions(-)

                          Cython-generated C removed




                                                       12
Rigorous unit testing
• Need to be able to trust your $1e3/e6/e9s
  to pandas
• > 98% line coverage as measured by
  coverage.py
• v0.3.0 (2/19/2011): 533 test functions
• v0.7.0 (1/09/2012): 1272 test functions

                                              13
Some development asides
• I get a lot of questions about my dev env
• Emacs + IPython FTW
• Indispensible development tools
 • pdb (and IPython-enhanced pdb)
 • pylint / pyflakes (integrated with Emacs)
 • nose
 • coverage.py
• grin, for searching code. >> ack/grep IMHO
                                               14
IPython
• Matthew Goodman: “If you are not using
  this tool, you are doing it wrong!”

• Tab completion, introspection, interactive
  debugger, command history

• Designed to enhance your productivity in
  every way. I can’t live without it

• IPython HTML notebook is a game changer
                                               15
Profiling and optimization
• %time, %timeit in IPython
• %prun, to profile a statement with cProfile
• %run -p to profile whole programs
• line_profiler module, for line-by-line timing
• Optimization: find right algorithm first.
  Cython-ize the bottlenecks (if need be)


                                                 16
Other things that matter
• Follow PEP8 religiously
 • Naming conventions, other code style
 • 80 character per line hard limit
• Test more than you think you need to, aim
  for 100% line coverage

• Avoid long functions (> 50 lines), refactor
  aggressively

                                                17
I’m serious about
  function length




 http://gist.github.com/1580880
                                  18
Don’t make a mess




        Uncle Bob

YouTube: “What killed Smalltalk could kill s/Ruby/Python, too”
                                                                 19
Other stuff
• Good keyboard




                       20
Other stuff
• Big monitors




                         21
Other stuff
• Ergonomic chair (good hacking posture)




                                           22
pandas DataFrame
•    Jack-of-trades tabular data structure
    In [10]: tips[:10]
    Out[10]:
        total_bill tip     sex      smoker   day   time     size
    1   16.99       1.01   Female   No       Sun   Dinner   2
    2   10.34       1.66   Male     No       Sun   Dinner   3
    3   21.01       3.50   Male     No       Sun   Dinner   3
    4   23.68       3.31   Male     No       Sun   Dinner   2
    5   24.59       3.61   Female   No       Sun   Dinner   4
    6   25.29       4.71   Male     No       Sun   Dinner   4
    7   8.770       2.00   Male     No       Sun   Dinner   2
    8   26.88       3.12   Male     No       Sun   Dinner   4
    9   15.04       1.96   Male     No       Sun   Dinner   2
    10 14.78        3.23   Male     No       Sun   Dinner   2


                                                                   23
DataFrame

• Heterogeneous columns
• Data alignment and axis indexing
• No-copy data selection (!)
• Agile reshaping
• Fast joining, merging, concatenation

                                         24
DataFrame
• Axis indexing enable rich data alignment,
  joins / merges, reshaping, selection, etc.

  day             Fri     Sat     Sun     Thur
  sex    smoker
  Female No       3.125   2.725   3.329   2.460
         Yes      2.683   2.869   3.500   2.990
  Male   No       2.500   3.257   3.115   2.942
         Yes      2.741   2.879   3.521   3.058




                                                  25
Let’s have a little fun

 To the IPython Notebook, Batman

http://ashleyw.co.uk/project/food-nutrient-database




                                                      26
Axis indexing, the special
 pandas-flavored sauce
• Enables “alignment-free” programming
• Prevents major source of data munging
  frustration and errors
• Fast (O(1) or O(log n)) selecting data
• Powerful way of describing reshape / join /
  merge / pivot-table operations


                                                27
Data alignment, join ops

• The brains live in the axis index
• Indexes know how to do set logic
• Join/align ops: produce “indexers”
 • Mapping between source/output
• Indexer passed to fast “take” function

                                           28
Index join example
left      right          joined     lidx     ridx
                               a    -1         0
 d
        a                      b     1         1
 b
   JOIN b                      c     2         2
 c
        c                      d     0        -1
 e
                               e     3        -1

left_values.take(lidx, axis)       reindexed data

                                                    29
Implementing index joins
• Completely irregular case: use hash tables
• Monotonic / increasing values
 • Faster specialized left/right/inner/outer
    join routines, especially for native types
    (int32/64, datetime64)
• Lookup hash table is persisted inside the
  Index object!


                                                 30
Um, hash table?
    left         joined   indexer




{ }
                   a        -1
d          0
                   b         1
b          1
               map c         2
c          2
                   d         0
e          3
                   e         3




                                    31
Hash tables
• Form the core of many critical pandas
  algorithms
 • unique (for set intersection / union)
 • “factor”ize
 • groupby
 • join / merge / align

                                           32
GroupBy, a brief
 algorithmic exploration
• Simple problem: compute group sums for a
  vector given group identifications
 labels values
   b      -1
                         unique       group
   b       3
                         labels       sums
    a      2
                            a           2
    a      3
                           b            4
   b       2
    a     -4
    a      1
                                              33
GroupBy: Algo #1

unique_labels = np.unique(labels)
results = np.empty(len(unique_labels))

for i, label in enumerate(unique_labels):
    results[i] = values[labels == label].sum()



    For all these examples, assume N data
         points and K unique groups


                                                 34
GroupBy: Algo #1, don’t do this

 unique_labels = np.unique(labels)
 results = np.empty(len(unique_labels))

 for i, label in enumerate(unique_labels):
     results[i] = values[labels == label].sum()


Some obvious problems
  • O(N * K) comparisons. Slow for large K
  • K passes through values
  • numpy.unique is pretty slow (more on this later)
                                                       35
GroupBy: Algo #2
Make this dict in O(N) (pseudocode)
   g_inds = {label : [i where labels[i] == label]}
Now
    for i, label in enumerate(unique_labels):
        indices = g_inds[label]
        label_values = values.take(indices)
        result[i] = label_values.sum()


 Pros: one pass through values. ~O(N) for N >> K
 Cons: g_inds can be built in O(N), but too many
 list/dict API calls, even using Cython

                                                     36
GroupBy: Algo #3, much faster
 • “Factorize” labels
  • Produce vectorto the unique observedK-1
     corresponding
                      of integers from 0, ...,
      values (use a hash table)
   result = np.zeros(k)
   for i, j in enumerate(factorized_labels):
       result[j] += values[i]

Pros: avoid expensive dict-of-lists creation. Avoid
numpy.unique and have option to not to sort the
unique labels, skipping O(K lg K) work
                                                      37
Speed comparisons
• Test case: 100,000 data points, 5,000 groups
 • Algo 3, don’t sort groups: 5.46 ms
 • Algo 3, sort groups: 10.6 ms
 • Algo 2: 155 ms (14.6x slower)
 • Algo 1: 10.49 seconds (990x slower)
• Algos 2/3 implemented in Cython
                                                 38
GroupBy


• Situation is significantly more complicated
  in the multi-key case.
• More on this later


                                               39
Algo 3, profiled
In [32]: %prun for _ in xrange(100) algo3_nosort()

cumtime   filename:lineno(function)
  0.592   <string>:1(<module>)
  0.584   groupby_ex.py:37(algo3_nosort)
  0.535   {method 'factorize' of DictFactorizer' objects}
  0.047   {pandas._tseries.group_add}
  0.002   numeric.py:65(zeros_like)
  0.001   {method 'fill' of 'numpy.ndarray' objects}
  0.000   {numpy.core.multiarray.empty_like}
  0.000   {numpy.core.multiarray.empty}


                     Curious
                                                        40
Slaves to algorithms

• Turns out that numpy.unique works by
  sorting, not a hash table. Thus O(N log N)
  versus O(N)
• Takes > 70% of the runtime of Algo #2
• Factorize is the new bottleneck, possible to
  go faster?!



                                                 41
Unique-ing faster
Basic algorithm using a dict, do this in Cython

        table = {}
        uniques = []
        for value in values:
            if value not in table:
                 table[value] = None # dummy
                 uniques.append(value)
        if sort:
            uniques.sort()

     Performance may depend on the number of
          unique groups (due to dict resizing)
                                                  42
Unique-ing faster




No Sort: at best ~70x faster, worst 6.5x faster
   Sort: at best ~70x faster, worst 1.7x faster
                                                  43
Remember




           44
Can we go faster?
• Python dictimplementations one of the best
  hash table
              is renowned as
                             anywhere
• But:
 • No abilityresizings
    arbitrary
              to preallocate, subject to

  • We don’t care about reference counting,
    throw away table once done
• Hm, what to do, what to do?
                                               45
Enter klib
• http://github.com/attractivechaos/klib
• Small, portable C data structures and
  algorithms
• khash: fast, memory-efficient hash table
• Hack a Cython interface (pxd file) and
  we’re in business



                                            46
khash Cython interface
cdef extern from "khash.h":
    ctypedef struct kh_pymap_t:
        khint_t n_buckets, size, n_occupied, upper_bound
        uint32_t *flags
        PyObject **keys
        Py_ssize_t *vals

    inline kh_pymap_t* kh_init_pymap()
    inline void kh_destroy_pymap(kh_pymap_t*)
    inline khint_t kh_get_pymap(kh_pymap_t*, PyObject*)
    inline khint_t kh_put_pymap(kh_pymap_t*, PyObject*, int*)
    inline void kh_clear_pymap(kh_pymap_t*)
    inline void kh_resize_pymap(kh_pymap_t*, khint_t)
    inline void kh_del_pymap(kh_pymap_t*, khint_t)
    bint kh_exist_pymap(kh_pymap_t*, khiter_t)


                                                                47
PyDict vs. khash unique




Conclusions: dict resizing makes a big impact
                                                48
Use strcmp in C




                  49
Gloves come off
             with int64




PyObject* boxing / PyRichCompare obvious culprit
                                                   50
Some NumPy-fu
• Think about the sorted factorize algorithm
 • Want to compute sorted unique labels
 • Also compute integer ids relative to the
    unique values, without making 2 passes
    through a hash table!

    sorter = uniques.argsort()
    reverse_indexer = np.empty(len(sorter))
    reverse_indexer.put(sorter, np.arange(len(sorter)))

    labels = reverse_indexer.take(labels)


                                                          51
Aside, for the R community
• R’s factor function is suboptimal
• Makes two hash table passes
 • unique          uniquify and sort
 • match           ids relative to unique labels
• This is highly fixable
• R’s integer unique is about 40% slower than
  my khash_int64 unique

                                                   52
Multi-key GroupBy
• Significantly more complicated because the
  number of possible key combinations may
  be very large
• Example, group by two sets of labels
 • 1000 unique values in each
 • “Key space”: 1,000,000, even though
    observed key pairs may be small


                                              53
Multi-key GroupBy
Simplified Algorithm
  id1, count1 = factorize(label1)
  id2, count2 = factorize(label2)
  group_id = id1 * count2 + id2
  nobs = count1 * count2

  if nobs > LARGE_NUMBER:
      group_id, nobs = factorize(group_id)

  result = group_add(data, group_id, nobs)




                                             54
Multi-GroupBy
• Pathological, but realistic example
• 50,000 values, 1e4 unique keys x 2, key
  space 1e8
• Compress key space: 9.2 ms
• Don’t compress: 1.2s (!)
• I actually discovered this problem while
  writing this talk (!!)


                                             55
Speaking of performance
• Testing the correctness of code is easy:
  write unit tests
• How to systematically test performance?
• Need to catch performance regressions
• Being mildly performance obsessed, I got
  very tired of playing performance whack-a-
  mole with pandas


                                               56
vbench project
• http://github.com/wesm/vbench
• Run benchmarks for each version of your
  codebase
• vbench checks out each revision of your
  codebase, builds it, and runs all the
  benchmarks you define
• Results stored in a SQLite database
• Only works with git right now
                                            57
vbench
join_dataframe_index_single_key_bigger = 
    Benchmark("df.join(df_key2, on='key2')", setup,
              name='join_dataframe_index_single_key_bigger')




                                                               58
vbench
stmt3 = "df.groupby(['key1', 'key2']).sum()"
groupby_multi_cython = Benchmark(stmt3, setup,
                                 name="groupby_multi_cython",
                                 start_date=datetime(2011, 7, 1))




                                                                    59
Fast database joins
• Problem: SQL-compatible left, right, inner,
  outer joins
• Row duplication
• Join on index and / or join on columns
• Sorting vs. not sorting
• Algorithmically closely related to groupby
  etc.


                                                60
Row duplication
  left         right         outer join
key lvalue   key rvalue   key lvalue rvalue
foo   1      foo    5     foo    1     5
foo   2      foo    6     foo    1     6
bar   3      bar    7     foo    2     5
baz   4      qux    8     foo    2     6
                          bar    3     7
                          baz    4    NA
                          qux   NA     8

                                              61
Join indexers
  left         right         outer join
key lvalue   key rvalue   key lidx ridx
foo   1      foo    5     foo    0    0
foo   2      foo    6     foo    0    1
bar   3      bar    7     foo    1    0
baz   4      qux    8     foo    1    1
                          bar    2    2
                          baz    3   -1
                          qux   -1    3

                                          62
Join indexers
    left         right         outer join
  key lvalue   key rvalue   key lidx ridx
  foo   1      foo    5     foo    0    0
  foo   2      foo    6     foo    0    1
  bar   3      bar    7     foo    1    0
  baz   4      qux    8     foo    1    1
                            bar    2    2
                            baz    3   -1
Problem: factorized keys    qux   -1    3
   need to be sorted!
                                            63
An algorithmic observation

• If N values are known to be from the range
  0 through K - 1, can be sorted in O(N)
• Variant of counting sort
• For our purposes, only compute the
  sorting indexer (argsort)



                                               64
Winning join algorithm
                                 sort keys   don’t sort keys
   Factorize keys columns
                                O(K log K) or O(N)
     Compute / compress
       group indexes                  O(N)       (refactorize)


   "Sort" by group indexes
                                      O(N)      (counting sort)


    Compute left / right join
   indexers for join method      O(N_output)
   Remap indexers relative
   to original row ordering      O(N_output)

                                 O(N_output)        (this step is actually
   Move data efficiently into
     output DataFrame                                 fairly nontrivial)

                                                                             65
“You’re like CLR, I’m like CLRS”
                    - “Kill Dash Nine”, by Monzy




                                                   66
Join test case

• Left:pairs rows, 2 key columns, 8k unique
  key
        80k

• Right: 8k rows, 2 key columns, 8k unique
  key pairs
• 6k matching key pairs between the tables,
  many-to-one join
• One column of numerical values in each
                                              67
Join test case

• Many-to-many case: stack right DataFrame
  on top of itself to yield 16k rows, 2 rows
  for each key pair
• Aside: sorting the pesky O(K log K)), not
  the runtime (that
                     unique keys dominates

  included in these benchmarks



                                               68
Quick, algebra!

     Many-to-one             Many-to-many
• Left join: 80k rows    • Left join: 140k rows
• Right join: 62k rows   • Right join: 124k rows
• Inner join: 60k rows   • Inner join: 120k rows
• Outer join: 82k rows   • Outer join: 144k rows

                                                   69
Results vs. some R packages




        * relative timings
                              70
Results vs SQLite3
         Absolute timings




      * outer is LEFT   OUTER   in SQLite3

 Note: In SQLite3 doing something like




                                             71
DataFrame sort by columns
• Applied same ideas / tools to “sort by
  multiple columns op” yesterday




                                           72
The bottom line
• Just a flavor: pretty much all of pandas has
  seen the same level of design effort and
  performance scrutiny
• Make sure whoever implemented your data
  structures and algorithms care about
  performance. A lot.
• Python has amazingly powerful and
  productive tools for implementation work


                                                73
Thanks!

• Follow me on Twitter: @wesmckinn
• Blog: http://blog.wesmckinney.com
• Exciting Python things ahead in 2012


                                         74
1 of 74

Recommended

New Directions for Apache Arrow by
New Directions for Apache ArrowNew Directions for Apache Arrow
New Directions for Apache ArrowWes McKinney
1.9K views27 slides
Real-Time Spark: From Interactive Queries to Streaming by
Real-Time Spark: From Interactive Queries to StreamingReal-Time Spark: From Interactive Queries to Streaming
Real-Time Spark: From Interactive Queries to StreamingDatabricks
5.2K views39 slides
競技プログラミングで便利な外部ツールを大量紹介 by
競技プログラミングで便利な外部ツールを大量紹介競技プログラミングで便利な外部ツールを大量紹介
競技プログラミングで便利な外部ツールを大量紹介xryuseix
462 views20 slides
WAND Top-k Retrieval by
WAND Top-k RetrievalWAND Top-k Retrieval
WAND Top-k RetrievalAndrew Zhang
4.2K views47 slides
Promises, Promises by
Promises, PromisesPromises, Promises
Promises, PromisesDomenic Denicola
22.9K views49 slides
Data engineering zoomcamp introduction by
Data engineering zoomcamp  introductionData engineering zoomcamp  introduction
Data engineering zoomcamp introductionAlexey Grigorev
17.2K views32 slides

More Related Content

What's hot

Optimizing Apache Spark UDFs by
Optimizing Apache Spark UDFsOptimizing Apache Spark UDFs
Optimizing Apache Spark UDFsDatabricks
804 views28 slides
Spark Summit EU talk by Ted Malaska by
Spark Summit EU talk by Ted MalaskaSpark Summit EU talk by Ted Malaska
Spark Summit EU talk by Ted MalaskaSpark Summit
8.8K views34 slides
Introduction to DataFusion An Embeddable Query Engine Written in Rust by
Introduction to DataFusion  An Embeddable Query Engine Written in RustIntroduction to DataFusion  An Embeddable Query Engine Written in Rust
Introduction to DataFusion An Embeddable Query Engine Written in RustAndrew Lamb
411 views50 slides
#7 formal methods – loop proof examples by
#7 formal methods – loop proof   examples#7 formal methods – loop proof   examples
#7 formal methods – loop proof examplesSharif Omar Salem
1.2K views12 slides
Clean Code: Chapter 3 Function by
Clean Code: Chapter 3 FunctionClean Code: Chapter 3 Function
Clean Code: Chapter 3 FunctionKent Huang
5.4K views25 slides
kyotolisp#1 LT3 美しいLispの書き方 (1) by
kyotolisp#1 LT3 美しいLispの書き方 (1)kyotolisp#1 LT3 美しいLispの書き方 (1)
kyotolisp#1 LT3 美しいLispの書き方 (1)hayato_hashimoto
6.6K views22 slides

What's hot(20)

Optimizing Apache Spark UDFs by Databricks
Optimizing Apache Spark UDFsOptimizing Apache Spark UDFs
Optimizing Apache Spark UDFs
Databricks804 views
Spark Summit EU talk by Ted Malaska by Spark Summit
Spark Summit EU talk by Ted MalaskaSpark Summit EU talk by Ted Malaska
Spark Summit EU talk by Ted Malaska
Spark Summit8.8K views
Introduction to DataFusion An Embeddable Query Engine Written in Rust by Andrew Lamb
Introduction to DataFusion  An Embeddable Query Engine Written in RustIntroduction to DataFusion  An Embeddable Query Engine Written in Rust
Introduction to DataFusion An Embeddable Query Engine Written in Rust
Andrew Lamb411 views
#7 formal methods – loop proof examples by Sharif Omar Salem
#7 formal methods – loop proof   examples#7 formal methods – loop proof   examples
#7 formal methods – loop proof examples
Sharif Omar Salem1.2K views
Clean Code: Chapter 3 Function by Kent Huang
Clean Code: Chapter 3 FunctionClean Code: Chapter 3 Function
Clean Code: Chapter 3 Function
Kent Huang5.4K views
kyotolisp#1 LT3 美しいLispの書き方 (1) by hayato_hashimoto
kyotolisp#1 LT3 美しいLispの書き方 (1)kyotolisp#1 LT3 美しいLispの書き方 (1)
kyotolisp#1 LT3 美しいLispの書き方 (1)
hayato_hashimoto6.6K views
Scalable Monitoring Using Apache Spark and Friends with Utkarsh Bhatnagar by Databricks
Scalable Monitoring Using Apache Spark and Friends with Utkarsh BhatnagarScalable Monitoring Using Apache Spark and Friends with Utkarsh Bhatnagar
Scalable Monitoring Using Apache Spark and Friends with Utkarsh Bhatnagar
Databricks2.2K views
A Deep Dive into Query Execution Engine of Spark SQL by Databricks
A Deep Dive into Query Execution Engine of Spark SQLA Deep Dive into Query Execution Engine of Spark SQL
A Deep Dive into Query Execution Engine of Spark SQL
Databricks6.6K views
Ch03 Mining Massive Data Sets stanford by Sakthivel C R
Ch03 Mining Massive Data Sets  stanfordCh03 Mining Massive Data Sets  stanford
Ch03 Mining Massive Data Sets stanford
Sakthivel C R261 views
Architecting Agile Data Applications for Scale by Databricks
Architecting Agile Data Applications for ScaleArchitecting Agile Data Applications for Scale
Architecting Agile Data Applications for Scale
Databricks424 views
pandas: Powerful data analysis tools for Python by Wes McKinney
pandas: Powerful data analysis tools for Pythonpandas: Powerful data analysis tools for Python
pandas: Powerful data analysis tools for Python
Wes McKinney9.8K views
Spark Autotuning Talk - Strata New York by Holden Karau
Spark Autotuning Talk - Strata New YorkSpark Autotuning Talk - Strata New York
Spark Autotuning Talk - Strata New York
Holden Karau1.2K views
Photon Technical Deep Dive: How to Think Vectorized by Databricks
Photon Technical Deep Dive: How to Think VectorizedPhoton Technical Deep Dive: How to Think Vectorized
Photon Technical Deep Dive: How to Think Vectorized
Databricks1.4K views
Recommendation Systems in banking and Financial Services by Andrea Gigli
Recommendation Systems in banking and Financial ServicesRecommendation Systems in banking and Financial Services
Recommendation Systems in banking and Financial Services
Andrea Gigli7.2K views
Netflix's Recommendation ML Pipeline Using Apache Spark: Spark Summit East ta... by Spark Summit
Netflix's Recommendation ML Pipeline Using Apache Spark: Spark Summit East ta...Netflix's Recommendation ML Pipeline Using Apache Spark: Spark Summit East ta...
Netflix's Recommendation ML Pipeline Using Apache Spark: Spark Summit East ta...
Spark Summit4.7K views
Learn 90% of Python in 90 Minutes by Matt Harrison
Learn 90% of Python in 90 MinutesLearn 90% of Python in 90 Minutes
Learn 90% of Python in 90 Minutes
Matt Harrison319.7K views
Tuning Apache Kafka Connectors for Flink.pptx by Flink Forward
Tuning Apache Kafka Connectors for Flink.pptxTuning Apache Kafka Connectors for Flink.pptx
Tuning Apache Kafka Connectors for Flink.pptx
Flink Forward426 views

Viewers also liked

Python for Financial Data Analysis with pandas by
Python for Financial Data Analysis with pandasPython for Financial Data Analysis with pandas
Python for Financial Data Analysis with pandasWes McKinney
61.8K views22 slides
Python Data Wrangling: Preparing for the Future by
Python Data Wrangling: Preparing for the FuturePython Data Wrangling: Preparing for the Future
Python Data Wrangling: Preparing for the FutureWes McKinney
12.5K views27 slides
pandas: a Foundational Python Library for Data Analysis and Statistics by
pandas: a Foundational Python Library for Data Analysis and Statisticspandas: a Foundational Python Library for Data Analysis and Statistics
pandas: a Foundational Python Library for Data Analysis and StatisticsWes McKinney
60.7K views25 slides
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P... by
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...Wes McKinney
103.9K views48 slides
vbench: lightweight performance testing for Python by
vbench: lightweight performance testing for Pythonvbench: lightweight performance testing for Python
vbench: lightweight performance testing for PythonWes McKinney
12.6K views15 slides
Memory Pools for C and C++ by
Memory Pools for C and C++Memory Pools for C and C++
Memory Pools for C and C++Pathfinder Solutions
1.3K views26 slides

Viewers also liked(20)

Python for Financial Data Analysis with pandas by Wes McKinney
Python for Financial Data Analysis with pandasPython for Financial Data Analysis with pandas
Python for Financial Data Analysis with pandas
Wes McKinney61.8K views
Python Data Wrangling: Preparing for the Future by Wes McKinney
Python Data Wrangling: Preparing for the FuturePython Data Wrangling: Preparing for the Future
Python Data Wrangling: Preparing for the Future
Wes McKinney12.5K views
pandas: a Foundational Python Library for Data Analysis and Statistics by Wes McKinney
pandas: a Foundational Python Library for Data Analysis and Statisticspandas: a Foundational Python Library for Data Analysis and Statistics
pandas: a Foundational Python Library for Data Analysis and Statistics
Wes McKinney60.7K views
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P... by Wes McKinney
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...
Practical Medium Data Analytics with Python (10 Things I Hate About pandas, P...
Wes McKinney103.9K views
vbench: lightweight performance testing for Python by Wes McKinney
vbench: lightweight performance testing for Pythonvbench: lightweight performance testing for Python
vbench: lightweight performance testing for Python
Wes McKinney12.6K views
What's new in pandas and the SciPy stack for financial users by Wes McKinney
What's new in pandas and the SciPy stack for financial usersWhat's new in pandas and the SciPy stack for financial users
What's new in pandas and the SciPy stack for financial users
Wes McKinney11.8K views
Ibis: Scaling the Python Data Experience by Wes McKinney
Ibis: Scaling the Python Data ExperienceIbis: Scaling the Python Data Experience
Ibis: Scaling the Python Data Experience
Wes McKinney3.8K views
Structured Data Challenges in Finance and Statistics by Wes McKinney
Structured Data Challenges in Finance and StatisticsStructured Data Challenges in Finance and Statistics
Structured Data Challenges in Finance and Statistics
Wes McKinney5.3K views
My Data Journey with Python (SciPy 2015 Keynote) by Wes McKinney
My Data Journey with Python (SciPy 2015 Keynote)My Data Journey with Python (SciPy 2015 Keynote)
My Data Journey with Python (SciPy 2015 Keynote)
Wes McKinney7.4K views
DataFrames: The Good, Bad, and Ugly by Wes McKinney
DataFrames: The Good, Bad, and UglyDataFrames: The Good, Bad, and Ugly
DataFrames: The Good, Bad, and Ugly
Wes McKinney12.9K views
Data pipelines from zero to solid by Lars Albertsson
Data pipelines from zero to solidData pipelines from zero to solid
Data pipelines from zero to solid
Lars Albertsson10.7K views
DataFrames: The Extended Cut by Wes McKinney
DataFrames: The Extended CutDataFrames: The Extended Cut
DataFrames: The Extended Cut
Wes McKinney8.5K views
Luigi presentation NYC Data Science by Erik Bernhardsson
Luigi presentation NYC Data ScienceLuigi presentation NYC Data Science
Luigi presentation NYC Data Science
Erik Bernhardsson60.4K views
(BDT318) How Netflix Handles Up To 8 Million Events Per Second by Amazon Web Services
(BDT318) How Netflix Handles Up To 8 Million Events Per Second(BDT318) How Netflix Handles Up To 8 Million Events Per Second
(BDT318) How Netflix Handles Up To 8 Million Events Per Second
Amazon Web Services79.1K views
Data Analytics with Pandas and Numpy - Python by Chetan Khatri
Data Analytics with Pandas and Numpy - PythonData Analytics with Pandas and Numpy - Python
Data Analytics with Pandas and Numpy - Python
Chetan Khatri1.3K views
A Beginner's Guide to Building Data Pipelines with Luigi by Growth Intelligence
A Beginner's Guide to Building Data Pipelines with LuigiA Beginner's Guide to Building Data Pipelines with Luigi
A Beginner's Guide to Building Data Pipelines with Luigi
Data Analysis and Statistics in Python using pandas and statsmodels by Wes McKinney
Data Analysis and Statistics in Python using pandas and statsmodelsData Analysis and Statistics in Python using pandas and statsmodels
Data Analysis and Statistics in Python using pandas and statsmodels
Wes McKinney19.8K views
Python Data Ecosystem: Thoughts on Building for the Future by Wes McKinney
Python Data Ecosystem: Thoughts on Building for the FuturePython Data Ecosystem: Thoughts on Building for the Future
Python Data Ecosystem: Thoughts on Building for the Future
Wes McKinney5.4K views

Similar to A look inside pandas design and development

7 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019 by
7 Database Mistakes YOU Are Making -- Linuxfest Northwest 20197 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019
7 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019Dave Stokes
324 views47 slides
Migrating from matlab to python by
Migrating from matlab to pythonMigrating from matlab to python
Migrating from matlab to pythonActiveState
1.2K views57 slides
Big Data Analytics: Finding diamonds in the rough with Azure by
Big Data Analytics: Finding diamonds in the rough with AzureBig Data Analytics: Finding diamonds in the rough with Azure
Big Data Analytics: Finding diamonds in the rough with AzureChristos Charmatzis
72 views25 slides
Data Science meets Software Development by
Data Science meets Software DevelopmentData Science meets Software Development
Data Science meets Software DevelopmentAlexis Seigneurin
1.1K views60 slides
Continuum Analytics and Python by
Continuum Analytics and PythonContinuum Analytics and Python
Continuum Analytics and PythonTravis Oliphant
4.7K views94 slides
[DBA]_HiramFleitas_SQL_PASS_Summit_2017_Summary by
[DBA]_HiramFleitas_SQL_PASS_Summit_2017_Summary[DBA]_HiramFleitas_SQL_PASS_Summit_2017_Summary
[DBA]_HiramFleitas_SQL_PASS_Summit_2017_SummaryHiram Fleitas León
315 views132 slides

Similar to A look inside pandas design and development(20)

7 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019 by Dave Stokes
7 Database Mistakes YOU Are Making -- Linuxfest Northwest 20197 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019
7 Database Mistakes YOU Are Making -- Linuxfest Northwest 2019
Dave Stokes324 views
Migrating from matlab to python by ActiveState
Migrating from matlab to pythonMigrating from matlab to python
Migrating from matlab to python
ActiveState1.2K views
Big Data Analytics: Finding diamonds in the rough with Azure by Christos Charmatzis
Big Data Analytics: Finding diamonds in the rough with AzureBig Data Analytics: Finding diamonds in the rough with Azure
Big Data Analytics: Finding diamonds in the rough with Azure
Data Science meets Software Development by Alexis Seigneurin
Data Science meets Software DevelopmentData Science meets Software Development
Data Science meets Software Development
Alexis Seigneurin1.1K views
Continuum Analytics and Python by Travis Oliphant
Continuum Analytics and PythonContinuum Analytics and Python
Continuum Analytics and Python
Travis Oliphant4.7K views
Data Modeling, Normalization, and De-Normalization | PostgresOpen 2019 | Dimi... by Citus Data
Data Modeling, Normalization, and De-Normalization | PostgresOpen 2019 | Dimi...Data Modeling, Normalization, and De-Normalization | PostgresOpen 2019 | Dimi...
Data Modeling, Normalization, and De-Normalization | PostgresOpen 2019 | Dimi...
Citus Data227 views
Introduction to Big Data by Albert Bifet
Introduction to Big DataIntroduction to Big Data
Introduction to Big Data
Albert Bifet1.5K views
Probabilistic Data Structures (Edmonton Data Science Meetup, March 2018) by Kyle Davis
Probabilistic Data Structures (Edmonton Data Science Meetup, March 2018)Probabilistic Data Structures (Edmonton Data Science Meetup, March 2018)
Probabilistic Data Structures (Edmonton Data Science Meetup, March 2018)
Kyle Davis103 views
Clean code, Feb 2012 by cobyst
Clean code, Feb 2012Clean code, Feb 2012
Clean code, Feb 2012
cobyst1.3K views
Sean Kandel - Data profiling: Assessing the overall content and quality of a ... by huguk
Sean Kandel - Data profiling: Assessing the overall content and quality of a ...Sean Kandel - Data profiling: Assessing the overall content and quality of a ...
Sean Kandel - Data profiling: Assessing the overall content and quality of a ...
huguk1.2K views
DutchMLSchool. Automating Decision Making by BigML, Inc
DutchMLSchool. Automating Decision MakingDutchMLSchool. Automating Decision Making
DutchMLSchool. Automating Decision Making
BigML, Inc267 views
New Capabilities in the PyData Ecosystem by Turi, Inc.
New Capabilities in the PyData EcosystemNew Capabilities in the PyData Ecosystem
New Capabilities in the PyData Ecosystem
Turi, Inc.1.1K views
Data Modeling, Normalization, and Denormalisation | FOSDEM '19 | Dimitri Font... by Citus Data
Data Modeling, Normalization, and Denormalisation | FOSDEM '19 | Dimitri Font...Data Modeling, Normalization, and Denormalisation | FOSDEM '19 | Dimitri Font...
Data Modeling, Normalization, and Denormalisation | FOSDEM '19 | Dimitri Font...
Citus Data134 views
Code Review for Teams Too Busy to Review Code - Atlassian Summit 2010 by Atlassian
Code Review for Teams Too Busy to Review Code - Atlassian Summit 2010Code Review for Teams Too Busy to Review Code - Atlassian Summit 2010
Code Review for Teams Too Busy to Review Code - Atlassian Summit 2010
Atlassian2.8K views
Data oriented design and c++ by Mike Acton
Data oriented design and c++Data oriented design and c++
Data oriented design and c++
Mike Acton33.6K views

More from Wes McKinney

Solving Enterprise Data Challenges with Apache Arrow by
Solving Enterprise Data Challenges with Apache ArrowSolving Enterprise Data Challenges with Apache Arrow
Solving Enterprise Data Challenges with Apache ArrowWes McKinney
1.1K views31 slides
Apache Arrow: Open Source Standard Becomes an Enterprise Necessity by
Apache Arrow: Open Source Standard Becomes an Enterprise NecessityApache Arrow: Open Source Standard Becomes an Enterprise Necessity
Apache Arrow: Open Source Standard Becomes an Enterprise NecessityWes McKinney
1.1K views26 slides
Apache Arrow: High Performance Columnar Data Framework by
Apache Arrow: High Performance Columnar Data FrameworkApache Arrow: High Performance Columnar Data Framework
Apache Arrow: High Performance Columnar Data FrameworkWes McKinney
1.4K views53 slides
Apache Arrow Flight: A New Gold Standard for Data Transport by
Apache Arrow Flight: A New Gold Standard for Data TransportApache Arrow Flight: A New Gold Standard for Data Transport
Apache Arrow Flight: A New Gold Standard for Data TransportWes McKinney
2.2K views31 slides
ACM TechTalks : Apache Arrow and the Future of Data Frames by
ACM TechTalks : Apache Arrow and the Future of Data FramesACM TechTalks : Apache Arrow and the Future of Data Frames
ACM TechTalks : Apache Arrow and the Future of Data FramesWes McKinney
2K views47 slides
Apache Arrow: Present and Future @ ScaledML 2020 by
Apache Arrow: Present and Future @ ScaledML 2020Apache Arrow: Present and Future @ ScaledML 2020
Apache Arrow: Present and Future @ ScaledML 2020Wes McKinney
970 views36 slides

More from Wes McKinney(20)

Solving Enterprise Data Challenges with Apache Arrow by Wes McKinney
Solving Enterprise Data Challenges with Apache ArrowSolving Enterprise Data Challenges with Apache Arrow
Solving Enterprise Data Challenges with Apache Arrow
Wes McKinney1.1K views
Apache Arrow: Open Source Standard Becomes an Enterprise Necessity by Wes McKinney
Apache Arrow: Open Source Standard Becomes an Enterprise NecessityApache Arrow: Open Source Standard Becomes an Enterprise Necessity
Apache Arrow: Open Source Standard Becomes an Enterprise Necessity
Wes McKinney1.1K views
Apache Arrow: High Performance Columnar Data Framework by Wes McKinney
Apache Arrow: High Performance Columnar Data FrameworkApache Arrow: High Performance Columnar Data Framework
Apache Arrow: High Performance Columnar Data Framework
Wes McKinney1.4K views
Apache Arrow Flight: A New Gold Standard for Data Transport by Wes McKinney
Apache Arrow Flight: A New Gold Standard for Data TransportApache Arrow Flight: A New Gold Standard for Data Transport
Apache Arrow Flight: A New Gold Standard for Data Transport
Wes McKinney2.2K views
ACM TechTalks : Apache Arrow and the Future of Data Frames by Wes McKinney
ACM TechTalks : Apache Arrow and the Future of Data FramesACM TechTalks : Apache Arrow and the Future of Data Frames
ACM TechTalks : Apache Arrow and the Future of Data Frames
Wes McKinney2K views
Apache Arrow: Present and Future @ ScaledML 2020 by Wes McKinney
Apache Arrow: Present and Future @ ScaledML 2020Apache Arrow: Present and Future @ ScaledML 2020
Apache Arrow: Present and Future @ ScaledML 2020
Wes McKinney970 views
PyCon Colombia 2020 Python for Data Analysis: Past, Present, and Future by Wes McKinney
PyCon Colombia 2020 Python for Data Analysis: Past, Present, and Future PyCon Colombia 2020 Python for Data Analysis: Past, Present, and Future
PyCon Colombia 2020 Python for Data Analysis: Past, Present, and Future
Wes McKinney2.1K views
Apache Arrow: Leveling Up the Analytics Stack by Wes McKinney
Apache Arrow: Leveling Up the Analytics StackApache Arrow: Leveling Up the Analytics Stack
Apache Arrow: Leveling Up the Analytics Stack
Wes McKinney1.4K views
Apache Arrow Workshop at VLDB 2019 / BOSS Session by Wes McKinney
Apache Arrow Workshop at VLDB 2019 / BOSS SessionApache Arrow Workshop at VLDB 2019 / BOSS Session
Apache Arrow Workshop at VLDB 2019 / BOSS Session
Wes McKinney2.5K views
Apache Arrow: Leveling Up the Data Science Stack by Wes McKinney
Apache Arrow: Leveling Up the Data Science StackApache Arrow: Leveling Up the Data Science Stack
Apache Arrow: Leveling Up the Data Science Stack
Wes McKinney3.5K views
Ursa Labs and Apache Arrow in 2019 by Wes McKinney
Ursa Labs and Apache Arrow in 2019Ursa Labs and Apache Arrow in 2019
Ursa Labs and Apache Arrow in 2019
Wes McKinney4.2K views
PyCon.DE / PyData Karlsruhe keynote: "Looking backward, looking forward" by Wes McKinney
PyCon.DE / PyData Karlsruhe keynote: "Looking backward, looking forward"PyCon.DE / PyData Karlsruhe keynote: "Looking backward, looking forward"
PyCon.DE / PyData Karlsruhe keynote: "Looking backward, looking forward"
Wes McKinney1.1K views
Apache Arrow at DataEngConf Barcelona 2018 by Wes McKinney
Apache Arrow at DataEngConf Barcelona 2018Apache Arrow at DataEngConf Barcelona 2018
Apache Arrow at DataEngConf Barcelona 2018
Wes McKinney2K views
Apache Arrow: Cross-language Development Platform for In-memory Data by Wes McKinney
Apache Arrow: Cross-language Development Platform for In-memory DataApache Arrow: Cross-language Development Platform for In-memory Data
Apache Arrow: Cross-language Development Platform for In-memory Data
Wes McKinney6.6K views
Apache Arrow -- Cross-language development platform for in-memory data by Wes McKinney
Apache Arrow -- Cross-language development platform for in-memory dataApache Arrow -- Cross-language development platform for in-memory data
Apache Arrow -- Cross-language development platform for in-memory data
Wes McKinney2.9K views
Shared Infrastructure for Data Science by Wes McKinney
Shared Infrastructure for Data ScienceShared Infrastructure for Data Science
Shared Infrastructure for Data Science
Wes McKinney8.5K views
Data Science Without Borders (JupyterCon 2017) by Wes McKinney
Data Science Without Borders (JupyterCon 2017)Data Science Without Borders (JupyterCon 2017)
Data Science Without Borders (JupyterCon 2017)
Wes McKinney6.2K views
Memory Interoperability in Analytics and Machine Learning by Wes McKinney
Memory Interoperability in Analytics and Machine LearningMemory Interoperability in Analytics and Machine Learning
Memory Interoperability in Analytics and Machine Learning
Wes McKinney5.6K views
Raising the Tides: Open Source Analytics for Data Science by Wes McKinney
Raising the Tides: Open Source Analytics for Data ScienceRaising the Tides: Open Source Analytics for Data Science
Raising the Tides: Open Source Analytics for Data Science
Wes McKinney3.2K views
Improving Python and Spark (PySpark) Performance and Interoperability by Wes McKinney
Improving Python and Spark (PySpark) Performance and InteroperabilityImproving Python and Spark (PySpark) Performance and Interoperability
Improving Python and Spark (PySpark) Performance and Interoperability
Wes McKinney19.8K views

Recently uploaded

Igniting Next Level Productivity with AI-Infused Data Integration Workflows by
Igniting Next Level Productivity with AI-Infused Data Integration Workflows Igniting Next Level Productivity with AI-Infused Data Integration Workflows
Igniting Next Level Productivity with AI-Infused Data Integration Workflows Safe Software
257 views86 slides
Microsoft Power Platform.pptx by
Microsoft Power Platform.pptxMicrosoft Power Platform.pptx
Microsoft Power Platform.pptxUni Systems S.M.S.A.
52 views38 slides
Uni Systems for Power Platform.pptx by
Uni Systems for Power Platform.pptxUni Systems for Power Platform.pptx
Uni Systems for Power Platform.pptxUni Systems S.M.S.A.
55 views21 slides
Melek BEN MAHMOUD.pdf by
Melek BEN MAHMOUD.pdfMelek BEN MAHMOUD.pdf
Melek BEN MAHMOUD.pdfMelekBenMahmoud
14 views1 slide
AMAZON PRODUCT RESEARCH.pdf by
AMAZON PRODUCT RESEARCH.pdfAMAZON PRODUCT RESEARCH.pdf
AMAZON PRODUCT RESEARCH.pdfJerikkLaureta
19 views13 slides
Kyo - Functional Scala 2023.pdf by
Kyo - Functional Scala 2023.pdfKyo - Functional Scala 2023.pdf
Kyo - Functional Scala 2023.pdfFlavio W. Brasil
298 views92 slides

Recently uploaded(20)

Igniting Next Level Productivity with AI-Infused Data Integration Workflows by Safe Software
Igniting Next Level Productivity with AI-Infused Data Integration Workflows Igniting Next Level Productivity with AI-Infused Data Integration Workflows
Igniting Next Level Productivity with AI-Infused Data Integration Workflows
Safe Software257 views
AMAZON PRODUCT RESEARCH.pdf by JerikkLaureta
AMAZON PRODUCT RESEARCH.pdfAMAZON PRODUCT RESEARCH.pdf
AMAZON PRODUCT RESEARCH.pdf
JerikkLaureta19 views
Attacking IoT Devices from a Web Perspective - Linux Day by Simone Onofri
Attacking IoT Devices from a Web Perspective - Linux Day Attacking IoT Devices from a Web Perspective - Linux Day
Attacking IoT Devices from a Web Perspective - Linux Day
Simone Onofri15 views
PharoJS - Zürich Smalltalk Group Meetup November 2023 by Noury Bouraqadi
PharoJS - Zürich Smalltalk Group Meetup November 2023PharoJS - Zürich Smalltalk Group Meetup November 2023
PharoJS - Zürich Smalltalk Group Meetup November 2023
Noury Bouraqadi126 views
The details of description: Techniques, tips, and tangents on alternative tex... by BookNet Canada
The details of description: Techniques, tips, and tangents on alternative tex...The details of description: Techniques, tips, and tangents on alternative tex...
The details of description: Techniques, tips, and tangents on alternative tex...
BookNet Canada126 views
Piloting & Scaling Successfully With Microsoft Viva by Richard Harbridge
Piloting & Scaling Successfully With Microsoft VivaPiloting & Scaling Successfully With Microsoft Viva
Piloting & Scaling Successfully With Microsoft Viva
HTTP headers that make your website go faster - devs.gent November 2023 by Thijs Feryn
HTTP headers that make your website go faster - devs.gent November 2023HTTP headers that make your website go faster - devs.gent November 2023
HTTP headers that make your website go faster - devs.gent November 2023
Thijs Feryn21 views
Transcript: The Details of Description Techniques tips and tangents on altern... by BookNet Canada
Transcript: The Details of Description Techniques tips and tangents on altern...Transcript: The Details of Description Techniques tips and tangents on altern...
Transcript: The Details of Description Techniques tips and tangents on altern...
BookNet Canada135 views
Case Study Copenhagen Energy and Business Central.pdf by Aitana
Case Study Copenhagen Energy and Business Central.pdfCase Study Copenhagen Energy and Business Central.pdf
Case Study Copenhagen Energy and Business Central.pdf
Aitana16 views

A look inside pandas design and development

  • 1. A look inside pandas design and development Wes McKinney Lambda Foundry, Inc. @wesmckinn NYC Python Meetup, 1/10/2012 1
  • 2. a.k.a. “Pragmatic Python for high performance data analysis” 2
  • 3. a.k.a. “Rise of the pandas” 3
  • 4. Me 4
  • 7. Me • Mathematician at heart • 3 years in the quant finance industry • Last 2: statistics + freelance + open source • My new company: Lambda Foundry • Building analytics and tools for finance and other domains 7
  • 8. Me • Blog: http://blog.wesmckinney.com • GitHub: http://github.com/wesm • Twitter: @wesmckinn • Working on “Python for Data Analysis” for O’Reilly Media • Giving PyCon tutorial on pandas (!) 8
  • 9. pandas? • http://pandas.sf.net • Swiss-army knife of (in-memory) data manipulation in Python • Like R’s data.frame on steroids • Excellent performance • Easy-to-use, highly consistent API • A foundation for data analysis in Python 9
  • 10. pandas • In heavy production use in the financial industry • Generally much better performance than other open source alternatives (e.g. R) • Hope: basis for the “next generation” data analytical environment in Python 10
  • 11. Simplifying data wrangling • Data munging / preparation / cleaning / integration is slow, error prone, and time consuming • Everyone already <3’s Python for data wrangling: pandas takes it to the next level 11
  • 12. Explosive pandas growth • Last 6 months: 240 files changed 49428 insertions(+), 15358 deletions(-) Cython-generated C removed 12
  • 13. Rigorous unit testing • Need to be able to trust your $1e3/e6/e9s to pandas • > 98% line coverage as measured by coverage.py • v0.3.0 (2/19/2011): 533 test functions • v0.7.0 (1/09/2012): 1272 test functions 13
  • 14. Some development asides • I get a lot of questions about my dev env • Emacs + IPython FTW • Indispensible development tools • pdb (and IPython-enhanced pdb) • pylint / pyflakes (integrated with Emacs) • nose • coverage.py • grin, for searching code. >> ack/grep IMHO 14
  • 15. IPython • Matthew Goodman: “If you are not using this tool, you are doing it wrong!” • Tab completion, introspection, interactive debugger, command history • Designed to enhance your productivity in every way. I can’t live without it • IPython HTML notebook is a game changer 15
  • 16. Profiling and optimization • %time, %timeit in IPython • %prun, to profile a statement with cProfile • %run -p to profile whole programs • line_profiler module, for line-by-line timing • Optimization: find right algorithm first. Cython-ize the bottlenecks (if need be) 16
  • 17. Other things that matter • Follow PEP8 religiously • Naming conventions, other code style • 80 character per line hard limit • Test more than you think you need to, aim for 100% line coverage • Avoid long functions (> 50 lines), refactor aggressively 17
  • 18. I’m serious about function length http://gist.github.com/1580880 18
  • 19. Don’t make a mess Uncle Bob YouTube: “What killed Smalltalk could kill s/Ruby/Python, too” 19
  • 20. Other stuff • Good keyboard 20
  • 21. Other stuff • Big monitors 21
  • 22. Other stuff • Ergonomic chair (good hacking posture) 22
  • 23. pandas DataFrame • Jack-of-trades tabular data structure In [10]: tips[:10] Out[10]: total_bill tip sex smoker day time size 1 16.99 1.01 Female No Sun Dinner 2 2 10.34 1.66 Male No Sun Dinner 3 3 21.01 3.50 Male No Sun Dinner 3 4 23.68 3.31 Male No Sun Dinner 2 5 24.59 3.61 Female No Sun Dinner 4 6 25.29 4.71 Male No Sun Dinner 4 7 8.770 2.00 Male No Sun Dinner 2 8 26.88 3.12 Male No Sun Dinner 4 9 15.04 1.96 Male No Sun Dinner 2 10 14.78 3.23 Male No Sun Dinner 2 23
  • 24. DataFrame • Heterogeneous columns • Data alignment and axis indexing • No-copy data selection (!) • Agile reshaping • Fast joining, merging, concatenation 24
  • 25. DataFrame • Axis indexing enable rich data alignment, joins / merges, reshaping, selection, etc. day Fri Sat Sun Thur sex smoker Female No 3.125 2.725 3.329 2.460 Yes 2.683 2.869 3.500 2.990 Male No 2.500 3.257 3.115 2.942 Yes 2.741 2.879 3.521 3.058 25
  • 26. Let’s have a little fun To the IPython Notebook, Batman http://ashleyw.co.uk/project/food-nutrient-database 26
  • 27. Axis indexing, the special pandas-flavored sauce • Enables “alignment-free” programming • Prevents major source of data munging frustration and errors • Fast (O(1) or O(log n)) selecting data • Powerful way of describing reshape / join / merge / pivot-table operations 27
  • 28. Data alignment, join ops • The brains live in the axis index • Indexes know how to do set logic • Join/align ops: produce “indexers” • Mapping between source/output • Indexer passed to fast “take” function 28
  • 29. Index join example left right joined lidx ridx a -1 0 d a b 1 1 b JOIN b c 2 2 c c d 0 -1 e e 3 -1 left_values.take(lidx, axis) reindexed data 29
  • 30. Implementing index joins • Completely irregular case: use hash tables • Monotonic / increasing values • Faster specialized left/right/inner/outer join routines, especially for native types (int32/64, datetime64) • Lookup hash table is persisted inside the Index object! 30
  • 31. Um, hash table? left joined indexer { } a -1 d 0 b 1 b 1 map c 2 c 2 d 0 e 3 e 3 31
  • 32. Hash tables • Form the core of many critical pandas algorithms • unique (for set intersection / union) • “factor”ize • groupby • join / merge / align 32
  • 33. GroupBy, a brief algorithmic exploration • Simple problem: compute group sums for a vector given group identifications labels values b -1 unique group b 3 labels sums a 2 a 2 a 3 b 4 b 2 a -4 a 1 33
  • 34. GroupBy: Algo #1 unique_labels = np.unique(labels) results = np.empty(len(unique_labels)) for i, label in enumerate(unique_labels): results[i] = values[labels == label].sum() For all these examples, assume N data points and K unique groups 34
  • 35. GroupBy: Algo #1, don’t do this unique_labels = np.unique(labels) results = np.empty(len(unique_labels)) for i, label in enumerate(unique_labels): results[i] = values[labels == label].sum() Some obvious problems • O(N * K) comparisons. Slow for large K • K passes through values • numpy.unique is pretty slow (more on this later) 35
  • 36. GroupBy: Algo #2 Make this dict in O(N) (pseudocode) g_inds = {label : [i where labels[i] == label]} Now for i, label in enumerate(unique_labels): indices = g_inds[label] label_values = values.take(indices) result[i] = label_values.sum() Pros: one pass through values. ~O(N) for N >> K Cons: g_inds can be built in O(N), but too many list/dict API calls, even using Cython 36
  • 37. GroupBy: Algo #3, much faster • “Factorize” labels • Produce vectorto the unique observedK-1 corresponding of integers from 0, ..., values (use a hash table) result = np.zeros(k) for i, j in enumerate(factorized_labels): result[j] += values[i] Pros: avoid expensive dict-of-lists creation. Avoid numpy.unique and have option to not to sort the unique labels, skipping O(K lg K) work 37
  • 38. Speed comparisons • Test case: 100,000 data points, 5,000 groups • Algo 3, don’t sort groups: 5.46 ms • Algo 3, sort groups: 10.6 ms • Algo 2: 155 ms (14.6x slower) • Algo 1: 10.49 seconds (990x slower) • Algos 2/3 implemented in Cython 38
  • 39. GroupBy • Situation is significantly more complicated in the multi-key case. • More on this later 39
  • 40. Algo 3, profiled In [32]: %prun for _ in xrange(100) algo3_nosort() cumtime filename:lineno(function) 0.592 <string>:1(<module>) 0.584 groupby_ex.py:37(algo3_nosort) 0.535 {method 'factorize' of DictFactorizer' objects} 0.047 {pandas._tseries.group_add} 0.002 numeric.py:65(zeros_like) 0.001 {method 'fill' of 'numpy.ndarray' objects} 0.000 {numpy.core.multiarray.empty_like} 0.000 {numpy.core.multiarray.empty} Curious 40
  • 41. Slaves to algorithms • Turns out that numpy.unique works by sorting, not a hash table. Thus O(N log N) versus O(N) • Takes > 70% of the runtime of Algo #2 • Factorize is the new bottleneck, possible to go faster?! 41
  • 42. Unique-ing faster Basic algorithm using a dict, do this in Cython table = {} uniques = [] for value in values: if value not in table: table[value] = None # dummy uniques.append(value) if sort: uniques.sort() Performance may depend on the number of unique groups (due to dict resizing) 42
  • 43. Unique-ing faster No Sort: at best ~70x faster, worst 6.5x faster Sort: at best ~70x faster, worst 1.7x faster 43
  • 44. Remember 44
  • 45. Can we go faster? • Python dictimplementations one of the best hash table is renowned as anywhere • But: • No abilityresizings arbitrary to preallocate, subject to • We don’t care about reference counting, throw away table once done • Hm, what to do, what to do? 45
  • 46. Enter klib • http://github.com/attractivechaos/klib • Small, portable C data structures and algorithms • khash: fast, memory-efficient hash table • Hack a Cython interface (pxd file) and we’re in business 46
  • 47. khash Cython interface cdef extern from "khash.h": ctypedef struct kh_pymap_t: khint_t n_buckets, size, n_occupied, upper_bound uint32_t *flags PyObject **keys Py_ssize_t *vals inline kh_pymap_t* kh_init_pymap() inline void kh_destroy_pymap(kh_pymap_t*) inline khint_t kh_get_pymap(kh_pymap_t*, PyObject*) inline khint_t kh_put_pymap(kh_pymap_t*, PyObject*, int*) inline void kh_clear_pymap(kh_pymap_t*) inline void kh_resize_pymap(kh_pymap_t*, khint_t) inline void kh_del_pymap(kh_pymap_t*, khint_t) bint kh_exist_pymap(kh_pymap_t*, khiter_t) 47
  • 48. PyDict vs. khash unique Conclusions: dict resizing makes a big impact 48
  • 50. Gloves come off with int64 PyObject* boxing / PyRichCompare obvious culprit 50
  • 51. Some NumPy-fu • Think about the sorted factorize algorithm • Want to compute sorted unique labels • Also compute integer ids relative to the unique values, without making 2 passes through a hash table! sorter = uniques.argsort() reverse_indexer = np.empty(len(sorter)) reverse_indexer.put(sorter, np.arange(len(sorter))) labels = reverse_indexer.take(labels) 51
  • 52. Aside, for the R community • R’s factor function is suboptimal • Makes two hash table passes • unique uniquify and sort • match ids relative to unique labels • This is highly fixable • R’s integer unique is about 40% slower than my khash_int64 unique 52
  • 53. Multi-key GroupBy • Significantly more complicated because the number of possible key combinations may be very large • Example, group by two sets of labels • 1000 unique values in each • “Key space”: 1,000,000, even though observed key pairs may be small 53
  • 54. Multi-key GroupBy Simplified Algorithm id1, count1 = factorize(label1) id2, count2 = factorize(label2) group_id = id1 * count2 + id2 nobs = count1 * count2 if nobs > LARGE_NUMBER: group_id, nobs = factorize(group_id) result = group_add(data, group_id, nobs) 54
  • 55. Multi-GroupBy • Pathological, but realistic example • 50,000 values, 1e4 unique keys x 2, key space 1e8 • Compress key space: 9.2 ms • Don’t compress: 1.2s (!) • I actually discovered this problem while writing this talk (!!) 55
  • 56. Speaking of performance • Testing the correctness of code is easy: write unit tests • How to systematically test performance? • Need to catch performance regressions • Being mildly performance obsessed, I got very tired of playing performance whack-a- mole with pandas 56
  • 57. vbench project • http://github.com/wesm/vbench • Run benchmarks for each version of your codebase • vbench checks out each revision of your codebase, builds it, and runs all the benchmarks you define • Results stored in a SQLite database • Only works with git right now 57
  • 58. vbench join_dataframe_index_single_key_bigger = Benchmark("df.join(df_key2, on='key2')", setup, name='join_dataframe_index_single_key_bigger') 58
  • 59. vbench stmt3 = "df.groupby(['key1', 'key2']).sum()" groupby_multi_cython = Benchmark(stmt3, setup, name="groupby_multi_cython", start_date=datetime(2011, 7, 1)) 59
  • 60. Fast database joins • Problem: SQL-compatible left, right, inner, outer joins • Row duplication • Join on index and / or join on columns • Sorting vs. not sorting • Algorithmically closely related to groupby etc. 60
  • 61. Row duplication left right outer join key lvalue key rvalue key lvalue rvalue foo 1 foo 5 foo 1 5 foo 2 foo 6 foo 1 6 bar 3 bar 7 foo 2 5 baz 4 qux 8 foo 2 6 bar 3 7 baz 4 NA qux NA 8 61
  • 62. Join indexers left right outer join key lvalue key rvalue key lidx ridx foo 1 foo 5 foo 0 0 foo 2 foo 6 foo 0 1 bar 3 bar 7 foo 1 0 baz 4 qux 8 foo 1 1 bar 2 2 baz 3 -1 qux -1 3 62
  • 63. Join indexers left right outer join key lvalue key rvalue key lidx ridx foo 1 foo 5 foo 0 0 foo 2 foo 6 foo 0 1 bar 3 bar 7 foo 1 0 baz 4 qux 8 foo 1 1 bar 2 2 baz 3 -1 Problem: factorized keys qux -1 3 need to be sorted! 63
  • 64. An algorithmic observation • If N values are known to be from the range 0 through K - 1, can be sorted in O(N) • Variant of counting sort • For our purposes, only compute the sorting indexer (argsort) 64
  • 65. Winning join algorithm sort keys don’t sort keys Factorize keys columns O(K log K) or O(N) Compute / compress group indexes O(N) (refactorize) "Sort" by group indexes O(N) (counting sort) Compute left / right join indexers for join method O(N_output) Remap indexers relative to original row ordering O(N_output) O(N_output) (this step is actually Move data efficiently into output DataFrame fairly nontrivial) 65
  • 66. “You’re like CLR, I’m like CLRS” - “Kill Dash Nine”, by Monzy 66
  • 67. Join test case • Left:pairs rows, 2 key columns, 8k unique key 80k • Right: 8k rows, 2 key columns, 8k unique key pairs • 6k matching key pairs between the tables, many-to-one join • One column of numerical values in each 67
  • 68. Join test case • Many-to-many case: stack right DataFrame on top of itself to yield 16k rows, 2 rows for each key pair • Aside: sorting the pesky O(K log K)), not the runtime (that unique keys dominates included in these benchmarks 68
  • 69. Quick, algebra! Many-to-one Many-to-many • Left join: 80k rows • Left join: 140k rows • Right join: 62k rows • Right join: 124k rows • Inner join: 60k rows • Inner join: 120k rows • Outer join: 82k rows • Outer join: 144k rows 69
  • 70. Results vs. some R packages * relative timings 70
  • 71. Results vs SQLite3 Absolute timings * outer is LEFT OUTER in SQLite3 Note: In SQLite3 doing something like 71
  • 72. DataFrame sort by columns • Applied same ideas / tools to “sort by multiple columns op” yesterday 72
  • 73. The bottom line • Just a flavor: pretty much all of pandas has seen the same level of design effort and performance scrutiny • Make sure whoever implemented your data structures and algorithms care about performance. A lot. • Python has amazingly powerful and productive tools for implementation work 73
  • 74. Thanks! • Follow me on Twitter: @wesmckinn • Blog: http://blog.wesmckinney.com • Exciting Python things ahead in 2012 74