pax_global_header00006660000000000000000000000064130553075610014517gustar00rootroot0000000000000052 comment=8f8696d48f7a6c01d3d3f651acffb039321f0799 agate-excel-0.2.1/000077500000000000000000000000001305530756100136765ustar00rootroot00000000000000agate-excel-0.2.1/.gitignore000066400000000000000000000001361305530756100156660ustar00rootroot00000000000000.DS_Store *.pyc *.swp *.swo .tox *.egg-info docs/_build dist .coverage build .proof .test.png agate-excel-0.2.1/.travis.yml000066400000000000000000000004531305530756100160110ustar00rootroot00000000000000language: python python: - "2.7" - "3.3" - "3.4" - "3.5" # command to install dependencies install: - if [[ $TRAVIS_PYTHON_VERSION == 3* ]]; then pip install -r requirements-py3.txt; else pip install -r requirements-py2.txt; fi # command to run tests script: nosetests tests sudo: false agate-excel-0.2.1/AUTHORS.rst000066400000000000000000000004211305530756100155520ustar00rootroot00000000000000The following individuals have contributed code to agate-excel: * `Christopher Groskopf `_ * `James McKinney `_ * `Ben Welsh `_ * `Peter M. Landwehr `_ agate-excel-0.2.1/CHANGELOG.rst000066400000000000000000000013651305530756100157240ustar00rootroot000000000000000.2.1 - February 28, 2017 ------------------------- * Overload :meth:`.Table.from_xls` and :meth:`.Table.from_xlsx` to accept and return multiple sheets. * Add a ``skip_lines`` argument to :meth:`.Table.from_xls` and :meth:`.Table.from_xlsx` to skip rows from the top of the sheet. * Fix bug in handling ambiguous dates in XLS. (#9) * Fix bug in handling an empty XLS. * Fix bug in handling non-string column names in XLSX. 0.2.0 ----- * Fix bug in handling of ``None`` in boolean columns for XLS. (#11) * Removed usage of deprecated openpyxl method ``get_sheet_by_name``. * Remove monkeypatching. * Upgrade required agate version to ``1.5.0``. * Ensure columns with numbers for names (e.g. years) are parsed as strings. 0.1.0 ----- * Initial version. agate-excel-0.2.1/COPYING000066400000000000000000000021131305530756100147260ustar00rootroot00000000000000The MIT License Copyright (c) 2015 Christopher Groskopf and contributors Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. agate-excel-0.2.1/MANIFEST.in000066400000000000000000000000671305530756100154370ustar00rootroot00000000000000include COPYING include AUTHORS.rst include README.rst agate-excel-0.2.1/README.rst000066400000000000000000000020341305530756100153640ustar00rootroot00000000000000.. image:: https://travis-ci.org/wireservice/agate-excel.png :target: https://travis-ci.org/wireservice/agate-excel :alt: Build status .. image:: https://img.shields.io/pypi/dw/agate-excel.svg :target: https://pypi.python.org/pypi/agate-excel :alt: PyPI downloads .. image:: https://img.shields.io/pypi/v/agate-excel.svg :target: https://pypi.python.org/pypi/agate-excel :alt: Version .. image:: https://img.shields.io/pypi/l/agate-excel.svg :target: https://pypi.python.org/pypi/agate-excel :alt: License .. image:: https://img.shields.io/pypi/pyversions/agate-excel.svg :target: https://pypi.python.org/pypi/agate-excel :alt: Support Python versions agate-excel adds read support for Excel files (xls and xlsx) to `agate `_. Important links: * agate http://agate.rtfd.org * Documentation: http://agate-excel.rtfd.org * Repository: https://github.com/wireservice/agate-excel * Issues: https://github.com/wireservice/agate-excel/issues agate-excel-0.2.1/agateexcel/000077500000000000000000000000001305530756100160005ustar00rootroot00000000000000agate-excel-0.2.1/agateexcel/__init__.py000066400000000000000000000001201305530756100201020ustar00rootroot00000000000000#!/usr/bin/env python import agateexcel.table_xls import agateexcel.table_xlsx agate-excel-0.2.1/agateexcel/table_xls.py000066400000000000000000000070711305530756100203340ustar00rootroot00000000000000#!/usr/bin/env python """ This module contains the XLS extension to :class:`Table `. """ import datetime from collections import OrderedDict import agate import six import xlrd def from_xls(cls, path, sheet=None, skip_lines=0, **kwargs): """ Parse an XLS file. :param path: Path to an XLS file to load or a file-like object for one. :param sheet: The names or integer indices of the worksheets to load. If not specified then the first sheet will be used. :param skip_lines: The number of rows to skip from the top of the sheet. """ if not isinstance(skip_lines, int): raise ValueError('skip_lines argument must be an int') if hasattr(path, 'read'): book = xlrd.open_workbook(file_contents=path.read()) else: with open(path, 'rb') as f: book = xlrd.open_workbook(file_contents=f.read()) multiple = agate.utils.issequence(sheet) if multiple: sheets = sheet else: sheets = [sheet] tables = OrderedDict() for i, sheet in enumerate(sheets): if isinstance(sheet, six.string_types): sheet = book.sheet_by_name(sheet) elif isinstance(sheet, int): sheet = book.sheet_by_index(sheet) else: sheet = book.sheet_by_index(0) column_names = [] columns = [] for i in range(sheet.ncols): data = sheet.col_values(i) name = six.text_type(data[skip_lines]) or None values = data[skip_lines + 1:] types = sheet.col_types(i)[skip_lines + 1:] excel_type = determine_excel_type(types) if excel_type == xlrd.biffh.XL_CELL_BOOLEAN: values = normalize_booleans(values) elif excel_type == xlrd.biffh.XL_CELL_DATE: values = normalize_dates(values, book.datemode) column_names.append(name) columns.append(values) rows = [] if columns: for i in range(len(columns[0])): rows.append([c[i] for c in columns]) tables[sheet.name] = agate.Table(rows, column_names, **kwargs) if multiple: return agate.MappedSequence(tables.values(), tables.keys()) else: return tables.popitem()[1] def determine_excel_type(types): """ Determine the correct type for a column from a list of cell types. """ types_set = set(types) types_set.discard(xlrd.biffh.XL_CELL_EMPTY) # Normalize mixed types to text if len(types_set) > 1: return xlrd.biffh.XL_CELL_TEXT try: return types_set.pop() except KeyError: return xlrd.biffh.XL_CELL_EMPTY def normalize_booleans(values): normalized = [] for value in values: if value is None or value == '': normalized.append(None) else: normalized.append(bool(value)) return normalized def normalize_dates(values, datemode=0): """ Normalize a column of date cells. """ normalized = [] for v in values: if not v: normalized.append(None) continue v_tuple = xlrd.xldate.xldate_as_datetime(v, datemode).timetuple() if v_tuple[3:6] == (0, 0, 0): # Date only normalized.append(datetime.date(*v_tuple[:3])) elif v_tuple[:3] == (0, 0, 0): normalized.append(datetime.time(*v_tuple[3:6])) else: # Date and time normalized.append(datetime.datetime(*v_tuple[:6])) return normalized agate.Table.from_xls = classmethod(from_xls) agate-excel-0.2.1/agateexcel/table_xlsx.py000066400000000000000000000060261305530756100205230ustar00rootroot00000000000000#!/usr/bin/env python """ This module contains the XLSX extension to :class:`Table `. """ import datetime from collections import OrderedDict import agate import openpyxl import six NULL_TIME = datetime.time(0, 0, 0) def from_xlsx(cls, path, sheet=None, skip_lines=0, **kwargs): """ Parse an XLSX file. :param path: Path to an XLSX file to load or a file-like object for one. :param sheet: The names or integer indices of the worksheets to load. If not specified then the "active" sheet will be used. :param skip_lines: The number of rows to skip from the top of the sheet. """ if not isinstance(skip_lines, int): raise ValueError('skip_lines argument must be an int') if hasattr(path, 'read'): f = path else: f = open(path, 'rb') book = openpyxl.load_workbook(f, read_only=True, data_only=True) multiple = agate.utils.issequence(sheet) if multiple: sheets = sheet else: sheets = [sheet] tables = OrderedDict() for i, sheet in enumerate(sheets): if isinstance(sheet, six.string_types): sheet = book[sheet] elif isinstance(sheet, int): sheet = book.worksheets[sheet] else: sheet = book.active column_names = [] rows = [] for i, row in enumerate(sheet.iter_rows(row_offset=skip_lines)): if i == 0: column_names = [None if c.value is None else six.text_type(c.value) for c in row] continue values = [] for c in row: value = c.value if value.__class__ is datetime.datetime: # Handle default XLSX date as 00:00 time if value.date() == datetime.date(1904, 1, 1) and not has_date_elements(c): value = value.time() value = normalize_datetime(value) elif value.time() == NULL_TIME: value = value.date() else: value = normalize_datetime(value) values.append(value) rows.append(values) tables[sheet.title] = agate.Table(rows, column_names, **kwargs) f.close() if multiple: return agate.MappedSequence(tables.values(), tables.keys()) else: return tables.popitem()[1] def normalize_datetime(dt): if dt.microsecond == 0: return dt ms = dt.microsecond if ms < 1000: return dt.replace(microsecond=0) elif ms > 999000: return dt.replace(microsecond=0) + datetime.timedelta(seconds=1) return dt def has_date_elements(cell): """ Try to use formatting to determine if a cell contains only time info. See: http://office.microsoft.com/en-us/excel-help/number-format-codes-HP005198679.aspx """ if 'd' in cell.number_format or \ 'y' in cell.number_format: return True return False agate.Table.from_xlsx = classmethod(from_xlsx) agate-excel-0.2.1/docs/000077500000000000000000000000001305530756100146265ustar00rootroot00000000000000agate-excel-0.2.1/docs/Makefile000066400000000000000000000107761305530756100163010ustar00rootroot00000000000000# Makefile for Sphinx documentation # # You can set these variables from the command line. SPHINXOPTS = SPHINXBUILD = sphinx-build PAPER = BUILDDIR = _build # Internal variables. PAPEROPT_a4 = -D latex_paper_size=a4 PAPEROPT_letter = -D latex_paper_size=letter ALLSPHINXOPTS = -d $(BUILDDIR)/doctrees $(PAPEROPT_$(PAPER)) $(SPHINXOPTS) . .PHONY: help clean html dirhtml singlehtml pickle json htmlhelp qthelp devhelp epub latex latexpdf text man changes linkcheck doctest help: @echo "Please use \`make ' where is one of" @echo " html to make standalone HTML files" @echo " dirhtml to make HTML files named index.html in directories" @echo " singlehtml to make a single large HTML file" @echo " pickle to make pickle files" @echo " json to make JSON files" @echo " htmlhelp to make HTML files and a HTML help project" @echo " qthelp to make HTML files and a qthelp project" @echo " devhelp to make HTML files and a Devhelp project" @echo " epub to make an epub" @echo " latex to make LaTeX files, you can set PAPER=a4 or PAPER=letter" @echo " latexpdf to make LaTeX files and run them through pdflatex" @echo " text to make text files" @echo " man to make manual pages" @echo " changes to make an overview of all changed/added/deprecated items" @echo " linkcheck to check all external links for integrity" @echo " doctest to run all doctests embedded in the documentation (if enabled)" clean: -rm -rf $(BUILDDIR)/* html: $(SPHINXBUILD) -b html $(ALLSPHINXOPTS) $(BUILDDIR)/html @echo @echo "Build finished. The HTML pages are in $(BUILDDIR)/html." dirhtml: $(SPHINXBUILD) -b dirhtml $(ALLSPHINXOPTS) $(BUILDDIR)/dirhtml @echo @echo "Build finished. The HTML pages are in $(BUILDDIR)/dirhtml." singlehtml: $(SPHINXBUILD) -b singlehtml $(ALLSPHINXOPTS) $(BUILDDIR)/singlehtml @echo @echo "Build finished. The HTML page is in $(BUILDDIR)/singlehtml." pickle: $(SPHINXBUILD) -b pickle $(ALLSPHINXOPTS) $(BUILDDIR)/pickle @echo @echo "Build finished; now you can process the pickle files." json: $(SPHINXBUILD) -b json $(ALLSPHINXOPTS) $(BUILDDIR)/json @echo @echo "Build finished; now you can process the JSON files." htmlhelp: $(SPHINXBUILD) -b htmlhelp $(ALLSPHINXOPTS) $(BUILDDIR)/htmlhelp @echo @echo "Build finished; now you can run HTML Help Workshop with the" \ ".hhp project file in $(BUILDDIR)/htmlhelp." qthelp: $(SPHINXBUILD) -b qthelp $(ALLSPHINXOPTS) $(BUILDDIR)/qthelp @echo @echo "Build finished; now you can run "qcollectiongenerator" with the" \ ".qhcp project file in $(BUILDDIR)/qthelp, like this:" @echo "# qcollectiongenerator $(BUILDDIR)/qthelp/agateexcel.qhcp" @echo "To view the help file:" @echo "# assistant -collectionFile $(BUILDDIR)/qthelp/agateexcel.qhc" devhelp: $(SPHINXBUILD) -b devhelp $(ALLSPHINXOPTS) $(BUILDDIR)/devhelp @echo @echo "Build finished." @echo "To view the help file:" @echo "# mkdir -p $$HOME/.local/share/devhelp/agateexcel" @echo "# ln -s $(BUILDDIR)/devhelp $$HOME/.local/share/devhelp/agateexcel" @echo "# devhelp" epub: $(SPHINXBUILD) -b epub $(ALLSPHINXOPTS) $(BUILDDIR)/epub @echo @echo "Build finished. The epub file is in $(BUILDDIR)/epub." latex: $(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex @echo @echo "Build finished; the LaTeX files are in $(BUILDDIR)/latex." @echo "Run \`make' in that directory to run these through (pdf)latex" \ "(use \`make latexpdf' here to do that automatically)." latexpdf: $(SPHINXBUILD) -b latex $(ALLSPHINXOPTS) $(BUILDDIR)/latex @echo "Running LaTeX files through pdflatex..." make -C $(BUILDDIR)/latex all-pdf @echo "pdflatex finished; the PDF files are in $(BUILDDIR)/latex." text: $(SPHINXBUILD) -b text $(ALLSPHINXOPTS) $(BUILDDIR)/text @echo @echo "Build finished. The text files are in $(BUILDDIR)/text." man: $(SPHINXBUILD) -b man $(ALLSPHINXOPTS) $(BUILDDIR)/man @echo @echo "Build finished. The manual pages are in $(BUILDDIR)/man." changes: $(SPHINXBUILD) -b changes $(ALLSPHINXOPTS) $(BUILDDIR)/changes @echo @echo "The overview file is in $(BUILDDIR)/changes." linkcheck: $(SPHINXBUILD) -b linkcheck $(ALLSPHINXOPTS) $(BUILDDIR)/linkcheck @echo @echo "Link check complete; look for any errors in the above output " \ "or in $(BUILDDIR)/linkcheck/output.txt." doctest: $(SPHINXBUILD) -b doctest $(ALLSPHINXOPTS) $(BUILDDIR)/doctest @echo "Testing of doctests in the sources finished, look at the " \ "results in $(BUILDDIR)/doctest/output.txt." agate-excel-0.2.1/docs/conf.py000066400000000000000000000162161305530756100161330ustar00rootroot00000000000000# -*- coding: utf-8 -*- # # This file is execfile()d with the current directory set to its containing dir. # # Note that not all possible configuration values are present in this # autogenerated file. # # All configuration values have a default; values that are commented out # serve to show the default. import os import sys # If extensions (or modules to document with autodoc) are in another directory, # add these directories to sys.path here. If the directory is relative to the # documentation root, use os.path.abspath to make it absolute, like shown here. sys.path.insert(0, os.path.abspath('..')) # -- General configuration ----------------------------------------------------- # If your documentation needs a minimal Sphinx version, state it here. #needs_sphinx = '1.0' # Add any Sphinx extension module names here, as strings. They can be extensions # coming with Sphinx (named 'sphinx.ext.*') or your custom ones. extensions = ['sphinx.ext.autodoc', 'sphinx.ext.intersphinx'] autodoc_member_order = 'bysource' intersphinx_mapping = { 'python': ('http://docs.python.org/3.5/', None), 'agate': ('http://agate.readthedocs.org/en/latest/', None) } # Add any paths that contain templates here, relative to this directory. templates_path = ['_templates'] # The suffix of source filenames. source_suffix = '.rst' # The encoding of source files. #source_encoding = 'utf-8-sig' # The master toctree document. master_doc = 'index' # General information about the project. project = u'agate-excel' copyright = u'2015, Christopher Groskopf' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the # built documents. # # The short X.Y version. version = '0.2.1' # The full version, including alpha/beta/rc tags. release = '0.2.1' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. #language = None # There are two options for replacing |today|: either, you set today to some # non-false value, then it is used: #today = '' # Else, today_fmt is used as the format for a strftime call. #today_fmt = '%B %d, %Y' # List of patterns, relative to source directory, that match files and # directories to ignore when looking for source files. exclude_patterns = ['_build'] # The reST default role (used for this markup: `text`) to use for all documents. #default_role = None # If true, '()' will be appended to :func: etc. cross-reference text. #add_function_parentheses = True # If true, the current module name will be prepended to all description # unit titles (such as .. function::). #add_module_names = True # If true, sectionauthor and moduleauthor directives will be shown in the # output. They are ignored by default. #show_authors = False # The name of the Pygments (syntax highlighting) style to use. pygments_style = 'sphinx' # A list of ignored prefixes for module index sorting. #modindex_common_prefix = [] # -- Options for HTML output --------------------------------------------------- # The theme to use for HTML and HTML Help pages. See the documentation for # a list of builtin themes. html_theme = 'default' on_rtd = os.environ.get('READTHEDOCS', None) == 'True' if not on_rtd: # only import and set the theme if we're building docs locally import sphinx_rtd_theme html_theme = 'sphinx_rtd_theme' html_theme_path = [sphinx_rtd_theme.get_html_theme_path()] # Theme options are theme-specific and customize the look and feel of a theme # further. For a list of options available for each theme, see the # documentation. #html_theme_options = {} # Add any paths that contain custom themes here, relative to this directory. #html_theme_path = [] # The name for this set of Sphinx documents. If None, it defaults to # " v documentation". #html_title = None # A shorter title for the navigation bar. Default is the same as html_title. #html_short_title = None # The name of an image file (relative to this directory) to place at the top # of the sidebar. #html_logo = None # The name of an image file (within the static path) to use as favicon of the # docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32 # pixels large. #html_favicon = None # Add any paths that contain custom static files (such as style sheets) here, # relative to this directory. They are copied after the builtin static files, # so a file named "default.css" will overwrite the builtin "default.css". html_static_path = ['_static'] # If not '', a 'Last updated on:' timestamp is inserted at every page bottom, # using the given strftime format. #html_last_updated_fmt = '%b %d, %Y' # If true, SmartyPants will be used to convert quotes and dashes to # typographically correct entities. #html_use_smartypants = True # Custom sidebar templates, maps document names to template names. #html_sidebars = {} # Additional templates that should be rendered to pages, maps page names to # template names. #html_additional_pages = {} # If false, no module index is generated. #html_domain_indices = True # If false, no index is generated. #html_use_index = True # If true, the index is split into individual pages for each letter. #html_split_index = False # If true, links to the reST sources are added to the pages. #html_show_sourcelink = True # If true, "Created using Sphinx" is shown in the HTML footer. Default is True. #html_show_sphinx = True # If true, "(C) Copyright ..." is shown in the HTML footer. Default is True. #html_show_copyright = True # If true, an OpenSearch description file will be output, and all pages will # contain a tag referring to it. The value of this option must be the # base URL from which the finished HTML is served. #html_use_opensearch = '' # This is the file name suffix for HTML files (e.g. ".xhtml"). #html_file_suffix = None # Output file base name for HTML help builder. htmlhelp_basename = 'agateexceldoc' # -- Options for LaTeX output -------------------------------------------------- # The paper size ('letter' or 'a4'). #latex_paper_size = 'letter' # The font size ('10pt', '11pt' or '12pt'). #latex_font_size = '10pt' # Grouping the document tree into LaTeX files. List of tuples # (source start file, target name, title, author, documentclass [howto/manual]). latex_documents = [ ('index', 'agate-excel.tex', u'agate-excel Documentation', u'Christopher Groskopf', 'manual'), ] # The name of an image file (relative to this directory) to place at the top of # the title page. #latex_logo = None # For "manual" documents, if this is true, then toplevel headings are parts, # not chapters. #latex_use_parts = False # If true, show page references after internal links. #latex_show_pagerefs = False # If true, show URL addresses after external links. #latex_show_urls = False # Additional stuff for the LaTeX preamble. #latex_preamble = '' # Documents to append as an appendix to all manuals. #latex_appendices = [] # If false, no module index is generated. #latex_domain_indices = True # -- Options for manual page output -------------------------------------------- # One entry per manual page. List of tuples # (source start file, name, description, authors, manual section). man_pages = [ ] agate-excel-0.2.1/docs/index.rst000066400000000000000000000027741305530756100165010ustar00rootroot00000000000000===================== agate-excel |release| ===================== .. include:: ../README.rst Install ======= To install: .. code-block:: bash pip install agate-excel For details on development or supported platforms see the `agate documentation `_. Usage ===== agate-excel uses a monkey patching pattern to add read for xls and xlsx files support to all :class:`agate.Table ` instances. .. code-block:: python import agate import agateexcel Importing agate-excel adds methods to :class:`agate.Table `. Once you've imported it, you can create tables from both XLS and XLSX files. .. code-block:: python table = agate.Table.from_xls('examples/test.xls') print(table) table = agate.Table.from_xlsx('examples/test.xlsx') print(table) table = agate.Table.from_xlsx('examples/test.xlsx', sheet=1) print(table) table = agate.Table.from_xlsx('examples/test.xlsx', sheet='dummy') print(table) table = agate.Table.from_xlsx('examples/test.xlsx', sheet=[1, 'dummy']) print(table) Both ``Table`` methods accept a :code:`sheet` argument to specify which sheet to create the table from. === API === .. autofunction:: agateexcel.table_xls.from_xls .. autofunction:: agateexcel.table_xlsx.from_xlsx Authors ======= .. include:: ../AUTHORS.rst Changelog ========= .. include:: ../CHANGELOG.rst License ======= .. include:: ../COPYING Indices and tables ================== * :ref:`genindex` * :ref:`modindex` * :ref:`search` agate-excel-0.2.1/example.py000077500000000000000000000003161305530756100157060ustar00rootroot00000000000000#!/usr/bin/env python import agate import agateexcel table = agate.Table.from_xls('examples/test.xls') print(table) table = agate.Table.from_xlsx('examples/test.xlsx') print(table) table.print_table() agate-excel-0.2.1/examples/000077500000000000000000000000001305530756100155145ustar00rootroot00000000000000agate-excel-0.2.1/examples/test.xls000066400000000000000000000760001305530756100172260ustar00rootroot00000000000000ࡱ> /<  !"#$%&'()*+,-.23456789:;R FMU0Workbook+YSummaryInformation(1DocumentSummaryInformation8 %g\pChristopher Groskopf Ba==d<8@"1Calibri1Calibri1Calibri1Calibri1Calibri1h8Cambria1,8Calibri18Calibri18Calibri1Calibri1Calibri1<Calibri1>Calibri1?Calibri14Calibri14Calibri1 Calibri1 Calibri1Calibri1Calibri1 Calibri1 Calibri1Calibri"$"#,##0;\-"$"#,##0"$"#,##0;[Red]\-"$"#,##0"$"#,##0.00;\-"$"#,##0.00#"$"#,##0.00;[Red]\-"$"#,##0.005*0_-"$"* #,##0_-;\-"$"* #,##0_-;_-"$"* "-"_-;_-@_-,)'_-* #,##0_-;\-* #,##0_-;_-* "-"_-;_-@_-=,8_-"$"* #,##0.00_-;\-"$"* #,##0.00_-;_-"$"* "-"??_-;_-@_-4+/_-* #,##0.00_-;\-* #,##0.00_-;_-* "-"??_-;_-@_-                                                                       ff + ) , *     P  P        `            a>      ||@M}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-} _-;_-* "}-} _-;_-* "}A} _-;_-* "ef-@_- }A} _-;_-* "ef-@_- }A} _-;_-* "ef-@_- }A} _-;_-* "ef-@_- }A} _-;_-* "ef-@_- }A} _-;_-* "ef -@_- }A} _-;_-* "L-@_- }A} _-;_-* "L-@_- }A} _-;_-* "L-@_- }A} _-;_-* "L-@_- }A} _-;_-* "L-@_- }A} _-;_-* "L -@_- }A} _-;_-* "23-@_- }A} _-;_-* "23-@_- }A} _-;_-* "23-@_- }A} _-;_-* "23-@_- }A}  _-;_-* "23-@_- }A}! _-;_-* "23 -@_- }A}" _-;_-* "-@_- }A}# _-;_-* "-@_- }A}$ _-;_-* "-@_- }A}% _-;_-* "-@_- }A}& _-;_-* "-@_- }A}' _-;_-* " -@_- }A}( _-;_-* "-@_- }}) }_-;_-* "-@_-   H }}* _-;_-* "-@_- ??? ??? ???H ???}-}+ _-;_-* "}-}, _-;_-* "}-}- _-;_-* "}-}. _-;_-* "}-}/ _-;_-* "}A}0 a_-;_-* "-@_- }A}1 _-;_-* "-@_- }A}2 _-;_-* "?-@_- }A}3 _-;_-* "23-@_- }-}4 _-;_-* "}}5 ??v_-;_-* "̙-@_-   H }A}6 }_-;_-* "-@_- }A}7 e_-;_-* "-@_- }}8 _-;_-* "-@_-   H }}9 ???_-;_-* "-@_- ??? ??? ???H ???}-}: _-;_-* "}-}; _-;_-* "}U}< _-;_-* "-@_-  }-}= _-;_-* "}-}> _-;_-* "}-}? _-;_-* " 20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L渷 % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  Lմ % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23ږ % 60% - Accent3M( 60% - Accent3 23כ % 60% - Accent4M, 60% - Accent4 23 % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23 % "Accent1AAccent1 O % #Accent2A!Accent2 PM % $Accent3A%Accent3 Y % %Accent4A)Accent4 d % &Accent5A-Accent5 K % 'Accent6A1Accent6  F %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 I}%O2 Heading 2G Heading 2 I}%?3 Heading 3G Heading 3 I}%234 Heading 49 Heading 4 I}% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  e%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title I}% <TotalMTotal %OO= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium48dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`R<test.csv"Cnumbertextbooleandatedatetimeab=M k/  PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1gMԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK! ѐ'theme/theme/_rels/themeManager.xml.relsM 0wooӺ&݈Э5 6?$Q ,.aic21h:qm@RN;d`o7gK(M&$R(.1r'JЊT8V"AȻHu}|$b{P8g/]QAsم(#L[PK-!pO[Content_Types].xmlPK-!֧6 -_rels/.relsPK-!kytheme/theme/themeManager.xmlPK-!0ktheme/theme/theme1.xmlPK-! ѐ' theme/theme/_rels/themeManager.xml.relsPK] %g bWX  dMbP?_*+%,M com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket PMPPDPaperCodeName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDPaperCodeName Letter com.apple.print.ticket.stateFlag 0 PMPPDTranslationStringPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDTranslationStringPaperName US Letter com.apple.print.ticket.stateFlag 0 PMTiogaPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMTiogaPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0 0 12233.333333333334 9600 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -300 -300 12900.000000000002 9900 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0 0 734 576 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -18 -18 774 594 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.ppd.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.ppd.PMPaperName Letter com.apple.print.ticket.stateFlag 0 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PageFormatTicket Mz/%2e&g(HH(dh "d??U }  ,,,,     ~ ? ~ >@@?}'}P@~ @ ~ >`@?Q@  4<FHH>@@ggD  ՜.+,0 PXd lt| 'NPR  test.csv  Worksheets F$Microsoft Excel 97 - 2004 Worksheet8FIBExcel.Sheet.8 Oh+'0HPp 'Christopher GroskopfChristopher GroskopfMicrosoft Macintosh Excel@{@QNGPICTI HHI IHH}\IIUo{o|kZ{kZ{kZ{kZg9{kZ{wckZ{kZ{wcg9{kZ{wco{{kZ]o{swco{sJRwo{RNso{R{o{{Zcg9o{sRwo{]k[o{{co{ZVZo{VR{o{Ro{{Zg9g9o{s^o{akZo{wco{kZco{ZVo{sRg9o{{RVo{wRg9o{,kZVZo{o{o{o{o{o{&kZs{s{s{s{s{swo{c w{w{{w{{V{w{g9{^ wZwwwskZwswwwZwc{w{Vwc{w{co{{wwwwww^wNsJRVg9JRVVRF1R=RF1{wwRBRF1^F1wNs VF1g9JRF1NsZNsNsRRwkZZNsJRwRJRcBNscF1ZJRVNsF1JRRJR{wwo{c wkZg9kZVcssg9Rg9^o{g9w^ckZg9g9Zw^ZkZZo{Zo{kZ^kZZg9sg9w{ZcZg9^g9g9wcVcZkZkZZsZkZkZg9kZo{^w)s{wwwwww&kZswswswswswswccwkZ{wwRV^g9o{o{Zcw)g9g9kZwg9Zwsg9ZwkZo{{^kZ{kZsg9sRg9wRVwZswwRwRsw{Zswg9o{F1JRRVBsw*{JRJRVo{=VkZZVcwJR{Vo{^sBo{VwNs^^wNs{Zo{o{sRwNswwNscwNscwo{9cwg9o{RRZBkZw*{BsBo{ZcBVwg9F1kZF1wF1kZR^Vo{JR^Zs=kZNss{Bg9=wo{9kZ=g9wEwwwwwo{{o{wo{o{{wMkZo{s{s{{wtw{s{s{ww{{s{s{s{{ww{swg9RwNscwMw {BsNs{^JRo{F1sw*{JRJR^ZRRccVZwJRRw{ZVs^kZRcNswNso{F1{g9cJRg9wwo{RwRwN w wNs{JR^R{F1wF1{w)VRVVZRwZNsg9wV{co{Z{Bo{VRZZ{V^o{g9VVBswwNswVwwJ~zw wJRg9BJRRkZNsVw)VVVZ^kZ{ZJRwZ{co{Vc9ZVRckZVJRw=F1JRwwo{g9wVo{ww {so{kZ^g9^sZww*{ZwZ^o{o{^ZkZ^kZcw^o{cg9^wco{wZo{^{ZkZ^wo{o{co{w)kZo{s{s{s{s{s{s3wcwwwswwww7wZRwwsJR^wwww7wo{RwwsNsZwwww)w{wwwwww&kZswswswswsws1wcVwwwwww1w^{wwwwww1wwJRwwwwww1wo{o{wwwwww)kZo{s{s{s{s{s{s1wg9g9wwwwww1wJR^wwwwww3wRZ{wwwwww1wcZwwwwww)o{ws{s{s{w{s{w3s{so{w{wwwwww3wsR{wwwwww1wkZo{wwwwww/wswwwwww)s{wwwwww&kZswswswswsws1wcZwwwwww1wVNswwwwww1wccwwwwww&o{s{s{s{s{s{s)w{wwwwww1wVRwwwwww3wRVwwwwwww3wkZNs{wwwwww/w{wwwwww)kZo{s{s{s{s{s{s7 wV{^Z{wwwwww7 wZ{Nsg9kZwwwwww7 wVwRZwwwwwww5wg9o{wkZwwwwww&o{s{s{s{s{s{s5wg9{wo{wwwwww5wV{Vwwwwww5wNso{sJRwwwwww)wwwwwww)kZo{s{s{s{s{s{s5wNs{g9Nswwwwww5wZ{Rwwwwww5wZ{g9o{wwwwww5wg9sg9cwwwwww)kZo{s{s{s{s{s{s5wc{scwwwwww5wZ{wRwwwwww7 wVw{V{wwwwww5wg9o{kZkZwwwwww)s{wwwwwwCompObjbagate-excel-0.2.1/examples/test.xlsx000066400000000000000000000765341305530756100174320ustar00rootroot00000000000000PK!;H@l[Content_Types].xml (N0EHC-Jܲ@5*Q>ē/y="TTĊskƓl %#T))eFaBɶl6,0l%kcwcՂX8" FD Zht+g#ؘNM'Pㆶw$βݹΪd{* wQޛ@@$xÇA Π$ds07|wnY CZU ]2tkBb .Zy?FAH=<}dbj3W=܊5⠾瑦.鷰.;$!*fq=ۡ{$oޠPK!}T  _rels/.rels (MN0H} PnRwLibv!=ECU=͛f0={E tJFkZ$H6zLQl,(M?peKc<\ٻ`0chGaC|Uw<ԀjɶJ@ت` %TKhC& Ig/P|^{-Ƀ!x4$<z?GO)8.t;9,WjfgQ#)Sx|'KY}PK!nxl/_rels/workbook.xml.rels (j0 }qҍ1F^Ơ-{c+qhbKɠMt\ 'g&WP%&w >׻'[= &$շ774OH"xR㳔dNҨ9ɨAw(7e(3O ރhm| sD"$4DSOUNh9.)k0՚0!!iɹS]٬ `2K9Gyvq/PK!^xl/workbook.xmlRMo0W|ga@7hJUUMrv̰Xmd@Tg'{<7ymj I3\D`M\62?l;cO\ hfNT[4fJcK pWuȢ( N?,' 5HUq4ߖIM+הc!=M04`s+k̲4o*,)MKhIe6~lQtBI[ zйw!$ԅ4E9 ucQBJI}y<~aCO( k[Gpl;Dnxy8de7/\,G@1Qa0Z-z|'iO [*`ic, ĒxX_%PRXL| ވz5ʷ쬨rg䂎yqWPK!iCxl/sharedStrings.xmllQN0 I!;K)I8m5Rt!x\#iBHe߲dמdިHnۀ!(SfNm85uè:ﬕ~3qsI52i}<؄yaP, =$QqVgI<Tf?u[ǟPK!0kxl/theme/theme1.xmlYOoE#F{oc'vGuر[hF[x=N3' G$$DA\q@@VR>MԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK!鵧 xl/styles.xmlVo0{k+(IMBêJe^ l;;PA ݪi}r>f-Z1cV10b*9WeggYGUNV, &!aClUSBl`s]1_ m$u5%a4H 2 \a*S@$5˺:˴)5 #MoK Mi=x3.9]R4Vw tDZ|,~MDp9ҳ5jSA_͠F(iNHH8Photoshop 3.08BIM8BIM%ُ B~ICC_PROFILEappl mntrRGB XYZ   acspAPPLappl-appl descodscmxlcprt8wtptrXYZ0gXYZDbXYZXrTRClchad|,bTRClgTRCldescGeneric RGB ProfileGeneric RGB Profilemluc skSK(xhrHR(caES$ptBR&ukUA*frFU(Vaeobecn RGB profilGeneri ki RGB profilPerfil RGB genricPerfil RGB Genrico030;L=89 ?@>D09; RGBProfil gnrique RVBu( RGB r_icϏProfilo RGB genericoGenerisk RGB-profil| RGB \ |Obecn RGB profil RGB Allgemeines RGB-Profilltalnos RGB profilfn RGB cϏeNN, RGB 000000Profil RGB generic  RGBPerfil RGB genricoAlgemeen RGB-profielB#D%L RGB 1H'DGenel RGB ProfiliYleinen RGB-profiiliUniwersalny profil RGB1I89 ?@>D8;L RGBEDA *91JA RGB 'D9'EGeneric RGB ProfileGenerel RGB-beskrivelsetextCopyright 2007 Apple Inc., all rights reserved.XYZ RXYZ tM=XYZ Zus4XYZ (6curvsf32 B&l }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyzCC ?4h:,?֞|i, I7,O9VZ-Oא_צaZ'(4%4445#dFU^s>U}|!i׃~j𞥠CWǤk:iC*Ŗk&#[]ʲDZ$-^Oot>Cς¿'> oIJKBK;W>7IYO{="k85}OGŰI>}m;׆m5;O,_ hW7*N|ޓȔ¡WDM?@WýF53O[MYiQ%-by#=#+*X?P+s&D(O;ox3񇅾|E$.,~%!jzǦKa4Z[ZXI 0'Mn1o|\dž|O=%։a oIJ $W+jZu- Mgep9#eee<  _7%~9_zO"P?" !4_W>ķ4u Yu Yx{׈so0G{{Piëx{3a߬ZMZwo3O_5}'4hI H㰆83$pĈUbE*N|ޓȔZQ|b.+{}ޞwWw[s a 6Pjz6HGvɸP+s&D¿'> oIJx\h~>h__|5xߏ,|_/EtJDGan5巋.u-6'Ӛ /T? / '(Cς<7?z♵/V[o?4y.-6k:uM-llp[QQCςT? / '(Ǘzv?=ChcBmk8zZϯ|.GU%͎+It? 7sǫIut ~¡WDM?@*N|ޓȔÿxoo7Z&)֧k^Zfg/o-tI`'Y#U<$s>'7O]tZk:)ag%W/md^[hZCa2g}x߃f?~"|oc=W.{>:WB<_3ZG<m&ۻJy,Ό}zcJ5o^:ƓxO/Zf.hkoaKB 6PL4Sw;,K4+n7gWZ^Zk^mKO xᦛiZK2 B_k:$٠\Ho`|x~/J|;Xvo2T ҼAoVhZ~XY꺕hq\+@W _|FofW^1<5mx77o|}_ݟc)-k)E +u)O쏢;>*Kw/? 7'kZ|@NޥJwn|1se9,4Yoc%@?@2X^Ş:T`մ#G-ᾷ(5-#S𥮥杨[[X,pCqFsW[_~*k#=xPOln?J qm"K ,Jhʺ |m~aO9Oxo,sWĒSԼ5?}՟Es/>nዝoĚ)si,>7~:'QO~>|,;Wzkچx 3I K m\:, 4&7#SmխEi@=U3t5o|%y>.|F=>yGYii,K1uw]wdzuYiL/stm/);Zk/>?j|?rŖn?Z^|9ҭ_1_ ķZ>coKm,']}]d<+u_^ڶj4_xT55(#%[Z"I"KP?_m7@#w9-fn?|)u%0Yj=s^5Ɣ:w;?ᮽ_V4{OW$mUm]2da~ ~+|]UҤȞ: u;|0O]Cewi> ^wU ΝE$Kw(iP>& |㏋"Y|:/h. t)iz4@ħV/xWMoῈ:Z]>Vھþ.~yA,oc?)|W3ćULԞLҧ7Zxo\5Xz~>6W֖7)@~*k Mc+X/5=+Q/:M(/4-fC9fuV&)Qj50ƥC}=;P 4[{$GY~k;]O5SėFM5KtI,4b}KCM6E̺{I8R[kT/.? t/3XhZ}Z="nW& RU_$Oۍ?-"]|2ĺN=;M>tm'Zt[Mk;@uK&<| A---~(xNß {CS.߇ZEvé\k}ZX~ Y'Gon!h6~&]ĺğjxXėR=%,>4;qK΀9N:ǎo<0|eէk?VZd]GTӼ#]yǁ}}AFt;MF,4k[ƚ\[ֱY6jZEΡ+%q=Iss4Jn 'x IE@|^"Ϡht{,ic:,aB]7?a/'gu|"xƚNjnu?l׌Ej>3} -xZ})uSC]=n '<⧁_~5 x0WX6QKiZXCiwjeͶc}:ՔR0Nٲ-f7_ubIޑsd\i1>,}CSjνo>4pjf{]! > ~.ᯇ${࿅_gu? x+fK\SkO hG "|rL7݀zީE3HO]x'_G7Z_eo']%i:%.%}{tpemk?Ëgğ |d:Oyߊ^2<1xkZŎ^XxT"Y6y>gKXtψ_uI~'k^'~(=o^"4M2K úv}:u4q0|uWzn[!|_^-2xᾇ[⯇U[ij7m Vh>#вIkS |bx#ŶG?;h㟍[x7k:w-=on+?k <0:RYZ~o?oWDžyo۟[_|yx¾~$i>ğ [XKZwѴi5+:p o+}]Z ikFNzďď9֒tװ 4 )]NciMc1/;zׁ)Gg$rYw썌#x_wLό'RǏ^x3V7F5 &K>~e-S7ij<olhڼFjqQf6\m!Czӿ:K?bN7?- s(/sׅ%x;A_(_5{xa=?¿ aK+wUvޤh8~֟boᯋ tφG-v=uu^ɢ OhQ k8!VKccgԖL}3WεjXz5qB ZjPJ(ԩRRc pݔSn*I8JJ!s"RI%v?E!xNnu/\DA<6H7XJ:A'gs .`tip5HpRFRXINqZkFFJ΍z3*E¥:n3(4鮬 s+?:K?bN7?-_4DŽ|IWr%nFYp2|Ԝ?:K?b<#@7ˆ|P1I]-g/ 6ʐ7`$_)0c|?t~&|S>#t_hxE~ ,ƺ>1<9_^=$k ?h|:GaMSw㞳q;Kzmś iv9L$:j''^P5wO7ܞ\~Dl~sd{q(/s ߀|E ZƟU񷇵Z;7$i%ՍxCN/VDh#`|uwz L|MCޕhݯ)τ>_Qu/$xr/"%Լ7\ -8?-Sg}F6 M|>YG⛍ST |Q'o#a C^ K/P]R0Eχ7?AWß/sLԬ<7h&,:i.m@~+k>){ZȱVyd4 |~4k~7[OiZ],<_'-7JĶW<5H_x_2/~9]`?O_| h?xwj:g~z-rVaXQ.>O=xsOo3}߅gO?{x#]uߋ7k5= -mwi8絖kvp~$Y~gw(|;׋5/:Q񏏾2ɧ-+? .+]i#/oM&o(xğ5~c˕4uUeJ>e`Scv2 2vk. YSī/S2JJ꺞*Ko< p|'lb4^.YS([w؟;~+=ԡ]z-'Rtư/i[GÿQZɑw%aJxkS.# V3 >OÙv?O We>[ӧRnUTQQB|x?m[q||1lF77akJ*#1JJ$ +d>C9/ȗPy3P[@~yGY z֏5]{ce_zsòk.o6L7n .c~߄?j_ ~:tj4~j>~]x^BӴ;;x~~ɲ໳=h/ kz/> x.^8uNjU/Z:w7^;_Jfw-<<@4\7ߧqz h?X >k~=WDe^+G\;㯁n#[)eŷi{Zܔtq87#SKM ~Sc#(|oڽV3Q_|0+ mNjv{UKψ>/cuF{&Z<)xK߁/#F F1e῏'w˧xŚΔCǧ^N[Ro#W=gGs+7.%|;jxWQ_oKsMKS ͢t{=}~kV'; _x־$Ԯ>PĶ>٥GM6n!.D\Pojl> *D |&]g#h7_|SG@5?hj~5{smiOr1;DoY'AC]OV/]~> x_$h嵱]"QxKAviysiK#j@!⫍<1O>~ܟ|{7ᮻW;[7/|4!.ojSư:i~n(>$v{C.|w+Q%񮉭X4| >!}m~#yl]6Gqr|ƿ  藓CavQI>( D$ @/_ @|xG{ᎃ g_^%$:> CķY:|ǂQ4}JS\=<_ -k]cl R[$B,PXȆ^ w$FNb-zg"oPj@"oPj@"oPj@"oPj@"oPj@G~^;>(oUν)<-G_ WYj~&-5=6F6}Z[nXXrK,"z  _FG[zz 7~(5oK 7~(5oK 7~(5oK_ӡ%[m=ɮ!"z+)A!޽t!޽t!޽t!޽t!޽tWN_hQ olC:\  kʩXB1P 7~(5oK 7~(5oK$6,R%ՠmndֵ'[U5ɒ:Ƌ0JMT(| 5w^Cֱ]kR71[\InLK4*[+41 7~(5oK_^ӥ ԯ|Wɮ:`J ,Ř`_m$%IJG0Ojn-KA92RCoq<%rȎxB{{Vm.$ֵ'ΞTV2@fr᧏nZg> moS"ɦ\"壕2YpA!?>|so m\S?]j1؝>%ͯlX$ <}^9w ov u8- Ko|^K'⠋>$Ą4}F[0$ÉxCljmLs,|v/_z%! AԄNG)_jPx%G)_jPx%G)_jP3w0Cj^3xCK<'|BYceH\鼏S¿ տ<+ [J<S¿ տ<+ [J<S¿ տ[PjN_J|VG&Q Ce+n1 ȅUz|S¿ տ<+ [J<S¿ տ<+ [J<S¿ տ>/ +^2ZZihʖ\} o4k/_4gi A-К (Z1d7ȇfmݠOWg -e@%B?Ym*?,oYoYP cЯ[ʀKTx_*o\&nL{4ɝAq ۸md!Mu7 ,e,Wg -e@%B?Ym*?,oYoYP/o$G~)ѯ̗M`|3m1@G%B?Ym*?,oYoYP cЯ[ʀKTX+j /ХkC:e5 ?pR?, `CK9P_ş,7 ,e,Wg -e@%B?Ym*?,oYoYP/?VZo2nG&=6؅|A?IW0YW l`_ş,7 ,e,Wg -e@%B?Ym*?,oYoYPOĭsǖþ&xG_ϸӭw#̙PvH[~T? ~.$~i+VյAo Y@>Ե=6xG,fH\Ewo&֖ O׎m[D4}~">i?V moշC@Vfg :~99߁(_Ohm[D4}~">i?V r~;oxVܓjx? }@gm?!mOhm[D4}~".O>jߋ>|X|>~">i?V moշC@m?!OvcfgŞ/aD=# >i?V moշC@m?!mZnmٛ! G@m9':+hoWxON-Uon& ,tH!i$ڊ(,Ku_9':+h]ρ??[@*_N| ?W|2sO$tV1_m|%;_x* X.-+C<2$RHOWԌ+)]ρ??[@*_N| ?W|2sO$tV #U  ]5r.Э [i-WBK5R diXR!5eB@/*_N| ?W|2sO$tV #U  ®eDHcŸ ~jqNVХd_/X`(cHUQTPO #U  ®eDHw/'>G@m9':+hweKO hV/G,3D9butp0h&yto4|/IY_3uK&6WD-v6i;mbx/:?|0ǀ{׈5J>_hNG:iMn|]k im>T/i>Ho Ij ??M)[{3}zI"" ho/(;/t?%.2CR>/t?%.2CR>/t?%.O>-3x,YwbA$L"I#P"̛Jy~>/t?%.2CR>/t?%.2CRoch4{$qbt>YO%18J60O#^*k?on>KAjnm!wQC+;:Ʒ AЍ"jð4vm,F3@ .Bw˚?%ԿN/Ps@$ %.hR;ĿC_'x(S #[|')|H?L'߬/ΡC) R;ĿC_'x(]K4KН_9xP$%(U{id˾ajḿœa:Iu/K?\ .Bw˚?%ԿN/Ps@$ %.hR;ĿCsW~!)OF<=XHьPic`H*ɹn K .Bw˚?%ԿN/Ps@$ %.hR;ĿC_'x(_~!#KRG-6߬)&906oVθz?%ԿN/Ps@$ %.hR;ĿC_'x(]K4|Tk_ž I|#c0+i /';G}F#m>|C.V7.姄 {i[H淞-6dhM$l 0  hOwஏc><}?x/žn:ϋ>0kmjϫMxqZjomw8v fD6"yŮm9dDiHv*1HG_O?&9@$z P A}?aG_Or^HfV|&na4|T o$z P A}?aG_O?&9@|AK`5f00ON3@W$z P A}?aG_O?&9@$z P1y @jþ*VoÀϨDd)?Ct?&9@$z P A}?aG_O?&9@|AGclY ,:}+rAPU A}?aG_O?&9@$z P A}?a^?RIe#4!Q@rK3x~ xoºW_K|Ե;Ŗͯl|%%uƟp^]j[@L,N]Ϩ~"xT mLVo_jChx@uAPv3G$k с|@?en< +:g<7oдC:Gmb{X̊ T PJu C6O1@@m+֟b-W ?r>twś1xPDajvE'jI 02I&:-W ?ZZ??i_.ahҿ]i(΋IF],-UV#ahҿ]i( PJu C6O1@@m+֟b9G2#N#>i5bF (f HC :-W ?ZZ??i_.ahҿ]i( P+ GU/W~-E-ajJxR mQT0( PJu C6O1@@m+֟b-W ?yōH aҴإ!x$F]a *AAum;~"G>K+]7+mu UֹA<[+i/]ejᴏ\xJZ[ў׼[G|+| ,|+5~ [2I[yt٬md$N >)_ᓨOF.-*h? <{4(c> w (G2rLR##1v<uw^hI cmxWoL6W C7[S:s-\[qHo챧+xÖ͖?׍ɩ'-k;ˏcxoWNt;YTt 9-g)@fïOF fe܍x3N68xyecӿ񎳥z׆·}qsoYڵ[K(nx>eJ35Gï^cl ~+[=? w⎕C$\wXkz_u^ <>1|9?4$k M~[qoel>դ$̋˲YUHfN|1?Xmc^?9csz+h? V)rT^`&]M՛1{9F_k gn,sz+h? V φ? +?[@gỏx2K_5enm9Tdz +?[@'>WN|1?Xmc^?9cm a7QijWu DRJ.ͫxټQ7<9ށsgݍeZI.j'kVNT~7T<;/hgÛV<:E#|yt$z%ՑG@ X8 ?*0 ?*0 ?*<&?~=ʀ /ʀ /xMCw ?*0 ?*0 ?*Vg?%p ?*0 ?*0O}V3a:N)'mKOxv4J,_?= }sOu~ /)N/e>Cߌ?:":aa3bvUFRJʈ#r (_X{'P ~2Ÿ\?bA_S@,_?= }s)㻘dn 9Ḛ̌4rFYYH~` bA_S@,_?= }sOu~ /)N/e>do9asMdSO4I).4VF&lҀ$Ou~ /)N/e>Cߌ?:X{'PQxp+,5l*3^$cWyY`YvY^Iٙ bA_S@,_?= }sOu~ /)N/e>^Ǟ8. [k\A*)9ԕ`A4PK! 7MydocProps/core.xml (_K0C{cc'ŁD-$wkX$ۛvVcrKA6X'*IRb +fQ81۶MI#'uWvUg9@ղymjѽnͶ#C̆:{ ?f.}᝾1Qj})/f,%Ә8nM>i1?]s4lDT,'PK!"( docProps/app.xml (Mo0  9]1 bH7nvgNc$OYwڍ/^=n+zLdrQ J<>_}1\X#oߨM ["[xDWRiZϝ&8i/CXwtY^{F_c}q |; 5yJ`M .XρSr.Ss%Y>RyG习m&ҪUC* O *C9)c3LJfTùv9Hn\",;ox9'& xaE8}n+yJ10vzYTNsAu&7[{O׍˛E̟;)y>mPK-!;H@l[Content_Types].xmlPK-!}T  _rels/.relsPK-!nxl/_rels/workbook.xml.relsPK-!^ xl/workbook.xmlPK-!iC xl/sharedStrings.xmlPK-!0k xl/theme/theme1.xmlPK-!鵧 Yxl/styles.xmlPK-!xy8xl/worksheets/sheet1.xmlPK- !sX[[jdocProps/thumbnail.jpegPK-! 7My3udocProps/core.xmlPK-!"( wdocProps/app.xmlPK zagate-excel-0.2.1/examples/test_ambiguous_date.xls000066400000000000000000000550001305530756100222730ustar00rootroot00000000000000ࡱ> +* g2\pMicrosoft Office User Ba==8i)8X@"1Arial1Arial1Arial1Arial1Arial1h8Cambria1,8Arial18Arial18Arial1Arial1Arial1<Arial1>Arial1?Arial14Arial14Arial1 Arial1 Arial1Arial1Arial1 Arial""#,##0;\-""#,##0""#,##0;[Red]\-""#,##0""#,##0.00;\-""#,##0.00#""#,##0.00;[Red]\-""#,##0.005*0_-""* #,##0_-;\-""* #,##0_-;_-""* "-"_-;_-@_-,)'_-* #,##0_-;\-* #,##0_-;_-* "-"_-;_-@_-=,8_-""* #,##0.00_-;\-""* #,##0.00_-;_-""* "-"??_-;_-@_-4+/_-* #,##0.00_-;\-* #,##0.00_-;_-* "-"??_-;_-@_-                                                                       ff + ) , *     P  P        `            a>    ||?@-}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(} _-;_-* "}(}  _-;_-* "}(}  _-;_-* "}(}  _-;_-* "}(}  _-;_-* "}(}  _-;_-* "}(} _-;_-* "}(} _-;_-* "}(}+ _-;_-* "}(}, _-;_-* "}(}- _-;_-* "}(}. _-;_-* "}(}: _-;_-* "}-}; _-;_-* "}<}1 _-;_-* "?_-;_-@_}<}2 _-;_-* "??_-;_-@_}<}3 _-;_-* "23?_-;_-@_}(}4 _-;_-* "}<}0 a_-;_-* "?_-;_-@_}<}( _-;_-* "?_-;_-@_}<}7 e_-;_-* "?_-;_-@_}}5 ??v_-;_-* "̙?_-;_-@_   }}9 ???_-;_-* "?_-;_-@_??? ??? ??? ???}}) }_-;_-* "?_-;_-@_   }<}6 }_-;_-* "?_-;_-@_}}* _-;_-* "?_-;_-@_??? ??? ??? ???}(}= _-;_-* "}}8 _-;_-* "?_-;_-@_   }(}/ _-;_-* "}P}< _-;_-* "?_-;_-@_ }<}" _-;_-* "?_-;_-@_}<} _-;_-* "ef?_-;_-@_}<} _-;_-* "L?_-;_-@_}<} _-;_-* "23?_-;_-@_}<}# _-;_-* "?_-;_-@_}<} _-;_-* "ef?_-;_-@_}<} _-;_-* "L?_-;_-@_}<} _-;_-* "23?_-;_-@_}<}$ _-;_-* "?_-;_-@_}<} _-;_-* "ef?_-;_-@_}<} _-;_-* "L?_-;_-@_}<} _-;_-* "23?_-;_-@_}<}% _-;_-* "?_-;_-@_}<} _-;_-* "ef?_-;_-@_}<} _-;_-* "L?_-;_-@_}<} _-;_-* "23?_-;_-@_}<}& _-;_-* "?_-;_-@_}<} _-;_-* "ef?_-;_-@_}<} _-;_-* "L?_-;_-@_}<}  _-;_-* "23?_-;_-@_}<}' _-;_-* " ?_-;_-@_}<} _-;_-* "ef ?_-;_-@_}<} _-;_-* "L ?_-;_-@_}<}! _-;_-* "23 ?_-;_-@_}(}> _-;_-* " 20% - Accent1H 20% - Accent1 ef  20% - Accent2H" 20% - Accent2 ef  20% - Accent3H& 20% - Accent3 ef  20% - Accent4H* 20% - Accent4 ef  20% - Accent5H. 20% - Accent5 ef  20% - Accent6H2 20% - Accent6  ef  40% - Accent1H 40% - Accent1 L  40% - Accent2H# 40% - Accent2 L渷  40% - Accent3H' 40% - Accent3 L  40% - Accent4H+ 40% - Accent4 L  40% - Accent5H/ 40% - Accent5 L  40% - Accent6H3 40% - Accent6  Lմ  60% - Accent1H 60% - Accent1 23  60% - Accent2H$ 60% - Accent2 23ږ  60% - Accent3H( 60% - Accent3 23כ  60% - Accent4H, 60% - Accent4 23  60% - Accent5H0 60% - Accent5 23 ! 60% - Accent6H4 60% - Accent6  23  "Accent1<Accent1 O  #Accent2<!Accent2 PM  $Accent3<%Accent3 Y  %Accent4<)Accent4 d  &Accent5<-Accent5 K  'Accent6<1Accent6  F (Bad4Bad  ) Calculation| Calculation  } * Check Cellz Check Cell  ????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextB5Explanatory Text  0Good6Good  a1 Heading 1B Heading 1 I}O2 Heading 2B Heading 2 I}?3 Heading 3B Heading 3 I}234 Heading 44 Heading 4 I} 5InputpInput ̙ ??v 6 Linked CellF Linked Cell } 7Neutral<Neutral  e.Normal  8Noteb Note   9OutputrOutput  ???????????? ???:$Percent ;Title1Title I}% <TotalHTotal OO= Warning Text: Warning Text XTableStyleMedium2PivotStyleLight16`,Sheet1.Sheet2>1Sheet3,8 s + ccB g2 .n.  dMbP?_*+%&ffffff?'ffffff?(?)?MC 4dXXA4" dXX333333?333333?&<3U ~ >?D>@ggD g2 0  dMbP?_*+%&ffffff?'ffffff?(?)?MC 4dXXA4" dXX333333?333333?&<3U>@ggD g2 23  dMbP?_*+%&ffffff?'ffffff?(?)?MC 4dXXA4" dXX333333?333333?&<3U>@ggD Oh+'0@HT` x Microsoft Excel@d@՜.+,0 PXd lt|  Sheet1Sheet2Sheet3  Worksheets  !#$%&'()Root Entry Fp62fWorkbook3SummaryInformation(DocumentSummaryInformation8"agate-excel-0.2.1/examples/test_ambiguous_date.xlsx000066400000000000000000000221301305530756100224610ustar00rootroot00000000000000PK!O 2d[Content_Types].xml (̔N0M|f+`bapK%gk{VC@ެ~;mpjmƻRU^7+!rZYk@1 a)p#%V Lc_LU ׻wrU |c>;`~Ʈ fi)lՁ9uuS3hܲBɋ[VgL`hwc-](iAߢL SG4^hgdҩ5\tof54ȔXU5=0hC(Gq&[kjkyrg1 jyk8֬GaI]#L@u"'gCr"İTOp oDL]@ OIW$' 3I݊0~g8aVgkQy: ʻWkZ>\y7KY,SFmd|{xzPh~ Jd |@7Tޥ\]k~Ȱ9Rq ^ÌEt8kڠքeZZECmb2A2Ps9SUJrVףxKo+/?{t/].'_R_6v߽7o_֙4+;CY~*6 ]Qt^,^^L٥=]~P5Xv9Duy4Ca{Gлp[0eVKf8ƻF lvRcVSލV4BΌi1^ȾB|I%_E2δJ'$&y67PK!$xl/worksheets/sheet3.xmlMo0 k9G N1,(Àaֳ,ӶK(fiGK: D|ַaPXEQjacW韏wWlccP#d}yf}@btϜVdCQ^Z`YBLN` G=VwEy eO^ vt0$A~|Z"xo݉=aƖ yKK4Bڬ/ FA[ f=!wV5n|o*-[\s|7Tm3|7Z%~\~+g|'G清cV,> lvRcVSލV4BΌi1^ȾB|I%_E2δJ'$&y67PK!&w1xl/worksheets/sheet1.xmlMo0 kGv,(Àa鶳,ӶK$%iGH:,;`@|_|hk^d9g`v5pj7oTG0DFj>J!ȐKozFF L6? # 0﵂ IF?څͨkpF(4t|U>l'\Ğ c>fKWb%T&v桯(׷ :(-L"t4'Β-.%> jEș1@o!sҁߴ<+zMkZs>z2PK! 鎲xl/sharedStrings.xml4A 0T" B;fR3S.?v4 qȣ; <939@+~YLQR&/uy䒂Ve)4xh#LWr|t[ު-5PK!t3*Z< xl/styles.xmlTk0~0zOxIeij(te ز#FxcNc;t=wnς/Td TdtBD+IcPn"cN'Jmdmd'*J8)ĂKl*MIn\8n La#j)Qˎ3x,lPJɑCdl",ʨN`}1 %Q5Aji+v6R};rV Fqe+X:TI"h{fXAM }I?} $*,2'CSA) rԤq%t:ƿº4+OްrQYrFJ% w6nz({'oUsZ>1"s\1\ >u \o'UśZNn\ۆFGt\O8elzc͸eODh~m5iݞx:pӂ gZ2[_؋"Ft0*gh@ jb~qOj]Mr^nwnۥY85Z/6nnڮioE]óPK!D9QdocProps/app.xml (n0 d@V1zXI3'ӱPY2DHmuqYlX.r7X÷"#_  qF;)K-<fn7RZ$' NiO_5,uw+(O`wS<-*nxW|8yFO>l{QޓǧbEHIHM|bٍz<2$4$"NYjBן PK-!O 2d[Content_Types].xmlPK-!P|NL _rels/.relsPK-!;xl/_rels/workbook.xml.relsPK-!e# xl/workbook.xmlPK-!$0 xl/theme/theme1.xmlPK-!$xl/worksheets/sheet2.xmlPK-!$xl/worksheets/sheet3.xmlPK-!&w1xl/worksheets/sheet1.xmlPK-! 鎲xl/sharedStrings.xmlPK-!t3*Z< gxl/styles.xmlPK-!D9QdocProps/app.xmlPK-! BQdocProps/core.xmlPK 6!agate-excel-0.2.1/examples/test_empty.xls000066400000000000000000001650001305530756100204430ustar00rootroot00000000000000ࡱ> !s  $%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrRoot Entry FP:f"Workbook\=SummaryInformation(#XDocumentSummaryInformation8 l\pMicrosoft Office User Ba==a98@"1Calibri1Calibri1Calibri1Calibri1Calibri1*h6 Calibri Light1,6Calibri16Calibri16Calibri1Calibri1Calibri1<Calibri1>Calibri1?Calibri14Calibri14Calibri1 Calibri1 Calibri1Calibri1Calibri1 Calibri"$"#,##0_);\("$"#,##0\)!"$"#,##0_);[Red]\("$"#,##0\)""$"#,##0.00_);\("$"#,##0.00\)'""$"#,##0.00_);[Red]\("$"#,##0.00\)7*2_("$"* #,##0_);_("$"* \(#,##0\);_("$"* "-"_);_(@_).))_(* #,##0_);_(* \(#,##0\);_(* "-"_);_(@_)?,:_("$"* #,##0.00_);_("$"* \(#,##0.00\);_("$"* "-"??_);_(@_)6+1_(* #,##0.00_);_(* \(#,##0.00\);_(* "-"??_);_(@_)                                                                       ff + ) , *     P  P        `            a>  ||> }}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-} 00\);_(*}-} 00\);_(*}-}+ 00\);_(*}-}, 00\);_(*}-}- 00\);_(*}-}. 00\);_(*}-}: 00\);_(*}-}; 00\);_(*}A}1 00\);_(*;_(@_) }A}2 00\);_(*?;_(@_) }A}3 00\);_(*23;_(@_) }-}4 00\);_(*}A}0 a00\);_(*;_(@_) }A}( 00\);_(*;_(@_) }A}7 W00\);_(*;_(@_) }}5 ??v00\);_(*̙;_(@_)   `@O `}}9 ???00\);_(*;_(@_) ??? ??? ???`@O ???`}}) }00\);_(*;_(@_)   `@O `}A}6 }00\);_(*;_(@_) }}* 00\);_(*;_(@_) ??? ??? ???`@O ???`}-}= 00\);_(*}}8 00\);_(*;_(@_)   `@O `}-}/ 00\);_(*}U}< 00\);_(*;_(@_)  }A}" 00\);_(*;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*23;_(@_) }A}# 00\);_(*;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*23;_(@_) }A}$ 00\);_(*;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*23;_(@_) }A}% 00\);_(*;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*23;_(@_) }A}& 00\);_(*;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*L;_(@_) }A}  00\);_(*23;_(@_) }A}' 00\);_(* ;_(@_) }A} 00\);_(*ef ;_(@_) }A} 00\);_(*L ;_(@_) }A}! 00\);_(*23 ;_(@_)  20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L˭ % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  L % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23 % 60% - Accent3M( 60% - Accent3 23 % 60% - Accent4M, 60% - Accent4 23f % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23Ў % "Accent1AAccent1 Dr % #Accent2A!Accent2 }1 % $Accent3A%Accent3  % %Accent4A)Accent4  % &Accent5A-Accent5 [ % 'Accent6A1Accent6  pG %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 DTj%Dr2 Heading 2G Heading 2 DTj%?3 Heading 3G Heading 3 DTj%234 Heading 49 Heading 4 DTj% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  W%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title DTj% <TotalMTotal %DrDr= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium78dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`;Sheet10<Sheet2I+ PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1g;#=\;S8MklX(*|C:]g.Gp m2:ȍc _nLkjt>.&< :bo~PS4J3.F-r-{^j5_ e`B exw[ݞ_2|oT:=aW|]z^m1zl|oШ7(3},@)$qjghU"J)qN<[q*J˟TFFLΐIJ~ ^] |1I>rbXd[廿뷟߿>tu|' J>4vw?~_XwR4#c<ė,+fEӁWp]{؀Ga.|1e5'r.-£e2O.u.ls(1R_.@Zeac8‘9Ɩ='Ĉp5$#26 ictLbFRmeԶ0pc j!?Z \PL"HWDL1eN9@ggD l <  dMbP?_*+%@"@333333?333333?U >@ggD  ՜.+,0 PXd lt| ' Sheet1Sheet2  Worksheets F$Microsoft Excel 97 - 2004 WorksheetBiff8Excel.Sheet.89q Oh+'0(HPp 'Microsoft Office UserMicrosoft Office UserMicrosoft Macintosh Excel@"bѼf@ iڼfGLlM  EMFD@   N  NQxMNP(x N(N CompObjpagate-excel-0.2.1/examples/test_empty.xlsx000066400000000000000000000521321305530756100206340ustar00rootroot00000000000000PK!EY)^[Content_Types].xml (T;O0ޑWjځ0%1K>K;T-=r|ktْVN*۔m߱ Rhgd;@6]_M;b=X`΃H^T+Fr6y8lX=m YILxU%"]hn.vV2c]JA: r`!2ƒE);~kjZ7g7G[XL!PpC& d/b\zk\(|$uҌgcBQ/#KDKMg;@/l.WN 3A}3.1PK!xl/_rels/workbook.xml.rels (j@ â{[J)YRCe&G$4m HhclD},ޅj rD]I's|ך\,DiB-LmlW~{@uᩖA({~5+ ЦQE&3ܓx3Iߊ/ iC"G] S~7/>:PK!Hy9xl/workbook.xmlTn0?+V/8^PEd=mᢒT w$ՎS_"ΐ7of8l𞙱\ 1Eu.Cw+<*ЊeYt4ke3T:WM0d ]1'[m$qa%cN )+#LG0v)[hZK\b ےW&G$1OuS-+pKrz=RU߈loĺe+2݆ 8 Ώ6g1cs[ÞJݰ57 *jOKl5qW!|o!CrRؖİW0YC!q"39_Mh 9z&]޾ ٺ^UP}w WB%qzt0KϑM۞J3#\VOu=q v{k(;f0뢇8 O> EHAeڥ-EI` bj]Buy^U,fȿxXW$Eomjc<> Mēû %pkIvlQ(>GkFdaYA~$aGUI(m۽$e3ZJG|{!PK!KH xl/styles.xmlTۊ0}/%iҍ$XؖBRlˉX]$vK#ٹl>hth}+:1cV)1U蒫C#*Њcg%u펌9ʦ\$G&)8ԁiֆKRxHIsSG5u<炻.pa$AiCsRɌg`0ʍ{2&1,rQz>Yj돼#% ep\JǬ[QECP^#^L\W,9f 4}W9 & RfIM smٕ%UWjӵs휖c3]TU0!v~оU/RJXF |om?/!`yÅol]"'=4JVF0W% ?i(R|}]HZdaSauoh1^-6jgfa!K`ӖVvڡ՗O\ft۟ WPK!^7zxl/worksheets/sheet2.xmlMO#1 +ܙLYSBp@B =L$%.Tezf'y^aʎbgEFK]__N O+ìo'?[J#B̕1 4`R4u& 7geyayY\$2ݐ` ֛RQ;x7A vEJP{>;{`O>8(S˅~cih(mW JieɝKghYV5z,|#ٚjxKk7ޣz 7ʜ7f+ 8? ƇRbV۩R甅L|K)^ʪV-&_PK!xl/theme/theme1.xmlYn6wtZ%l[hnebCH'5{a7v؞=)"cO tb 9wӔ:8e=qslFE}8:f 5?DS@jaNPm&Ԏr[&Xn "G3io炗Y2}U6mkX'lVS '-ă#Q{@j5v Gu߅֘Ie!BDBZXt-,:&T(n]ԶQEKR♌Sq εFz3d@亷{wEE Z$4L ٩\gUH zPhw>F\JA3熭bscrb}es1D<)DP;=Wv 4S5 ,.ʧFn8zص WU&[AOم3 p(9#p*.ML*rD *g] -VBN<^=UKiY͙Y.oXUnmu7Zj%ubBШU$]]ԮqAy"aPr bT.<; 6}1\nr "OEF'g ~ F5{NoAj74"-c8E\s1KL]quhvqγ9m58ԺQ8 è=?wsGZ؈z~[kfo;#\@ (}UPK!nxl/worksheets/sheet1.xmlMO0 H(wnƦu1!8 !9M6ZWؿ4@e7;v}w b 9r) lh pq#E"*0@!wlŸN- &TȖ+L ^ ;\1zMF.KީqO6=aOa`][+4NϟZۥ͛Sp^0;FY P)?5.]is`[1aM~c35SLZ.* zEw#)r1aaŢ7D\%UG/Q:=O[Qk jqGMK|:a=y[A2'+M <ؐzhJ<㘰/O(!kyͳK)jDMzhPK !O33docProps/thumbnail.jpegJFIFHHExifMM*>F(iNHH8Photoshop 3.08BIM8BIM%ُ B~ }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyzCC ?|3 O?9Dҥit %Y,-I$,;K3I$@xWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@|)"ڀ7 ( ( ( ( ( ( (?|)"ڀ7%? jW^^(F4m:ނgI $m +_M@ +_M@ +_M@ +_M@ +_M@ໝ&Kx^y>9^oRk_[ZX GaQT%xK (%xK (%xK (%xK (%xK (yx?Hn$:=΃45[|ڳQwTp;O@< BW@< BW@< BW@< BW@< BW9ox#w^ }ׄ<ω_><ω_><"ƕw[_4_qO(Ou0-ߞHO*?3}< y?1[@3}< y?1[@3}< ?:O-|֙<ω_><ω_><ǃ<",|փZ\Kʴ EK9icwd@4?1[@3}< y?1[@3}< ]_δ@.1jGIwiK)ld@|,m|mtŜo=96d7ω_><ω_>|jσ|Z/-|g:\{ʻͺKO8qdtI4|)"ڀ7! m]K:tn>>9RmsKx`tqo,S %H匲:u?x/ A]x/ A]x/ A]x/ A]x/ A]q__;O^(G|ޙ ɿUt*]rr0a`h7_ '7_ '7_ '7_ '7_ '7|#m\Ö>4E$+,nFꮎX(4K(4K(4K(4K wƞD#ŞI4A^ҙeTE[Up'W~2xpE42\r,zuItt`X7_ '7_ '7_ '7_ 'nj|#s[x×AK4K0I$;*G+;PX@|)"ڀ7|cep,y?;J)hXdg$n/ +KmAa?$n9?k&#Ş=PZBF'j"(誡FuZ_l?7@V@6 tei H?Z_l?7@7m7Nz3ae#ec^ 8+KmAa?$n/ +KmA|;8k 3he%I'$Y6 tei H?Z_l?7@V@NikLu:V #S.س7tVfkX 36jK11y$O't_Z_l?7@V@6 tei H?ra<5W7uo&6R0E*A%1Kc>%^c ~/X? }@wC?[4m&?J|rf;ƾ [5ȖX!1@=3u?c ~/X? }@wC?~;_EP?/"oyk&~֚`'Qu2Uxkh˶=ʇyR}1Kc>%^c ~/X? }@wC?[֞4ox=u lm QqcTj2[[ cz7}1Kc>%^c ~/X2?X2¯"G^91i.IRnːH7kT𥧍6`99M,q:ƒ̞8IdT¼ #`P ? }@wC?~;_EP?/"o񽧍~/k[/qm]O]GgHh&U1|)"ڀ7|-? hU,,n>(Rk+%XO?hҿ?d+7O?hҿ?d+7O?hҿ!vUW#"Q{W0^x_|xfC$S(Q '4i_| CF '4i_| CF '4i_q}i6~"m":uߪ_HGWa4' Wo7@,ѥt' Wo7@,ѥt' Wo7@> x.~ ͯ {^fiVK 'u=hO4nY>JO4nY>J/[]^Mzq۝UE@W¿m[OM2) i4rŧۤpTw Y>JO4nY>JO4n9@]|[ik=6{ +yFTQK|)"ڀ7-Z( (On( (:/SwtP@??(oLTP@Կj|-bZ }"'Rh|)"ڀ7-k}?=ϊYCh/g^M9-6*`@_#-=VjOxc9(mx&?[@#-=V1Wm5T'm^4_ഺ{k[/9HQ@:G<[ES{D+hsſQ5?'1?oMO G<[ES{7i#oB:h?N/U,{4{6GʪsſQ5?'1?oMO G<[ES{D+hsſQ5?'1<xoxFkj6KH-Bk VK6J,CHtx&?[@#-=VjOxc9(me~ZhRK:Ji)h&Ce!roO xrH|}&VrE7!Y%ӚY%!sĚsſQ5?'1?oMO G<[ES{D+h|٧w^פ/ė1&t[4k2Itl|)"ڀ7%m;LZ[xIW^(bU[ᯆkFn9E0]|[]|[]|[]|[]|[[/`n;nMto>;nMto>;nMto>;nMto>;n9oxIWCI?  i6_mse&9 C#kϗ3tkϗ3tkϗ3tkϗ3txHE#[?KLQ{IT_Q'GH|ʠO0x_pY4x7"-lbIђ IH\x|9̽ 2xG—Wn5_x.@[_o7ÒtFnf0:C|sz?e>O?^C|sz>xZ:L?+C+oR'ģyS#m]!>x|9̽ 2C'ß}7/@!>x|9̽sǂ#p5e˥Z8MɥidWlt 2C'ß}7/@!>x|9̽eE>94AR\xx [II@G(mm_ L7ˠ }xjIQ1$8E, 2C'ß}7/@!>x|9̽s>5|[p5zf ť]9C&0L˔E<2لr:|)"ڀ7/i4|]jN|PjҬ-.-lKn01 N~PyH l?m@&БڀM#_)BGSaj?7xGWqxwm?oY<]4fLo!d`Jq@BGSaj?7o7 :M-o:M֋u -' xƊ*nO',´?!GiCZ'P Nj?@+O :9=u<#ysE-߆4 M2O>k,B@Pj?@+O :V?u<@+Qx*W= $-/P7ZUVV#!<=A@|->ROq!OG!oUAgbUQ €o´?!GiCZ'P Nj?@ύ~:-":ͼJ){BREV 0|)"ڀ7.-_O+ƞ$۟aߺ?.8v6` D˟?D˟?D˟?D˟?D˟пi?)? GS?#vmS|Rgo7yWſP j?zj?zj?zj?zj?z0+w6o$C$^f߳~v1g*LehNWyy^wb|<3}ln /j?zj?zj?zj?z2lPN{=X~蕉SIoBC)[A;'Gc۶I;c)~]>S>MAB|!\dm(?qȐ/M<('M!B"qBDq-%Z =+UH!nArn}m\W G_By@1&;2؞Z}q~p6 e:OhQrnS̹tU;k2 u_ָZuRH߼~Ixb66CDCzPI6á{Wsc0pw&G;zo"g>l!:vhw>Mծ6 J&%|+/i jg3%PK-!EY)^[Content_Types].xmlPK-!}T _rels/.relsPK-!xl/_rels/workbook.xml.relsPK-!Hy9xl/workbook.xmlPK-!KH xl/styles.xmlPK-!^7z?xl/worksheets/sheet2.xmlPK-!xl/theme/theme1.xmlPK-!nxl/worksheets/sheet1.xmlPK- !O33CdocProps/thumbnail.jpegPK-!bI{0LdocProps/core.xmlPK-! S86NdocProps/app.xmlPK {Qagate-excel-0.2.1/examples/test_numeric_column_name.xls000066400000000000000000001650001305530756100233240ustar00rootroot00000000000000ࡱ> !s  $%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrRoot Entry F!x"Workbook<SummaryInformation(#XDocumentSummaryInformation8 m\pMicrosoft Office User Ba==a98@"1Calibri1Calibri1Calibri1Calibri1Calibri1 Calibri1Calibri14Calibri1 Calibri1Calibri1Calibri1,6Calibri16Calibri16Calibri1>Calibri14Calibri1<Calibri1?Calibri1*h6 Calibri Light1Calibri1 Calibri"$"#,##0_);\("$"#,##0\)!"$"#,##0_);[Red]\("$"#,##0\)""$"#,##0.00_);\("$"#,##0.00\)'""$"#,##0.00_);[Red]\("$"#,##0.00\)7*2_("$"* #,##0_);_("$"* \(#,##0\);_("$"* "-"_);_(@_).))_(* #,##0_);_(* \(#,##0\);_(* "-"_);_(@_)?,:_("$"* #,##0.00_);_("$"* \(#,##0.00\);_("$"* "-"??_);_(@_)6+1_(* #,##0.00_);_(* \(#,##0.00\);_(* "-"??_);_(@_)                                                                       ff + ) , *     P  P        `            a>  ||>!}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-} 00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-}  00\);_(*}-} 00\);_(*}-} 00\);_(*}A} 00\);_(*ef;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*ef;_(@_) }A} 00\);_(*ef ;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*L;_(@_) }A} 00\);_(*L ;_(@_) }A} 00\);_(*23;_(@_) }A} 00\);_(*23;_(@_) }A} 00\);_(*23;_(@_) }A} 00\);_(*23;_(@_) }A}  00\);_(*23;_(@_) }A}! 00\);_(*23 ;_(@_) }A}" 00\);_(*;_(@_) }A}# 00\);_(*;_(@_) }A}$ 00\);_(*;_(@_) }A}% 00\);_(*;_(@_) }A}& 00\);_(*;_(@_) }A}' 00\);_(* ;_(@_) }A}( 00\);_(*;_(@_) }}) }00\);_(*;_(@_)   `@΋ z`P}}* 00\);_(*;_(@_) ??? ??? ???`@΋ ???z`P}-}+ 00\);_(*}-}, 00\);_(*}-}- 00\);_(*}-}. 00\);_(*}-}/ 00\);_(*}A}0 a00\);_(*;_(@_) }A}1 00\);_(*;_(@_) }A}2 00\);_(*?;_(@_) }A}3 00\);_(*23;_(@_) }-}4 00\);_(*}}5 ??v00\);_(*̙;_(@_)   `@΋ z`P}A}6 }00\);_(*;_(@_) }A}7 W00\);_(*;_(@_) }}8 00\);_(*;_(@_)   `@΋ z`P}}9 ???00\);_(*;_(@_) ??? ??? ???`@΋ ???z`P}-}: 00\);_(*}-}; 00\);_(*}U}< 00\);_(*;_(@_)  }-}= 00\);_(* 20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L˭ % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  L % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23 % 60% - Accent3M( 60% - Accent3 23 % 60% - Accent4M, 60% - Accent4 23f % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23Ў % "Accent1AAccent1 Dr % #Accent2A!Accent2 }1 % $Accent3A%Accent3  % %Accent4A)Accent4  % &Accent5A-Accent5 [ % 'Accent6A1Accent6  pG %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 DTj%Dr2 Heading 2G Heading 2 DTj%?3 Heading 3G Heading 3 DTj%234 Heading 49 Heading 4 DTj% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  W%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title DTj% <TotalMTotal %DrDr= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium78dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`;Sheet1I#CountryCanadavalue . + PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1g;#=\;S8MklX(*|C:]g.Gp m2:ȍc _nLkjt>.&< :bo~PS4J3.F-r-{^j5_ e`B exw[ݞ_2|oT:=aW|]z^m1zl|oШ7(3},@)$qjghU"J)qN<[q*J˟TFFLΐIJ~ ^] |1I>rbXd[廿뷟߿>tu|' J>4vw?~_XwR4#c<ė,+fEӁWp]{؀Ga.|1e5'r.-£e2O.u.ls(1R_.@Zeac8‘9Ɩ='Ĉp5$#26 ictLbFRmeԶ0pc j!?Z \PL"HWDL1eN9@ggD  ՜.+,0 PXd lt| ' Sheet1  Worksheets0s x F$Microsoft Excel 97 - 2004 WorksheetBiff8Excel.Sheet.89q Oh+'0(HPp 'Microsoft Office UserMicrosoft Office UserMicrosoft Macintosh Excel@ehcf@0s xGLlM  EMFD@   N  NQxMNP(x N(N «±ͱȱҷͱܷ׽y½yȥyȟҫȥyͽyyͱͽѾ׽ͥͥ·Ҽҽ׽«ñ±ҷ׽«˜y׷ҫͫҫͱԷŸ‘yCompObjpagate-excel-0.2.1/examples/test_numeric_column_name.xlsx000066400000000000000000000551211305530756100235160ustar00rootroot00000000000000PK!;H@i[Content_Types].xml (N0EHC-Jܲ@5*Q>ē/y=VTĊsǓl %#T))eFaBɶl6,0l%kcwcՂX8" FD Zht+g#ؘNM'Pㆶw$βݹΪd{* wQޛ@@_t7YAI[o/eR^AI"gao4taܲ.յ@jekBb .Zy?FAHwxdbjs=snEM~jqн瑦..;$!*8 He;8Ȟv Ǜ7hPK!}T _rels/.rels (J0rߦl&R`66dFj=Nfv7ځa "m\+k,&pr(#UW K3>]JA: r`!2ƒE);~kjZ7g7G[XL!PpC& d/b\zk\(|$uҌgcBQ/#KDKMg;@/l.WN 3A}3.1PK!nxl/_rels/workbook.xml.rels (j0 }qҍ1F^Ơ-{c+qhbKɠMt\ 'g&WP%&w >׻'[= &$շ774OH"xR㳔dNҨ9ɨAw(7e(3O ރhm| sD"$4DSOUNh9.)k0՚0!!iɹS]٬ `2K9Gyvq/PK!kIFxl/workbook.xmlT]o0}N ȇS4Ziڵ}vfw K`_ {ν^~3cV"0Euձ@7_ U+C^-P\ҚIbtAh6֌9)pE9+4 ,[0)hJb ۚ7vD-p @EQiClD+hɩV@zPrzqi|W1ck[^,ط{m%< ]$Z# o,TBm_CIۚVbr!(uD6x&3y_Mh 9\.daqUؐT9[Gs<xuH+N#4@iL󡩡%^r͒EI" |yMt$ijaNPm&Ԏr[&Xn "G3io炗Y2}U6mkX'lVS '-ă#Q{@j5v Gu߅֘Ie!BDBZXt-,:&T(n]ԶQEKR♌Sq εFz3d@亷{wEE Z$4L ٩\gUH zPhw>F\JA3熭bscrb}es1D<)DP;=Wv 4S5 ,.ʧFn8zص WU&[AOم3 p(9#p*.ML*rD *g] -VBN<^=UKiY͙Y.oXUnmu7Zj%ubBШU$]]ԮqAy"aPr bT.<; 6}1\nr "OEF'g ~ F5{NoAj74"-c8E\s1KL]quhvqγ9m58ԺQ8 è=?wsGZ؈z~[kfo;#\@ (}UPK!KH xl/styles.xmlTۊ0}/%iҍ$XؖBRlˉX]$vK#ٹl>hth}+:1cV)1U蒫C#*Њcg%u펌9ʦ\$G&)8ԁiֆKRxHIsSG5u<炻.pa$AiCsRɌg`0ʍ{2&1,rQz>Yj돼#% ep\JǬ[QECP^#^L\W,9f 4}W9 & RfIM smٕ%UWjӵs휖c3]TU0!v~оU/RJXF |om?/!`yÅol]"'=4JVF0W% ?i(R|}]HZdaSauoh1^-6jgfa!K`ӖVvڡ՗O\ft۟ WPK! z*xl/worksheets/sheet1.xmlQo0 ';Dy/naҴus#1Jrwo?;4xcg߽yIsVam[_ϏW9AZhG!? 0"X_.!«`Ӡ32ZL/8^ #3!s0i f^wz'Qtp tqrfTZtiT'dV=6!"=V "yiQv)}=2_YOAiOW1hq+Β|wkh?t]ӈY}܀W$1W}mdeh]Ԇ$['zO4s^?ߗdMd8XPPR'yW'ꬮuL[(cu}-|ֳIܬ`90vsY!9Y 5jb[~/PK !N : :docProps/thumbnail.jpegJFIFHHExifMM*>F(iNHH8Photoshop 3.08BIM8BIM%ُ B~ }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyzCC ?|3 O?9Dҥit %Y,-I$,;K3I$@xWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@"^k&ӿxWN%_?m;PZ 1@|)"ڀ7 ( ( ( ( ( ( (?|)"ڀ7Cm#w> )D]oT3/|5e]Vѵi>YwzsxF}(GǞ%j#K]$k^)"?[i>.&g| ^{ uQWu-[zuZe_ ^ G?| .M7uoǾ_ ? `GxF^_|#sKih.u[]CPsXt~.֬gݟ?+ׯQ֭zvvS-wr@ 2RQu7oOJx[տk|6 jqiM~^wh0xF%'U|:՟B';_S冕yxJoOvZg5+9oქÚ|Ck|;{P>x+.o<%᛫Oss&V4,4T]EU(Е/&DЕ/&DЕ/&DЕ/&DЕ/&D[]ׂuu [\O*im&IfY-ZIeFgGfwv,ı&:@< BW@< BW@< BW@< BW2x"-X/V9b #?i $r%рee9R20ET𧁼q ?-4o>,d=7K}.#^Oijcׅ V@Եo xkYV{`I|3vV:cHoߎN7S{|N>jw5L85]gR>\7B]Tӯt ;*,ao:w>|"2xoxRM$|f@|1$6qK7xt⵺_^_xόc]?.4A+7$uoO&kk_0m{]OGkQ5zZ&]ZY>>&ϧc3gx:+hCUm|Om\Y>|g==~z1"Gib^iڇ|A&ѵS¾44j5+g+MF &K{Y?>_ _5u(kiq!K3Xtb]6l-%T>&ϧc3gx:+h>&ϧc3gx:+h>&ϧc91;_5ƁV孿&ϧc3gx:+h>&ϧc93_-νmn"bY#i6eRM|)"ڀ7qYwΫ߆"/~4&'n?_~V/z叉.|WxJ|;_x€56K/ hεk/ط&<e؂x<-h%4ز/L>$e7Ǿ,` E#MbIn>>9RmsKx`tqo,S %H匲:|]ҵ|3sK|m*0k,1x'>+R]ׇ?hYxGh>Ҿ4?|U}@T_^3ߴ6xe4ox7k:Ǎ>xT<3^,>x/Ϭ7~4𧄿h|DmO _gĉf}|bWh^5Ӽ^ |[~'ᝎ3)-'g]t_:-O?tO|=->7ԭxbEӯBsx.lo+ύ?5~ ?jY|GxkN٧ xOǷZW;ωm]'T|x|%o#V}3F_'wC~j |cJƟ|Sǿ -^nDuO{ž6O|Acoo^(SA]k=9Կn=>kk^!5,#xǻje2\<j/xsQм6ͪK=JO' j_72peHmfG>oZ4oZ'._N<C.N<C.N<C.9ox6 }ϊ|9oqoo<\SA4ZMK =Ҽr$nU 8_ ƒI?8_ ƒI?8_ ƒI?8_ ƒI|i4Mb8Y$J5)ݭ&UDU,@UPI'q@|'/Ao A77 4SC.,Rǧ[$IWF  N<C.N<C.N<C.N<C.9x7> }|9qqqAkdO4MqC Q4K#qU|)"ڀ7|cep,y?;J)hXdg$n/ +KmAa?$n9?k&#Ş=PZBF'j"(誡FuZ_l?7@V@6 tei H?Z_l?7@7m7Nz3ae#ec^ 8+KmAa?$n/ +KmA|;8k 3he%I'$Y6 tei H?Z_l?7@V@NikLu:V #S.س7tVfkX 36jK11y$O't_Z_l?7@V@6 tei H?ra<5W7uo&6R0E*A%1Kc>%^c ~/X? }@wC?[4m&?J|rf;ƾ [5ȖX!1@=3u?c ~/X? }@wC?~;_EP?/"oyk&~֚`'Qu2Uxkh˶=ʇyR}1Kc>%^c ~/X? }@wC?[֞4ox=u lm QqcTj2[[ cz7}1Kc>%^c ~/X2?X2¯"G^91i.IRnːH7kT𥧍6`99M,q:ƒ̞8IdT¼ #`P ? }@wC?~;_EP?/"o񽧍~/k[/qm]O]GgHh&U1|)"ڀ7|-? hU,,n>(Rk+%XO?hҿ?d+7O?hҿ?d+7O?hҿ!vUW#"Q{W0^x_|xfC$S(Q '4i_| CF '4i_| CF '4i_q}i6~"m":uߪ_HGWa4' Wo7@,ѥt' Wo7@,ѥt' Wo7@> x.~ ͯ {^fiVK 'u=hO4nY>JO4nY>J/[]^Mzq۝UE@W¿m[OM2) i4rŧۤpTw Y>JO4nY>JO4n9@]|[ik=6{ +yFTQK|)"ڀ7-Z( (On( (:/SwtP@??(oLTP@Կj|-bZ }"'Rh|)"ڀ7-k}?=ϊYCh/g^M9-6*`@_#-=VjOxc9(mx&?[@#-=V1Wm5T'm^4_ഺ{k[/9HQ@:G<[ES{D+hsſQ5?'1?oMO G<[ES{7i#oB:h?N/U,{4{6GʪsſQ5?'1?oMO G<[ES{D+hsſQ5?'1<xoxFkj6KH-Bk VK6J,CHtx&?[@#-=VjOxc9(me~ZhRK:Ji)h&Ce!roO xrH|}&VrE7!Y%ӚY%!sĚsſQ5?'1?oMO G<[ES{D+h|٧w^פ/ė1&t[4k2Itl|)"ڀ7%m;LZ[xIW^(bU[ᯆkFn9E0]|[]|[]|[]|[]|[[/`n;nMto>;nMto>;nMto>;nMto>;n9oxIWCI?  i6_mse&9 C#kϗ3tkϗ3tkϗ3tkϗ3txHE#[?KLQ{IT_Q'GH|ʠO0x_pY4x7"-lbIђ IH\x|9̽ 2xG—Wn5_x.@[_o7ÒtFnf0:C|sz?e>O?^C|sz>xZ:L?+C+oR'ģyS#m]!>x|9̽ 2C'ß}7/@!>x|9̽sǂ#p5e˥Z8MɥidWlt 2C'ß}7/@!>x|9̽eE>94AR\xx [II@G(mm_ L7ˠ }xjIQ1$8E, 2C'ß}7/@!>x|9̽s>5|[p5zf ť]9C&0L˔E<2لr:|)"ڀ7/i4|]jN|PjҬ-.-lKn01 N~PyH l?m@&БڀM#_)BGSaj?7xGWqxwm?oY<]4fLo!d`Jq@BGSaj?7o7 :M-o:M֋u -' xƊ*nO',´?!GiCZ'P Nj?@+O :9=u<#ysE-߆4 M2O>k,B@Pj?@+O :V?u<@+Qx*W= $-/P7ZUVV#!<=A@|->ROq!OG!oUAgbUQ €o´?!GiCZ'P Nj?@ύ~:-":ͼJ){BREV 0|)"ڀ7.-_O+ƞ$۟aߺ?.8v6` D˟?D˟?D˟?D˟?D˟пi?)? GS?#vmS|Rgo7yWſP j?zj?zj?zj?zj?z0+w6o$C$^f߳~v1g*LehNWyy^wb|<3}ln /j?zj?zj?zj?z2?j(U+(OskɍtcYJƂImb֭K йѿt(vR^b8"0"atU Mo]]>1qB^ S|]/PK!}VFdocProps/app.xml (Mo0  9: bH7bvgNc$Wvڍ/^>+zLdrQ J<~\|1\X#?M ["[xDWRiZϝ&8i/CX7 0=  !"#$%&'()*+,-./3456789:;<R F&U1Workbook[SummaryInformation(2DocumentSummaryInformation8 g\pChristopher Groskopf Ba==d-8@"1Calibri1Calibri1Calibri1Calibri1Calibri1 Calibri1Calibri14Calibri1 Calibri1Calibri1Calibri1,8Calibri18Calibri18Calibri1>Calibri14Calibri1<Calibri1?Calibri1h8Cambria1Calibri1 Calibri"$"#,##0_);\("$"#,##0\)!"$"#,##0_);[Red]\("$"#,##0\)""$"#,##0.00_);\("$"#,##0.00\)'""$"#,##0.00_);[Red]\("$"#,##0.00\)7*2_("$"* #,##0_);_("$"* \(#,##0\);_("$"* "-"_);_(@_).))_(* #,##0_);_(* \(#,##0\);_(* "-"_);_(@_)?,:_("$"* #,##0.00_);_("$"* \(#,##0.00\);_("$"* "-"??_);_(@_)6+1_(* #,##0.00_);_(* \(#,##0.00\);_(* "-"??_);_(@_)"$"#,##0;\-"$"#,##0"$"#,##0;[Red]\-"$"#,##0"$"#,##0.00;\-"$"#,##0.00#"$"#,##0.00;[Red]\-"$"#,##0.0050_-"$"* #,##0_-;\-"$"* #,##0_-;_-"$"* "-"_-;_-@_-,'_-* #,##0_-;\-* #,##0_-;_-* "-"_-;_-@_-=8_-"$"* #,##0.00_-;\-"$"* #,##0.00_-;_-"$"* "-"??_-;_-@_-4/_-* #,##0.00_-;\-* #,##0.00_-;_-* "-"??_-;_-@_-                                                                       ff         P  P        `            a>      ||@L}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-} _-;_-* "}-} _-;_-* "}A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef -@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L -@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A}  _-;_-* "23-@_-_) }A}! _-;_-* "23 -@_-_) }A}" _-;_-* "-@_-_) }A}# _-;_-* "-@_-_) }A}$ _-;_-* "-@_-_) }A}% _-;_-* "-@_-_) }A}& _-;_-* "-@_-_) }A}' _-;_-* " -@_-_) }A}( _-;_-* "-@_-_) }}) }_-;_-* "-@_-_)   h y.}}* _-;_-* "-@_-_) ??? ??? ???h ???y.}-}+ _-;_-* "}-}, _-;_-* "}-}- _-;_-* "}-}. _-;_-* "}-}/ _-;_-* "}A}0 a_-;_-* "-@_-_) }A}1 _-;_-* "-@_-_) }A}2 _-;_-* "?-@_-_) }A}3 _-;_-* "23-@_-_) }-}4 _-;_-* "}}5 ??v_-;_-* "̙-@_-_)   h y.}A}6 }_-;_-* "-@_-_) }A}7 e_-;_-* "-@_-_) }}8 _-;_-* "-@_-_)   h y.}}9 ???_-;_-* "-@_-_) ??? ??? ???h ???y.}-}: _-;_-* "}-}; _-;_-* "}U}< _-;_-* "-@_-_)  }-}= _-;_-* "}-}> _-;_-* "}-}? _-;_-* " 20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L渷 % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  Lմ % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23ږ % 60% - Accent3M( 60% - Accent3 23כ % 60% - Accent4M, 60% - Accent4 23 % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23 % "Accent1AAccent1 O % #Accent2A!Accent2 PM % $Accent3A%Accent3 Y % %Accent4A)Accent4 d % &Accent5A-Accent5 K % 'Accent6A1Accent6  F %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 I}%O2 Heading 2G Heading 2 I}%?3 Heading 3G Heading 3 I}%234 Heading 49 Heading 4 I}% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  e%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title I}% <TotalMTotal %OO= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium48dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`=not this sheet >data"Cnumbertextbooleandatedatetimeab=M 0  PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1gMԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK! ѐ'theme/theme/_rels/themeManager.xml.relsM 0wooӺ&݈Э5 6?$Q ,.aic21h:qm@RN;d`o7gK(M&$R(.1r'JЊT8V"AȻHu}|$b{P8g/]QAsم(#L[PK-!pO[Content_Types].xmlPK-!֧6 -_rels/.relsPK-!kytheme/theme/themeManager.xmlPK-!0ktheme/theme/theme1.xmlPK-! ѐ' theme/theme/_rels/themeManager.xml.relsPK] g ^>  dMbP?_*+%,",??3U >@@ggD g Y?[  dMbP?_*+%,M com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket PMPPDPaperCodeName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDPaperCodeName Letter com.apple.print.ticket.stateFlag 0 PMPPDTranslationStringPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDTranslationStringPaperName US Letter com.apple.print.ticket.stateFlag 0 PMTiogaPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMTiogaPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0 0 12233.333333333334 9600 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -300 -300 12900.000000000002 9900 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0 0 734 576 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -18 -18 774 594 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.ppd.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.ppd.PMPaperName Letter com.apple.print.ticket.stateFlag 0 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PageFormatTicket Mz/%2e&g(HH(dh "d??U }  ,,,,     ~ ? ~ >@@?}'}P@~ @ ~ >`@?Q@  4<FHH>@@ggD  ՜.+,0 PXd lt| 'NPR not this sheetdata  Worksheets F$Microsoft Excel 97 - 2004 Worksheet8FIBExcel.Sheet.8 Oh+'0HPp 'Christopher GroskopfChristopher GroskopfMicrosoft Macintosh Excel@{@&UGPICTI HHI IHHzR<IIUo{o|kZ{kZ{kZ{kZg9{kZ{wckZ{kZ{wcg9{kZ{wco{{kZ]o{swco{sJRwo{RNso{R{o{{Zcg9o{sRwo{]k[o{{co{ZVZo{VR{o{Ro{{Zg9g9o{s^o{akZo{wco{kZco{ZVo{sRg9o{{RVo{wRg9o{,kZVZo{o{o{o{o{o{&kZs{s{s{s{s{swo{c w{w{{w{{V{w{g9{^ wZwwwskZwswwwZwc{w{Vwc{w{co{{wwwwww^wNsJRVg9JRVVRF1R=RF1{wwRBRF1^F1wNs VF1g9JRF1NsZNsNsRRwkZZNsJRwRJRcBNscF1ZJRVNsF1JRRJR{wwo{c wkZg9kZVcssg9Rg9^o{g9w^ckZg9g9Zw^ZkZZo{Zo{kZ^kZZg9sg9w{ZcZg9^g9g9wcVcZkZkZZsZkZkZg9kZo{^w)s{wwwwww&kZswswswswswswccwkZ{wwRV^g9o{o{Zcw)g9g9kZwg9Zwsg9ZwkZo{{^kZ{kZsg9sRg9wRVwZswwRwRsw{Zswg9o{F1JRRVBsw*{JRJRVo{=VkZZVcwJR{Vo{^sBo{VwNs^^wNs{Zo{o{sRwNswwNscwNscwo{9cwg9o{RRZBkZw*{BsBo{ZcBVwg9F1kZF1wF1kZR^Vo{JR^Zs=kZNss{Bg9=wo{9kZ=g9wEwwwwwo{{o{wo{o{{wMkZo{s{s{{wtw{s{s{ww{{s{s{s{{ww{swg9RwNscwMw {BsNs{^JRo{F1sw*{JRJR^ZRRccVZwJRRw{ZVs^kZRcNswNso{F1{g9cJRg9wwo{RwRwN w wNs{JR^R{F1wF1{w)VRVVZRwZNsg9wV{co{Z{Bo{VRZZ{V^o{g9VVBswwNswVwwJ~zw wJRg9BJRRkZNsVw)VVVZ^kZ{ZJRwZ{co{Vc9ZVRckZVJRw=F1JRwwo{g9wVo{ww {so{kZ^g9^sZww*{ZwZ^o{o{^ZkZ^kZcw^o{cg9^wco{wZo{^{ZkZ^wo{o{co{w)kZo{s{s{s{s{s{s3wcwwwswwww7wZRwwsJR^wwww7wo{RwwsNsZwwww)w{wwwwww&kZswswswswsws1wcVwwwwww1w^{wwwwww1wwJRwwwwww1wo{o{wwwwww)kZo{s{s{s{s{s{s1wg9g9wwwwww1wJR^wwwwww3wRZ{wwwwww1wcZwwwwww)o{ws{s{s{w{s{w3s{so{w{wwwwww3wsR{wwwwww1wkZo{wwwwww/wswwwwww)s{wwwwww&kZswswswswsws1wcZwwwwww1wVNswwwwww1wccwwwwww&o{s{s{s{s{s{s)w{wwwwww1wVRwwwwww3wRVwwwwwww3wkZNs{wwwwww/w{wwwwww)kZo{s{s{s{s{s{s7 wV{^Z{wwwwww7 wZ{Nsg9kZwwwwww7 wVwRZwwwwwww5wg9o{wkZwwwwww&o{s{s{s{s{s{s5wg9{wo{wwwwww5wV{Vwwwwww5wNso{sJRwwwwww)wwwwwww)kZo{s{s{s{s{s{s5wNs{g9Nswwwwww5wZ{Rwwwwww5wZ{g9o{wwwwww5wg9sg9cwwwwww)kZo{s{s{s{s{s{s5wc{scwwwwww5wZ{wRwwwwww7 wVw{V{wwwwww5wg9o{kZkZwwwwww)s{wwwwwwCompObjbagate-excel-0.2.1/examples/test_sheets.xlsx000066400000000000000000000666661305530756100210120ustar00rootroot00000000000000PK!;O><8 1msOBAߎtnx0uоMd7OoPK!}T  _rels/.rels (MN0H} PnRwLibv!=ECU=͛f0={E tJFkZ$H6zLQl,(M?peKc<\ٻ`0chGaC|Uw<ԀjɶJ@ت` %TKhC& Ig/P|^{-Ƀ!x4$<z?GO)8.t;9,WjfgQ#)Sx|'KY}PK!Gxl/_rels/workbook.xml.rels (j0{-ȹBmB^[&$}EBS{1=,z5#u)(:ε v7 u*`S]__לHe+)X4e>KAsAnQy 4Lm} b7wo7:P!9qa ԱEVpG( wK2}Z :b1]xJ1`%a>}ܓEu,a)6#Ͼ PK!>*xl/workbook.xmlRM0W|'t4jZUk`6Um^z{fGՒ`4*0~z (q늷FCA_|0l̅ vm6aD@c6VqW{]gW YeRacԵ7WbFvy-[x\uBcKI˝?TCUf>*2Ӱ|U`I=]BK3esfgtA a* dգd|2<'YYK#sEd%aN oFf9=;oC  I4%v#`O,7hk/8JV[S@$"FZV~|c$.eC_,=mz8[ K,Mv%)y52J kJ.ۂ[&BKw,]q9ɱgErA뚗PK!鵧 xl/styles.xmlVo0{k+(IMBêJe^ l;;PA ݪi}r>f-Z1cV10b*9WeggYGUNV, &!aClUSBl`s]1_ m$u5%a4H 2 \a*S@$5˺:˴)5 #MoK Mi=x3.9]!V8Ml(9|>fW{QW4M~k,x71Fڐ lXߘW_f;^tŘA Wƴ дblYH) jV1RC0{ ,KNY.Vxjb@xl~Nm{T(ּ͑b$vHE5ĽBn^p]~yL` ش# _GU牳>MZ AQ8"yeKVΣ\oGjm :cA5l)g^ jJ`%}c|SXBl.[4Kb 50ˆR}wNǃ8D1`k ѭ6R:Ή!;uKlE!kX& y8 ^!J-[c)cSlu%Nh|Qh$XNs-=t.>lJlI80st{pQ8Kvӎ}+>ucݶh:'KIUK6잨 o4Y g~ |4Pά1(K)ar>2mTއMn2pQ$u '$xpZ7wڸ/*8wahvGiK8Zp2 %- K=eA}~pe=@~~δdщ PK!0kxl/theme/theme1.xmlYOoE#F{oc'vGuر[hF[x=N3' G$$DA\q@@VR>MԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK!- xxl/worksheets/sheet1.xmlMO0+|ohhA+H]8;$ꏬVhN!q%q|Y&or61tuN]SBNO]h"A 9mblـaZrވYh=2]2M91#=aaR6N CF(iNHH8Photoshop 3.08BIM8BIM%ُ B~ICC_PROFILEappl mntrRGB XYZ   acspAPPLappl-appl descodscmxcprt8wtptLrXYZ`gXYZtbXYZrTRCchad,bTRCgTRCdescGeneric RGB ProfileGeneric RGB Profilemluc skSK(daDK.caES$viVN$ptBR&"ukUA*HfrFU(rhuHU(zhTWnbNO&csCZ"heIL itIT(>roRO$fdeDE,koKRsvSE&zhCNjaJPelGR"ptPO&nlNL(DesES&thTH$ltrTR"fiFI(hrHR(plPL,ruRU".arEG&PenUS&vVaeobecn RGB profilGenerel RGB-beskrivelsePerfil RGB genricCu hnh RGB ChungPerfil RGB Genrico030;L=89 ?@>D09; RGBProfil gnrique RVBltalnos RGB profilu( RGB r_icϏGenerisk RGB-profilObecn RGB profil RGB Profilo RGB genericoProfil RGB genericAllgemeines RGB-Profil| RGB \ |fn RGB cϏeNN, RGB 000000  RGBPerfil RGB genricoAlgemeen RGB-profielB#D%L RGB 1H'DGenel RGB ProfiliYleinen RGB-profiiliGeneri ki RGB profilUniwersalny profil RGB1I89 ?@>D8;L RGBEDA *91JA RGB 'D9'EGeneric RGB ProfiletextCopyright 2007 Apple Inc., all rights reserved.XYZ RXYZ tM=XYZ Zus4XYZ (6curvsf32 B&l }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyzCC ??y-īj>xuEknh {W;?O|*u't1@QO_*\.|y*2{65 13|q?|1?;τ;7妟cڋ/--HmOI<(PI+tX@# |1j0|qz`3P/u_j=LG׿x?[SPpUιs↍x\t}S' j/,nnmͦ ո'd3[~xǶ|ecGƚ͝K{]Zğ-u("H<_k} 7(X㻶(2P|3%x#|Y#xsBX2 GQdž4 \hsiKy*Jyv=З8񾩮x:R9C;G_at׈l4^γȈ,IoDiW%Б{?$j6.h  1˚?CBFo БZZ׿6d7U xھڷj00gWc*d(ox_!#W?s@Hm\5xc4ox_rN/ZUF쳻 ]X *#fH ox_!#W?s@Hm\5xc4ox_r~ֵuYx5O(Yg1(̡b32j?CBFo Б{?$j6.h  1˚k (#WVM0;'\~xoZ޽*3U42jTFnjȪ DWPBPM5xc4ox_!#W?s@Hm\WY&iȦ~k ג[5?6pg ZIcqHy "8`~|Mu6xVW~-.|AAsmqn<2],MFꮎXP_mi/~+jlu? |Oi ,]'W|VOQo|[{uW&~g-ޠ:}+~g\ \xcđ4Α\;,K$F\E, G=P G=P G=P G=P G=P)q?i3 oJ1/D-`39U#$#:J<7A#6rJ<7A#6rJ<7A#6rJ<7A#6rJ<7A#6r9-#Ğ_xFxpF+6FtZ(?(?(?(?(|?i5) R(k`Z95GYpx9rw%o9@%o9@%o9@%o9@ l#%XF*|? E.$sEI `[VfC)e8 ":J<7A#6rJ<7A#6rJ<7A#6rJ<7A#6r<Lj ^? kKi#Q[Hm¢" 2̀,H@x y{ G@LI۴O4o$ij#I4ՎW<|/ ŤxV4Vcԯ< GQchjvzn_xKlN>3V\o<5'дY^𿉝i lѣ2*Y;mZo?im GV6nmZo4+"??>X#f ɠGV6nmZo?im GV6n9#Iҏ|`Lʤ>ئ ѳ3Ͼ( GV6nmZo?im CN}3Ob/Z)k+cMj"v:mZo?im GV6n>Ҵ܅b?mz>I ;sxoD,elYmXy,zrII4ch +Mo7@6@7m?t./$MD"Y۫ 6#*VF1@>xT|>+:v/I4 φwgf|?%Ŷ9.Rfp\@P"{~Bmx=Exd 74W^"h$_+4)gycNpR :?I@wiJ?eCNP/t%&撀ӣ)74i,IS](|+1(baws,jTe܀WwiJ?eCNP/t%&撀ӣ)74gx IOIZ|U%ҖUþlI;/d)l s0Eu2GRoi( :?I@wiJ?eCNP/t%&撀9?i,k]k.,B˺en)!bHu1̓ :?I@wiJ?eCNP/t%&撀wv>|Sckg88(VwZQBьq?%C[Fx1!Qgx I;_4JM%2GRoi( :?I@['O׈ehp^4Y*%0˳;V>|Vt bW3S%j:~X_,}bo8ym |l@(>'Ï*m#߄ C{CMEmsYD/ZVGK=[om[Eqss-ҳ|M5s3|A=عմT׈4r7&2pFJWwB9@%w)aWwB9@%w)aWwB9@ljte"^cռ2E ~x2GQ ] ~%XЧ_P ] ~%XЧ_P ] ~%XrW>-x_Leƶo˴iǙ(?,?rJS/(?,?rJS/(?,?r9O]d x]+Dmdn߼HAuЧ_P ] ~%XЧ_P ] ~%X5SvU"~%HHOQh#3<kL_ ~.E,~I[GF2AV@,[;9xHv\k"<\xjw<;9נm><ӡxɍGŦAqaUV2ܬW0Qo$B #9;/շC@m?!mOhm[D4\^Zw7m<%0O2u 3dp1mOhm[D4}~">i?V r=wX>|X8|{thm[D4}~">i?V moշC@/-Eqxwdr}:PaOhm[D4}~">i?V 2K?.OoOTxx+@[<7 ӭA u_moշC@m?!m\oUnmٛ Vx$8 I(~|S|96|>xWC-eyY I,3;Nh;_?(|)l^s|=e?CB_/^ ik9qxB/nmIkqP_^ּyx:e$i4XO WO6d*r7ƍAPL?¿/h.t_o[? 7 WnC+Bo7@DŽ2MѦE.=C/ 7@#ڇ'1j8x3t='WF\q@:G_x_/ú2yYۧ[ U7Bʤ:oK$[_ʀK$[_ʀK$[_ʀK$[_ʀ8&{jZt ~G%r'|-x_Ʊi־.ip,h#)ikZlZŖ/~ ]+A_[׈u ?,Wr2؈arx[ 䁒O qhMc}~`>m?0i?r?9@ſ'z9D;ϚDžxH6Po(Mc}~`>m?0r=ſ%2?h `+FpO@m6Po(Mc}~`qn-5B3Ppu8#996Po(Mc}~`d6}Q~P1[qq#Z&A ×ڎmOIt%yK#3O|-+XOu?S g&B|)sx G?2hNOAVasy.qwn,v:(J`{]Cӟ.DӖOٗk~,]iCCWĘgٷ?߳Ļ/_ ;𖸚O58QZҵlϱZ~\|_🈵>8I׏zDM~LO~-:vec1+ eϗ?*hJ/+?T >^$W-+|IS@&ZWx _9[iLc"*|3)g2_ٞk *F(΁:L'#Mi_O%|Gʚ?2ҿğJ4eϗ?*hJ/+?T'L_xSiС|3#]0r /eϗ?*hJ/+?T >^$W-+|IS@&ZWx _9?xLZ i/J< 7N=1đ#lPY >^$W-+|IS@&ZWx _L'#M5eq/d|G(?ʀ9xLBZ/? xX]:Ǧ^$W-+|IS@&ZWx _8+nx;M}dZHo^YY#9i%, o2].G{GXxPEaxm^eV)>D/?KG7g´ѴOtFxΆ7:M?Ămh?o~ ;|!ēXx/:O. '+=g])7ֵv Ju[ɵMT&.-~5mwt'SC,gRZEGFuHԾ xO c> xO c> xO c> xO c> xO cn &H:E|@QƃCWϘ$eFsIʨ"u_g'Eg'Eg'Eg'Eg'ErzL45O ^U`l<*15hʍ.APa:ϳ{X梀{X梀{X梀{X梀{X梀9?A3ky:xI:לSđɎ6 +I!?-?'j(?-?'j(?-?'j(?-?'j([xO7ǧ&xTx]!>ьI.I*t}$H.r#@BO[OkP[OkP[OkP[OkPVOO2Z ;}Uwib4"9J#ȭѸhVCwoWé/6o? cAjJDMe{IX,#>\?b^j]fK~֛"~_m4Q|Irl=XK' ZźT؞X t??g{_m?g{_m?g{_m?g{_m?g{_msw^$%%1h: wAM"W~r%@:?i3=i3=i3=i3=i3=9 }V;\^$oKi M=EbBv(1C=+h1C=+h1C=+h1C=+hO|eeR?^4?ʀ0)H 16ė1hzUcAd[щOd$N ?c{'V ?c{'V ?c{'V ?c{'VM:&+-[zƟchz+5Ռk<^WT\MPK!iCxl/sharedStrings.xmllQN0 I!;K)I8m5Rt!x\#iBHe߲dמdިHnۀ!(SfNm85uè:ﬕ~3qsI52i}<؄yaP, =$QqVgI<Tf?u[ǟPK!6*Q?docProps/app.xml (Ao0 Y1 bH7nvgNcdOv#>S=^PE!+|} 1 | X#5oM&vH"G*eܭ"` rJS ۴WŻh_Z E^1TX]urJ\U=]6cygWgSXxGjħEܦ3Kr|4VVo-x\#L P@# ۀKdtϫ-$ \JR΀mjwD&a;ݍY\\ $ ;["& 'D8#pvVFq]/z@*I?}vCȺ[?Ew?iu~7PK!a&/\-m|9"Q\Zr\ cRFI,ZWה+Fi0xUiF!Uekl89n1=0#Hn 8Zbu`ZLmw:ǝ?`u]ԥC P5e+s)] {e6̺q{cjTKyIWwILf!!a<+ M4N?ো*! xl/workbook.xmlPK-!鵧 5 xl/styles.xmlPK-!THSkxl/worksheets/sheet2.xmlPK-!0k>xl/theme/theme1.xmlPK-!- xxl/worksheets/sheet1.xmlPK- ! }hIhIdocProps/thumbnail.jpegPK-!iCBdxl/sharedStrings.xmlPK-!6*Q? #s  !"&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrRoot Entry FÊ+y$Workbook4@SummaryInformation(%XDocumentSummaryInformation8 m\pMicrosoft Office User Ba==dd<8@"1Calibri1Calibri1Calibri1Calibri1Calibri1 Calibri1Calibri14Calibri1 Calibri1Calibri1Calibri1,8Calibri18Calibri18Calibri1>Calibri14Calibri1<Calibri1?Calibri1h8Cambria1Calibri1 Calibri"$"#,##0_);\("$"#,##0\)!"$"#,##0_);[Red]\("$"#,##0\)""$"#,##0.00_);\("$"#,##0.00\)'""$"#,##0.00_);[Red]\("$"#,##0.00\)7*2_("$"* #,##0_);_("$"* \(#,##0\);_("$"* "-"_);_(@_).))_(* #,##0_);_(* \(#,##0\);_(* "-"_);_(@_)?,:_("$"* #,##0.00_);_("$"* \(#,##0.00\);_("$"* "-"??_);_(@_)6+1_(* #,##0.00_);_(* \(#,##0.00\);_(* "-"??_);_(@_)"$"#,##0;\-"$"#,##0"$"#,##0;[Red]\-"$"#,##0"$"#,##0.00;\-"$"#,##0.00#"$"#,##0.00;[Red]\-"$"#,##0.0050_-"$"* #,##0_-;\-"$"* #,##0_-;_-"$"* "-"_-;_-@_-,'_-* #,##0_-;\-* #,##0_-;_-* "-"_-;_-@_-=8_-"$"* #,##0.00_-;\-"$"* #,##0.00_-;_-"$"* "-"??_-;_-@_-4/_-* #,##0.00_-;\-* #,##0.00_-;_-* "-"??_-;_-@_-                                                                       ff         P  P        `            a>      ||@L}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-} _-;_-* "}-} _-;_-* "}A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef -@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L -@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A}  _-;_-* "23-@_-_) }A}! _-;_-* "23 -@_-_) }A}" _-;_-* "-@_-_) }A}# _-;_-* "-@_-_) }A}$ _-;_-* "-@_-_) }A}% _-;_-* "-@_-_) }A}& _-;_-* "-@_-_) }A}' _-;_-* " -@_-_) }A}( _-;_-* "-@_-_) }}) }_-;_-* "-@_-_)   `@΋ "`P}}* _-;_-* "-@_-_) ??? ??? ???`@΋ ???"`P}-}+ _-;_-* "}-}, _-;_-* "}-}- _-;_-* "}-}. _-;_-* "}-}/ _-;_-* "}A}0 a_-;_-* "-@_-_) }A}1 _-;_-* "-@_-_) }A}2 _-;_-* "?-@_-_) }A}3 _-;_-* "23-@_-_) }-}4 _-;_-* "}}5 ??v_-;_-* "̙-@_-_)   `@΋ "`P}A}6 }_-;_-* "-@_-_) }A}7 e_-;_-* "-@_-_) }}8 _-;_-* "-@_-_)   `@΋ "`P}}9 ???_-;_-* "-@_-_) ??? ??? ???`@΋ ???"`P}-}: _-;_-* "}-}; _-;_-* "}U}< _-;_-* "-@_-_)  }-}= _-;_-* "}-}> _-;_-* "}-}? _-;_-* " 20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L渷 % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  Lմ % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23ږ % 60% - Accent3M( 60% - Accent3 23כ % 60% - Accent4M, 60% - Accent4 23 % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23 % "Accent1AAccent1 O % #Accent2A!Accent2 PM % $Accent3A%Accent3 Y % %Accent4A)Accent4 d % &Accent5A-Accent5 K % 'Accent6A1Accent6  F %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 I}%O2 Heading 2G Heading 2 I}%?3 Heading 3G Heading 3 I}%234 Heading 49 Heading 4 I}% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  e%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title I}% <TotalMTotal %OO= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium48dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`=test.csv"Cnumbertextbooleandatedatetimeab=M 0  PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1gMԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK! ѐ'theme/theme/_rels/themeManager.xml.relsM 0wooӺ&݈Э5 6?$Q ,.aic21h:qm@RN;d`o7gK(M&$R(.1r'JЊT8V"AȻHu}|$b{P8g/]QAsم(#L[PK-!pO[Content_Types].xmlPK-!֧6 -_rels/.relsPK-!kytheme/theme/themeManager.xmlPK-!0ktheme/theme/theme1.xmlPK-! ѐ' theme/theme/_rels/themeManager.xml.relsPK] m l>?  dMbP?_*+%@M d"d??U }  @@@@     ~ ? ~ >@@?}'}P@~ @ ~ >`@?Q@  4<FHH>@ggD  ՜.+,0 PXd lt| 'NPR  test.csv  WorksheetsP+y F$Microsoft Excel 97 - 2004 WorksheetBiff8Excel.Sheet.89q Oh+'0(HPp 'Christopher GroskopfMicrosoft Office UserMicrosoft Macintosh Excel@{@P+yGLlK  EMFD@   L  LQxKLP(x L(L ҷ׽ͷ±ͽ׷ȷ±±ȽȽܷͫҫͫ;ͽ½ڼͥf\f\pyp˜y\O\Offy®yyyyf\f\pypŸ׷fͫ·ȑȥͥ˜ypypyyyyyyfpf\f\˜ypypyͱͽ׷ȷ±±ȽȽpfyȥܷҫͫ;ͽ½yyf\f\pyp˜y\O\Offy®yyyyf\f\pypͽȥȑȥͫf\˜ypypyyyyyyfpf\f\˜ypypyȟ·ͫ˷ҽyɱ«fpȫ«fpȫ«Žͷͷ«ŷͷͷ̽yyyʘyͥyɽpşƘypşƘypñнpͷͷCompObjpagate-excel-0.2.1/examples/test_skip_lines.xlsx000066400000000000000000000653071305530756100216460ustar00rootroot00000000000000PK!;H@i[Content_Types].xml (N0EHC-Jܲ@5*Q>ē/y=VTĊsǓl %#T))eFaBɶl6,0l%kcwcՂX8" FD Zht+g#ؘNM'Pㆶw$βݹΪd{* wQޛ@@_t7YAI[o/eR^AI"gao4taܲ.յ@jekBb .Zy?FAHwxdbjs=snEM~jqн瑦..;$!*8 He;8Ȟv Ǜ7hPK!}T _rels/.rels (J0rߦl&R`66dFj=Nfv7ځa "m\+k,&pr(#UW K3>]JA: r`!2ƒE);~kjZ7g7G[XL!PpC& d/b\zk\(|$uҌgcBQ/#KDKMg;@/l.WN 3A}3.1PK!nxl/_rels/workbook.xml.rels (j0 }qҍ1F^Ơ-{c+qhbKɠMt\ 'g&WP%&w >׻'[= &$շ774OH"xR㳔dNҨ9ɨAw(7e(3O ރhm| sD"$4DSOUNh9.)k0՚0!!iɹS]٬ `2K9Gyvq/PK!bjxl/workbook.xmlTn0?+dI~R( m3Mk>Te*I^̥Hr~H=1cV 1Eu!C6yUЙYt0?isi}@ U3--$JWL^Il0Rؒ1' ŒpzCd ‾-ye4I/ʧZVセssz=RU_l bݺJaO0uuSsxg/nWi`\O[u\(]'Q_R; SWCT0KǞ^؏wY[]9:#;{K\Fd[P], rXlKbXZL`Y "0NW ry&ɾn摫B:YC;x+$ }bP:0..:kMPslAnT> 4}j!B@l [។ .8B1`N`l]>9nx:NpH8 'MxZ7dM~ 慸Ȏ`4a<^ٞm%9UF8:oI4Z'%HցOM(虫l.* 1dĔ߫߿zz᳣?=ztG!Jco^>U?|ϟAS^|gO^|=7T}nSƕ ( NuW%3M\P<|)Yf:-Y n*ؿUq;qmwC՜cNB1IF!SuK>T>EmL&ӁHS4}:lCm|Zo} G>a©ej[X%>!w"Rc8FDJV~C}S)9"7^'ifI܃h+|8{8>ܥ#4@:n>Se;:IeQdۀM̗<7yaģl@VnQ* +\~uyZJO{mys!elW%M-az f2,<ˢwp >*Mp}{݌,X\¼hmFT 6zCb#x:olvВfpŖbu+\Սh(:*gU5Aaײü,>q^-*X9+MBh]םϚ@9]qF0YݱlbY5XZjs`.\98M^B%lԞ&ڦ6fI\Heb}h^bˍ͆7 H!Ivt]KC+O̱Itl$v0l N״+uzep9fyjOg&g&J̝ֈye7ʝ_oJjT ,E! t.T¡ {νLhZx Ƈ#f_}aACc$(l'*lCY2w zX`d""̭OX_e]@jR;}AX(&ywwҟhT~e+X3'7Sβrbh؜Vp^7>߁ڊAT_U "HH{5>Y-vA庐iTi첉rsr|.,غGSgn&sqUћp?bA-Lt x4..:=&e 'DZAS666#ZI\B-KӉK 2Bd=ڙu3gWKuLvY3w:x.`2ux Kfp é^-*&dPK!- xl/styles.xml]O0}CⶴVIJLګ8?"ہvN( 4큧]6L(2U}I:#KdF4BkjISh%6Dhim1ؤK*9P'WZ ^`ShJ2n $4LD%۲JIJ9̮.trJ9WWI7=^T+r{s]/xASJZ6BYJu/ Xsš> p+XH x$IxN gs<5'uED}BkN <χ3KqX:Z?5Q` D8r 8FTo$ZB{{a[{q8W:)չ"!ulUZ%1PpX @T)ڍӏ|k @"<U|B85X0) ,Ŝď7. 6Yh/-n?/pjȐ/Gq{hnMM*b{MVY ܿSkɀ["*pPŹYL[c%I1 ,˨LWt)*)ډo9Ù&yx^#?ߔxKZMCUdU;kmќlFь]s];e5puDWߠ,BΦYQgpHp: ,w߭c ?Y &hkZZȅ;67\(psKPK!w@xl/worksheets/sheet1.xmlTn0?G?bvGCLQ+H:N]j+>YÙ./M͞A튏3h%ݭW7+BŠϟOZ╵"&ZBJԍ4ԻtD75u&4njy`XK8, 征 T3li]Il:U'嬑k2 %5,mDtq<Ĵ^ؙrƋ팳xVp0G̊j Ns'+Mч|, [/P,:5#)bbR-&EdZPD8:MG)a9'gro,6'̈́SuhA4gՐ |^'7lsNc,=ŲccIy/$_,m75X~n_Nvi0d6<&w nyz77; mOܸ;oRZ Bwr Sa5OfDn` ]@śDP:GV|Z[BY*YYx>sPĭgw-PK !HHHHdocProps/thumbnail.jpegJFIFHHExifMM*>F(iNHH8Photoshop 3.08BIM8BIM%ُ B~ }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyzCC ?3 ?IDҥit %Y,-I$,;K3I$@x[wO еN)obE<-Bց};PZ?O? Z 1@"k@>(S-h'ӿx[wO еN)obE<-Bց};PZ?O? Z 1@"k@>(S-h'ӿx[wO еN)obE<-Bց};PZ?O? Z 1@"k@>(S-h'ӿx[wO еN)obE<-Bց};PZ?O? Z 1@"k@>(|)"ڀ7_xZ eA<2:tr<. )7Օa@c|97 i4?@&>ß<GM^PYU$9$prI?(1 >?4soi~L|#CO?y?1 > 06 84N Hxʀ/&>ß<GMc|97 i4?@&>ß<'&^xo G晐pHFpH q3@ i4?@&>ß<GMc|97 i4?@ß<GMc|97xAAfWNM$X|)"ڀ77ZE:fq<)Wo*гaT(@PUImB.O7@@]'n O m?r>?4hbtÚ$z}::NU+)09뿰4/?-t`h_[iп ImB.O7@tM.03ajcFoyjiؙ@@]'n O m?t?4/?-t`h_[iM᨞]'Lα%N<:*(QB.O7@@]'n O m?t?4/?-tDbGH#? HM>4GGT + P|)"ڀ71}>]7UEυ&k6BmHb.O?r?|yC\?"殀75tL~ SxFO=^I3"Ki,Y|vlm'ǟ9hE]><C.ojZsW@O?r?|yC\'i4]{74ye\D%ž wX7*4+ JqgO?r?|yC\?"殀75td-GMI2u><C.ojZsW@O?r?|yC\?"殀94ñ5{hN`"Rܸ|Me&q$Pl28]?"殀75td-'ǟ9hE]><C.ojX׺fqlמ?o$.tf;y,af0M3۱?|)"ڀ7˼+3Oo{Sm4UN`#Ȏkϗ3tkϗ3tkϗ3tkϗ3txUςWoI=čqZ@3n? `iA4kϗ3tkϗ3tkϗ3tkϗ3tkϗ3tk.ҥ *x-K >3FW`|>Uf&8Do [ >^- >^- >^- >^- >^-!JOx>W>3yՠɠ5ͺ7Lwe)a_ >^- >^- >^- >^- >^-!_iV)-`O7 |?4%HXÙ <*O&?x7@&?x7@&?x7@&?x7@&?x7@_/xd(#Ɩ+˥]? A'(!L4|)"ڀ7?i" (;1kY  (3ğ1|>V7Ĵ@Px3Gx;Z( ȱ|W^@P@r^>ƿ)xL|)"ڀ747gEO{jt xrwK/JYԵh7m6'e5t'ZGMO wjL֭|K\7-u+}@4Y=WGSi즎v4OGW /΍Hh_ h0>kAk=_|u|;խY2_ƿv.(Gg[-; S|ex?I154 ~C3*Px>K5ωݭ牣b}UiCֿr:u6¿ZiCֿo+?@g.E=[\ĺGcg5c5KA4 :kB޽Gh#M>O6,:$,/ {_xCIif}CHkK[xNχzׂ~◉W^g⇵T_m&!y w?Ԟ>GþN)W6_J6_xcx?ųx_2Z,^hZzs7Ö1m^u F^|Yۭ#P5kkMsAu2Kl4FnK-B"X_k ~]ſ+º𖙥6)|M?xGNQgIkڶgq{v-'OK,,v,>!+W~ ?~/Ak|v|w-{QԼ" Yϩj'Uu[m T<)+z߁5?OhOk"Q^k~ۣ֟`⳻V^u q= >6¿ZiCֿo+?@1k | ~ |X,| iitWStKU^ݦjw"Wp ֿWjꚧ|#S_uM" z".|=coؼS^ꖷqڴVi ޔ -k'3vᏌ:K?5 :&9oSC-SJ౰R_嶲{ßODl)ޥ-kgG4Xfh7V= >6¿Zx u0ƿ0Z)I0*P|)"ڀ7?>%xU|qs eqZvpj?m5I|"x}m 7S[  3u+:>s_ g. }߆Z(g=F}k5ׇ>iWZߙ]i,_ODռy/c]RUƟm|+it^=5ީc|B`:xwWR:|<;>'1~$/o jZ_QռOßxW;z.SM:o-,40"WSr:׼K74Ǭqj-7XxƟ=i?g֠Nsc@퇄f:xB³} j?,_OOcTE'ڧ1*ڷt> ltA ݵud|S_gO-坵ݼ ̰Z:&?h{Rյ MWOx6 ᆍih:|?Ӗᵿ|QqIچwQl|3#k:n <%uxॽ>|>o?I6ciώ?YP_k%_><7 ״MV>j~u/?SAO6ЦŋGIjZ]@9N :i 'ρͫ|B/[/.}+>o?o߈.t/&৻&R_>ߤi7՟<7x]4{gFǚ/]oP hHUDT?e@$^*}/>?YP^&-=? ]tk ~// ɭj"-N]B=;Ht&߂9jz)>.Wƚ1x#v^kw;\dxCSL$ǑD%@þЅZ}[;lϞS)&|C LJFiŷ~$z oSu;?BQ/.-E5KI_OOcT[^մMWLI5 qaqk50v#s(|)"ڀ7?i" (&M#|OyO |s4|7wA7ýG9 )0 ]xgØ/^ᇃ|5]o%կn/5FHP.j_I+ f->ִ5/6pin< g|L(igc>Ҡ ('_aտ -vt?=!~2lWOmVĉ> |@⾁u):o,=:^ZߥgOMx^8> &7,[]uC 6+熼Go¿-L_/|SltZMXKXop@V#AO\BsopCh|)9"=k ~f'VFUJv"|Z.|)6:|Z+Bwco߃?;f?M_?7M<;>&ҼIVxs4/kz߄έ [ ?Vpxc>eom?Y;~]}ľ$B];ℰxZӮ4x[ĺ+PLmwrw:qhV`>.$/w_ٟ_6ßgBͥIk-czoſ|A|EK8o>/j?ۺ"j~{;)٦g|KkwQĽBN [i^|ixjK/Z}ׇZXײ7WN𗉀< ?e+&Ht[Ş2M?qxŗ?[/~iqk:xk?~4^X0N+V|C^,W?Z|6xo7 Y:5 k]E_έmo?7vM ~6ÞMj{xC5+>M\V;bX^o|V>!3sY19uld0NUV.K*tR:i]a)}>*pn$tjTT,iTKbJOs5GhZ\ +_M_8x 7%x 7%x 7%rZ<Xb"]"=JHb~!HmB\C U(:#([?Jz?"PƟi/ 7- jT%<vg-D5ɵ9mte2M$@xZ`w|%~.oh:7U=yOn/- o Z\:ŔitO%ޏȔi cv =`mJh o !q<΀4Pak2-??'KTKswߋgkݦx@ozD ct՟ž ][x:_OO_OObWM=[7 +6g 7" wI΍siQ]j2~i o>o+RokR|%|l63]k c|8D^.gmdM9m!MkP~ʶVP_EM7_oi f-ͧ<.eU_K+ok9n"^|)"ڀ7'}d|O3Vcx@Դ{3Æ5xm#ӯu;}zk5kh% 8;E_;+֕xt>ы)JIЕmZN/E}W5}/EgA;Q@q6뺘he"oE<@dkHFmȉ;E+Hѣg"__NPtо&\z;Hl|MKiY?>{oxΚ2yn).|.ڥП K_&|UkxWOƯx_LԵ O v=gUsX:/>^G|Qg]7e~)Ljot?OŃ]xZY}ͽbIK w^梀96iv4o BZ3xK%)=U4>ZE̠/A;Fj1}}%/N.X|jਾM Xim? L3ox>G|/oq9JZE֗m{IM>X{۴H<h.?|G|sԼW|N<}|by Z,[?K={ x>MMOQo~ҦЦFk|I{|L<]e⏈^ԴM_>7a⏍şxKPDžg^xTxGx~M>H~ K4>/Qs^85o!Z]Mk=jzEx7vZMكRUυ.h/6K&[}MtK{-J!4-fq _OO/ޗw'[&д7QlM>x=|տφ;#{q3T74-={Oh^ {q㩧σ!|@4}^ji?|)"ڀ7<1 i6~[x{wfOk %"e;a 7 VP +1Z߫1@,i~ C|K]zkAtIdh@ zh⏁?m;Yƣ]zW*O|<jG' _ޏU}gYV7Ĵ@Px3Gx;Z( ȱ|W^@P@r^>ƿ)xL|)"ڀ7˼+jwzm0*Ko =|i>]Be2y9{#@c'?c'?c'?c'?SzW,6=q{WwZpc9hfk_\k. )rasXſ ObhsXſ ObhsXſ ObhsXſ ObhsXſ Obh U5x4% [q"]Es4"Kx:G5[&G5[&G5[&G5[&G5[&9 7@[ƾ+x$z/]}7E2%V7Ĵ@Px3Gx;Z( ȱ|W^@P@r^>ƿ)xL|)"ڀ7<3o 5ϊnf_jP1_?w1.#sq,µWz,k7 YP _o 3?e@~xF*Z;o'%gF%`FVTEu_|@f*?Z+=cTµWz,k7 YP _oS^5Ar:#¾ E_&Fѱ۴Ft` 3?e@+_gʀV 3X|@f*?Z+=cTi%'SfS{]sA6Iu7_xweME]Xk7 YP _o 3?e@+_gʀV 3Xr^+Eqs4WıS)o]^;(;w6]ٞ:V 3X|@f*?Z+=cTµWz,k7 YP3_on:h꯲h4b}26Um2H`|)"ڀ7˼+stoYxȞڕԀ_.ezP K3F'%-l Xx e @%-re׌Ǎ|XɡxaNC $Mmđ:H:xO -:xO -:xO -:xO -:xO -񿍼u[x7෷^ҦyҮbYdeHEgw` PK!cbzdocProps/core.xml (|QO M -eZI%MFv#kKۭn܏sn(:$E(T z]E3%XL7k V^I97c0 bm|86o (Mq n|@O[w1Ѐ۸?:H7!)[^;'vM.FOK* )lmڬFV6UO 2k"콒 BԕJr^6^k xvr,&$N%㜦6|hi')G2h (翥PK!ٕ docProps/app.xml (Mo0  9@V1-zXI3'ӱP[DH'H=ƏRT:d+| uBo~\ wX=П?U#[,Y8*DRK8q+}UYl%0vzZT";?MZglze nAxzmNjJPK-!;H@i[Content_Types].xmlPK-!}T _rels/.relsPK-!nxl/_rels/workbook.xml.relsPK-!bj xl/workbook.xmlPK-!iC xl/sharedStrings.xmlPK-!0k xl/theme/theme1.xmlPK-!- xl/styles.xmlPK-!w@Qxl/worksheets/sheet1.xmlPK- !HHHH docProps/thumbnail.jpegPK-!cbzbdocProps/core.xmlPK-!ٕ !edocProps/app.xmlPK gagate-excel-0.2.1/examples/test_zeros.xls000066400000000000000000000740001305530756100204460ustar00rootroot00000000000000ࡱ> /:  !"#$%&'()*+,-.23456789R F[`0WorkbookZSummaryInformation(1DocumentSummaryInformation8 g\pChristopher Groskopf Ba==d-8@"1Calibri1Calibri1Calibri1Calibri1Calibri1 Calibri1Calibri14Calibri1 Calibri1Calibri1Calibri1,8Calibri18Calibri18Calibri1>Calibri14Calibri1<Calibri1?Calibri1h8Cambria1Calibri1 Calibri"$"#,##0_);\("$"#,##0\)!"$"#,##0_);[Red]\("$"#,##0\)""$"#,##0.00_);\("$"#,##0.00\)'""$"#,##0.00_);[Red]\("$"#,##0.00\)7*2_("$"* #,##0_);_("$"* \(#,##0\);_("$"* "-"_);_(@_).))_(* #,##0_);_(* \(#,##0\);_(* "-"_);_(@_)?,:_("$"* #,##0.00_);_("$"* \(#,##0.00\);_("$"* "-"??_);_(@_)6+1_(* #,##0.00_);_(* \(#,##0.00\);_(* "-"??_);_(@_)"$"#,##0;\-"$"#,##0"$"#,##0;[Red]\-"$"#,##0"$"#,##0.00;\-"$"#,##0.00#"$"#,##0.00;[Red]\-"$"#,##0.0050_-"$"* #,##0_-;\-"$"* #,##0_-;_-"$"* "-"_-;_-@_-,'_-* #,##0_-;\-* #,##0_-;_-* "-"_-;_-@_-=8_-"$"* #,##0.00_-;\-"$"* #,##0.00_-;_-"$"* "-"??_-;_-@_-4/_-* #,##0.00_-;\-* #,##0.00_-;_-* "-"??_-;_-@_-                                                                       ff         P  P        `            a>      ||@L}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-} _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-}  _-;_-* "}-} _-;_-* "}-} _-;_-* "}A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef-@_-_) }A} _-;_-* "ef -@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L-@_-_) }A} _-;_-* "L -@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A} _-;_-* "23-@_-_) }A}  _-;_-* "23-@_-_) }A}! _-;_-* "23 -@_-_) }A}" _-;_-* "-@_-_) }A}# _-;_-* "-@_-_) }A}$ _-;_-* "-@_-_) }A}% _-;_-* "-@_-_) }A}& _-;_-* "-@_-_) }A}' _-;_-* " -@_-_) }A}( _-;_-* "-@_-_) }}) }_-;_-* "-@_-_)    CH}}* _-;_-* "-@_-_) ??? ??? ??? ???CH}-}+ _-;_-* "}-}, _-;_-* "}-}- _-;_-* "}-}. _-;_-* "}-}/ _-;_-* "}A}0 a_-;_-* "-@_-_) }A}1 _-;_-* "-@_-_) }A}2 _-;_-* "?-@_-_) }A}3 _-;_-* "23-@_-_) }-}4 _-;_-* "}}5 ??v_-;_-* "̙-@_-_)    CH}A}6 }_-;_-* "-@_-_) }A}7 e_-;_-* "-@_-_) }}8 _-;_-* "-@_-_)    CH}}9 ???_-;_-* "-@_-_) ??? ??? ??? ???CH}-}: _-;_-* "}-}; _-;_-* "}U}< _-;_-* "-@_-_)  }-}= _-;_-* "}-}> _-;_-* "}-}? _-;_-* " 20% - Accent1M 20% - Accent1 ef % 20% - Accent2M" 20% - Accent2 ef % 20% - Accent3M& 20% - Accent3 ef % 20% - Accent4M* 20% - Accent4 ef % 20% - Accent5M. 20% - Accent5 ef % 20% - Accent6M2 20% - Accent6  ef % 40% - Accent1M 40% - Accent1 L % 40% - Accent2M# 40% - Accent2 L渷 % 40% - Accent3M' 40% - Accent3 L % 40% - Accent4M+ 40% - Accent4 L % 40% - Accent5M/ 40% - Accent5 L % 40% - Accent6M3 40% - Accent6  Lմ % 60% - Accent1M 60% - Accent1 23 % 60% - Accent2M$ 60% - Accent2 23ږ % 60% - Accent3M( 60% - Accent3 23כ % 60% - Accent4M, 60% - Accent4 23 % 60% - Accent5M0 60% - Accent5 23 %! 60% - Accent6M4 60% - Accent6  23 % "Accent1AAccent1 O % #Accent2A!Accent2 PM % $Accent3A%Accent3 Y % %Accent4A)Accent4 d % &Accent5A-Accent5 K % 'Accent6A1Accent6  F %(Bad9Bad  %) Calculation Calculation  }% * Check Cell Check Cell  %????????? ???+ Comma,( Comma [0]-&Currency.. Currency [0]/Explanatory TextG5Explanatory Text % 0Good;Good  a%1 Heading 1G Heading 1 I}%O2 Heading 2G Heading 2 I}%?3 Heading 3G Heading 3 I}%234 Heading 49 Heading 4 I}% 5InputuInput ̙ ??v% 6 Linked CellK Linked Cell }% 7NeutralANeutral  e%3Normal % 8Noteb Note   9OutputwOutput  ???%????????? ???:$Percent ;Title1Title I}% <TotalMTotal %OO= Warning Text? Warning Text %XTableStyleMedium9PivotStyleMedium48dq:Fc-2NWgFSWc-2NWgFSW̙̙3f3fff3f3f33333f33333\`q=test.csv"&ordinalall_zerobinary 0  PK!pO[Content_Types].xmlj0Eжr(΢]yl#!MB;.n̨̽\A1&ҫ QWKvUbOX#&1`RT9<l#$>r `С-;c=1gMԯNDJ++2a,/$nECA6٥D-ʵ? dXiJF8,nx (MKoP(\HbWϿ})zg'8yV#x'˯?oOz3?^?O?~B,z_=yǿ~xPiL$M>7Ck9I#L nꎊ)f>\<|HL|3.ŅzI2O.&e>Ƈ8qBۙ5toG1sD1IB? }J^wi(#SKID ݠ1eBp{8yC]$f94^c>Y[XE>#{Sq c8 >;-&~ ..R(zy s^Fvԇ$*cߓqrB3' }'g7t4Kf"߇ފAV_] 2H7Hk;hIf;ZX_Fڲe}NM;SIvưõ[H5Dt(?]oQ|fNL{d׀O&kNa4%d8?L_H-Ak1h fx-jWBxlB -6j>},khxd׺rXg([x?eޓϲكkS1'|^=aѱnRvPK! ѐ'theme/theme/_rels/themeManager.xml.relsM 0wooӺ&݈Э5 6?$Q ,.aic21h:qm@RN;d`o7gK(M&$R(.1r'JЊT8V"AȻHu}|$b{P8g/]QAsم(#L[PK-!pO[Content_Types].xmlPK-!֧6 -_rels/.relsPK-!kytheme/theme/themeManager.xmlPK-!0ktheme/theme/theme1.xmlPK-! ѐ' theme/theme/_rels/themeManager.xml.relsPK] g XY  dMbP?_*+%,M com.apple.print.PageFormat.PMHorizontalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMHorizontalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMOrientation com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMOrientation 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalRes com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalRes 1200 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMVerticalScaling com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMVerticalScaling 1 com.apple.print.ticket.stateFlag 0 com.apple.print.subTicket.paper_info_ticket PMPPDPaperCodeName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDPaperCodeName Letter com.apple.print.ticket.stateFlag 0 PMPPDTranslationStringPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMPPDTranslationStringPaperName US Letter com.apple.print.ticket.stateFlag 0 PMTiogaPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray PMTiogaPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPageRect 0 0 12233.333333333334 9600 com.apple.print.ticket.stateFlag 0 com.apple.print.PageFormat.PMAdjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PageFormat.PMAdjustedPaperRect -300 -300 12900.000000000002 9900 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMPaperName na-letter com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPageRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPageRect 0 0 734 576 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.PMUnadjustedPaperRect com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.PMUnadjustedPaperRect -18 -18 774 594 com.apple.print.ticket.stateFlag 0 com.apple.print.PaperInfo.ppd.PMPaperName com.apple.print.ticket.creator com.apple.jobticket com.apple.print.ticket.itemArray com.apple.print.PaperInfo.ppd.PMPaperName Letter com.apple.print.ticket.stateFlag 0 com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PaperInfoTicket com.apple.print.ticket.APIVersion 00.20 com.apple.print.ticket.type com.apple.print.PageFormatTicket Mz/%2e&g(HH(dh "d??U }  ,,,,    >??? >?@? <***>@@ggD  ՜.+,0 PXd lt| 'NPR  test.csv  Worksheets F$Microsoft Excel 97 - 2004 Worksheet8FIBExcel.Sheet.8 Oh+'0tHPp 'Christopher GroskopfChristopher GroskopfMicrosoft Macintosh Excel@{@[`GPICTI HHI IHHz+tIIUo{o|kZ{kZ{kZ{kZg9{kZ{wckZ{kZ{wcg9{kZ{wco{{kZ]o{swco{sJRwo{RNso{R{o{{Zcg9o{sRwo{]k[o{{co{ZVZo{VR{o{Ro{{Zg9g9o{s^o{akZo{wco{kZco{ZVo{sRg9o{{RVo{wRg9o{,kZVZo{o{o{o{o{o{&kZs{s{s{s{s{suwo{cwwwwZkZw{Z wsckZwwww w{{ZZw{wwwwwwyww^ wRNsJRo{NsNsRJRNsZF1VwsRJRRRNsF1VRw^BVVRZF1ZF1RR{wwwywo{c wg9ZkZZcg9kZg9^^kZ wwVkZg9kZkZZcg9{JR wcZkZkZ{{Vo{ZskZg9Zwww;s{ww{ww{ZZwww&kZswswswswsws?wccw^o{wwVw^o{wwwAwRw{VRwRg9kZw{VRwwwCwNscw{JRRwVNssw{JRRwww)wwwwwww)kZo{s{s{s{s{s{s?wg9RwNswwo{RwNs^www?wo{Rw^swRwwZRwww=wNswcswRwwZVwww?wo{g9w^kZwwZ{w^o{www)kZo{s{s{s{s{s{s=wcw^o{w{g9wco{wwwAwZRw{Vw{RwwZRwww?wo{Rw=kZwwF1{wNsZwww)w{wwwwww&kZswswswswsws1wcVwwwwww1w^{wwwwww1wwJRwwwwww1wo{o{wwwwww)kZo{s{s{s{s{s{s1wg9g9wwwwww1wJR^wwwwww3wRZ{wwwwww1wcZwwwwww)o{ws{s{s{w{s{w3s{so{w{wwwwww3wsR{wwwwww1wkZo{wwwwww/wswwwwww)s{wwwwww&kZswswswswsws1wcZwwwwww1wVNswwwwww1wccwwwwww&o{s{s{s{s{s{s)w{wwwwww1wVRwwwwww3wRVwwwwwww3wkZNs{wwwwww/w{wwwwww)kZo{s{s{s{s{s{s7 wV{^Z{wwwwww7 wZ{Nsg9kZwwwwww7 wVwRZwwwwwww5wg9o{wkZwwwwww&o{s{s{s{s{s{s5wg9{wo{wwwwww5wV{Vwwwwww5wNso{sJRwwwwww)wwwwwww)kZo{s{s{s{s{s{s5wNs{g9Nswwwwww5wZ{Rwwwwww5wZ{g9o{wwwwww5wg9sg9cwwwwww)kZo{s{s{s{s{s{s5wc{scwwwwww5wZ{wRwwwwww7 wVw{V{wwwwww5wg9o{kZkZwwwwww)s{wwwwwwCompObjbagate-excel-0.2.1/requirements-py2.txt000066400000000000000000000002241305530756100176700ustar00rootroot00000000000000unittest2==0.5.1 nose>=1.1.2 tox>=1.3 Sphinx>=1.2.2 sphinx_rtd_theme>=0.1.6 wheel>=0.24.0 ordereddict>=1.1 xlrd>=0.9.4 openpyxl>=2.3.0 agate>=1.2.2 agate-excel-0.2.1/requirements-py3.txt000066400000000000000000000001621305530756100176720ustar00rootroot00000000000000nose>=1.1.2 tox>=1.3 Sphinx>=1.2.2 sphinx_rtd_theme>=0.1.6 wheel>=0.24.0 xlrd>=0.9.4 openpyxl>=2.3.0 agate>=1.2.2 agate-excel-0.2.1/setup.cfg000066400000000000000000000000341305530756100155140ustar00rootroot00000000000000[bdist_wheel] universal = 1 agate-excel-0.2.1/setup.py000066400000000000000000000026751305530756100154220ustar00rootroot00000000000000#!/usr/bin/env python from setuptools import setup install_requires = [ 'agate>=1.5.0', 'xlrd>=0.9.4', 'openpyxl>=2.3.0' ] setup( name='agate-excel', version='0.2.1', description='agate-excel adds read support for Excel files (xls and xlsx) to agate.', long_description=open('README.rst').read(), author='Christopher Groskopf', author_email='chrisgroskopf@gmail.com', url='http://agate-excel.readthedocs.org/', license='MIT', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: Implementation :: CPython', 'Programming Language :: Python :: Implementation :: PyPy', 'Topic :: Multimedia :: Graphics', 'Topic :: Scientific/Engineering :: Information Analysis', 'Topic :: Scientific/Engineering :: Visualization', 'Topic :: Software Development :: Libraries :: Python Modules', ], packages=[ 'agateexcel' ], install_requires=install_requires ) agate-excel-0.2.1/tests/000077500000000000000000000000001305530756100150405ustar00rootroot00000000000000agate-excel-0.2.1/tests/__init__.py000066400000000000000000000000001305530756100171370ustar00rootroot00000000000000agate-excel-0.2.1/tests/test_table_xls.py000066400000000000000000000103021305530756100204220ustar00rootroot00000000000000#!/usr/bin/env python # -*- coding: utf8 -*- import datetime try: import unittest2 as unittest except ImportError: import unittest import agate import agateexcel class TestXLS(agate.AgateTestCase): def setUp(self): self.rows = ( (1, 'a', True, '11/4/2015', '11/4/2015 12:22 PM'), (2, u'👍', False, '11/5/2015', '11/4/2015 12:45 PM'), (None, 'b', None, None, None) ) self.column_names = [ 'number', 'text', 'boolean', 'date', 'datetime' ] self.column_types = [ agate.Number(), agate.Text(), agate.Boolean(), agate.Date(), agate.DateTime() ] self.table = agate.Table(self.rows, self.column_names, self.column_types) def test_from_xls(self): table = agate.Table.from_xls('examples/test.xls') self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_file_like(self): with open('examples/test.xls', 'rb') as f: table = agate.Table.from_xls(f) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_name(self): table = agate.Table.from_xls('examples/test_sheets.xls', 'data') self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_index(self): table = agate.Table.from_xls('examples/test_sheets.xls', 1) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_multiple(self): tables = agate.Table.from_xls('examples/test_sheets.xls', ['not this sheet', 1]) self.assertEqual(len(tables), 2) table = tables['not this sheet'] self.assertColumnNames(table, []) self.assertColumnTypes(table, []) self.assertRows(table, []) table = tables['data'] self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_skip_lines(self): table = agate.Table.from_xls('examples/test_skip_lines.xls', skip_lines=3) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_zeros(self): table = agate.Table.from_xls('examples/test_zeros.xls') self.assertColumnNames(table, ['ordinal', 'binary', 'all_zero']) self.assertColumnTypes(table, [agate.Number, agate.Number, agate.Number]) self.assertRows(table, [ [0, 0, 0], [1, 1, 0], [2, 1, 0] ]) def test_ambiguous_date(self): table = agate.Table.from_xls('examples/test_ambiguous_date.xls') self.assertColumnNames(table, ['s']) self.assertColumnTypes(table, [agate.Date]) self.assertRows(table, [ [datetime.date(1900, 1, 1)] ]) def test_empty(self): table = agate.Table.from_xls('examples/test_empty.xls') self.assertColumnNames(table, []) self.assertColumnTypes(table, []) self.assertRows(table, []) def test_numeric_column_name(self): table = agate.Table.from_xls('examples/test_numeric_column_name.xls') self.assertColumnNames(table, ('Country', '2013.0', 'c')) self.assertColumnTypes(table, [agate.Text, agate.Number, agate.Text]) self.assertRows(table, [ ['Canada', 35160000, 'value'] ]) agate-excel-0.2.1/tests/test_table_xlsx.py000066400000000000000000000075571305530756100206340ustar00rootroot00000000000000#!/usr/bin/env python # -*- coding: utf8 -*- import datetime try: import unittest2 as unittest except ImportError: import unittest import agate import agateexcel class TestXLSX(agate.AgateTestCase): def setUp(self): self.rows = ( (1, 'a', True, '11/4/2015', '11/4/2015 12:22 PM'), (2, u'👍', False, '11/5/2015', '11/4/2015 12:45 PM'), (None, 'b', None, None, None) ) self.column_names = [ 'number', 'text', 'boolean', 'date', 'datetime' ] self.column_types = [ agate.Number(), agate.Text(), agate.Boolean(), agate.Date(), agate.DateTime() ] self.table = agate.Table(self.rows, self.column_names, self.column_types) def test_from_xlsx(self): table = agate.Table.from_xlsx('examples/test.xlsx') self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_file_like(self): with open('examples/test.xlsx', 'rb') as f: table = agate.Table.from_xlsx(f) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_name(self): table = agate.Table.from_xlsx('examples/test_sheets.xlsx', 'data') self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_index(self): table = agate.Table.from_xlsx('examples/test_sheets.xlsx', 1) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_sheet_multiple(self): tables = agate.Table.from_xlsx('examples/test_sheets.xlsx', ['not this sheet', 1]) self.assertEqual(len(tables), 2) table = tables['not this sheet'] self.assertColumnNames(table, []) self.assertColumnTypes(table, []) self.assertRows(table, []) table = tables['data'] self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_skip_lines(self): table = agate.Table.from_xlsx('examples/test_skip_lines.xlsx', skip_lines=3) self.assertColumnNames(table, self.column_names) self.assertColumnTypes(table, [agate.Number, agate.Text, agate.Boolean, agate.Date, agate.DateTime]) self.assertRows(table, [r.values() for r in self.table.rows]) def test_ambiguous_date(self): table = agate.Table.from_xlsx('examples/test_ambiguous_date.xlsx') self.assertColumnNames(table, ['s']) self.assertColumnTypes(table, [agate.Date]) self.assertRows(table, [ [datetime.date(1899, 12, 31)] ]) def test_empty(self): table = agate.Table.from_xlsx('examples/test_empty.xlsx') self.assertColumnNames(table, []) self.assertColumnTypes(table, []) self.assertRows(table, []) def test_numeric_column_name(self): table = agate.Table.from_xlsx('examples/test_numeric_column_name.xlsx') self.assertColumnNames(table, ['Country', '2013', 'c']) self.assertColumnTypes(table, [agate.Text, agate.Number, agate.Text]) self.assertRows(table, [ ['Canada', 35160000, 'value'] ]) agate-excel-0.2.1/tox.ini000066400000000000000000000005151305530756100152120ustar00rootroot00000000000000[tox] envlist = py27,py33,py34,py35,pypy [testenv] deps= nose>=1.1.2 six>=1.6.1 commands=nosetests [testenv:py27] deps= {[testenv]deps} [testenv:py33] deps= {[testenv]deps} [testenv:py34] deps= {[testenv:py33]deps} [testenv:py35] deps= {[testenv:py33]deps} [testenv:pypy] deps= {[testenv:py33]deps}