title stringlengths 1 185 | diff stringlengths 0 32.2M | body stringlengths 0 123k ⌀ | url stringlengths 57 58 | created_at stringlengths 20 20 | closed_at stringlengths 20 20 | merged_at stringlengths 20 20 ⌀ | updated_at stringlengths 20 20 |
|---|---|---|---|---|---|---|---|
FIX: division of Decimal would crash | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 3f510ce3d44c0..f77ff67320ca0 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -132,3 +132,5 @@ Bug Fixes
- Bug in unequal comparisons between a ``Series`` of dtype `"category"` and a scalar (e.g. ``Series(Categorical(list("abc"), categories=list("cba"), ordered=True)) > "b"``, which wouldn't use the order of the categories but use the lexicographical order. (:issue:`9848`)
- Bug in unequal comparisons between categorical data and a scalar, which was not in the categories (e.g. ``Series(Categorical(list("abc"), ordered=True)) > "d"``. This returned ``False`` for all elements, but now raises a ``TypeError``. Equality comparisons also now return ``False`` for ``==`` and ``True`` for ``!=``. (:issue:`9848`)
+
+- Bug where dividing a dataframe containing values of type Decimal by another Decimal would crash. (:issue:`9787`)
diff --git a/pandas/core/common.py b/pandas/core/common.py
index 0fb35c2fb02fc..5587ba5f92df0 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -1397,14 +1397,19 @@ def _fill_zeros(result, x, y, name, fill):
mask the nan's from x
"""
-
if fill is None or is_float_dtype(result):
return result
if name.startswith(('r', '__r')):
x,y = y,x
- if np.isscalar(y):
+ is_typed_variable = (hasattr(y, 'dtype') or hasattr(y,'type'))
+ is_scalar = lib.isscalar(y)
+
+ if not is_typed_variable and not is_scalar:
+ return result
+
+ if is_scalar:
y = np.array(y)
if is_integer_dtype(y):
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index 70a6e2541692a..420992a3c86b7 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -5617,6 +5617,22 @@ def test_map_type_inference(self):
s2 = s.map(lambda x: np.where(x == 0, 0, 1))
self.assertTrue(issubclass(s2.dtype.type, np.integer))
+ def test_divide_decimal(self):
+ ''' resolves issue #9787 '''
+ from decimal import Decimal
+
+ expected = Series([Decimal(5)])
+
+ s = Series([Decimal(10)])
+ s = s/Decimal(2)
+
+ tm.assert_series_equal(expected, s)
+
+ s = Series([Decimal(10)])
+ s = s//Decimal(2)
+
+ tm.assert_series_equal(expected, s)
+
def test_map_decimal(self):
from decimal import Decimal
| closes #9787
Decimal objects don't support dtype, so we exclude all objects from fill_zeros that do not support .dtype or .type and are not scalar.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9871 | 2015-04-13T16:20:01Z | 2015-04-14T13:27:50Z | null | 2015-04-14T13:27:50Z |
ENH: #9847, adding a "same" and "expand" param to StringMethods.split() | diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 6d20907373014..87169a5314643 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -624,6 +624,7 @@ def str_pad(arr, width, side='left', fillchar=' '):
def str_split(arr, pat=None, n=None, return_type='series'):
"""
+ Deprecated: return_types 'series', 'index', 'frame' are now deprecated
Split each string (a la re.split) in array by given pattern, propagating NA
values
@@ -632,9 +633,9 @@ def str_split(arr, pat=None, n=None, return_type='series'):
pat : string, default None
String or regular expression to split on. If None, splits on whitespace
n : int, default None (all)
- return_type : {'series', 'index', 'frame'}, default 'series'
- If frame, returns a DataFrame (elements are strings)
- If series or index, returns the same type as the original object
+ return_type : {'same', 'expand'}, default 'series'
+ If expand, returns a DataFrame (elements are strings)
+ If series, index or same, returns the same type as the original object
(elements are lists of strings).
Notes
@@ -649,11 +650,14 @@ def str_split(arr, pat=None, n=None, return_type='series'):
from pandas.core.frame import DataFrame
from pandas.core.index import Index
- if return_type not in ('series', 'index', 'frame'):
- raise ValueError("return_type must be {'series', 'index', 'frame'}")
- if return_type == 'frame' and isinstance(arr, Index):
+ if return_type not in ('series', 'index', 'frame', 'same', 'expand'):
+ raise ValueError("return_type must be {'series', 'index', 'frame', 'same', 'expand'}")
+ if return_type in ('frame', 'expand') and isinstance(arr, Index):
raise ValueError("return_type='frame' is not supported for string "
"methods on Index")
+ if return_type in ('series', 'index', 'frame'):
+ warnings.warn(("'series', 'index' and 'frame' are deprecated. Please use 'same' or 'expand' instead"),
+ FutureWarning)
if pat is None:
if n is None or n == 0:
n = -1
@@ -668,7 +672,7 @@ def str_split(arr, pat=None, n=None, return_type='series'):
n = 0
regex = re.compile(pat)
f = lambda x: regex.split(x, maxsplit=n)
- if return_type == 'frame':
+ if return_type in ('frame', 'expand'):
res = DataFrame((Series(x) for x in _na_map(f, arr)), index=arr.index)
else:
res = _na_map(f, arr)
diff --git a/pandas/tests/test_index.py b/pandas/tests/test_index.py
index bb75b12754dca..159635da5d505 100644
--- a/pandas/tests/test_index.py
+++ b/pandas/tests/test_index.py
@@ -1220,9 +1220,12 @@ def test_str_attribute(self):
tm.assert_index_equal(idx.str.split(return_type='series'), expected)
# return_type 'index' is an alias for 'series'
tm.assert_index_equal(idx.str.split(return_type='index'), expected)
+ # return_type 'same' is an alias for 'series' and 'index'
+ tm.assert_index_equal(idx.str.split(return_type='same'), expected)
with self.assertRaisesRegexp(ValueError, 'not supported'):
idx.str.split(return_type='frame')
-
+ with self.assertRaisesRegexp(ValueError, 'not supported'):
+ idx.str.split(return_type='expand')
# test boolean case, should return np.array instead of boolean Index
idx = Index(['a1', 'a2', 'b1', 'b2'])
expected = np.array([True, True, False, False])
| closes #9847
| https://api.github.com/repos/pandas-dev/pandas/pulls/9870 | 2015-04-13T15:55:29Z | 2015-05-09T15:31:37Z | null | 2015-05-09T15:31:37Z |
Period accepts datetime64 value | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index e1e930ee21efe..dda5a34a6d7db 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -49,6 +49,7 @@ Enhancements
- Allow conversion of values with dtype ``datetime64`` or ``timedelta64`` to strings using ``astype(str)`` (:issue:`9757`)
- ``get_dummies`` function now accepts ``sparse`` keyword. If set to ``True``, the return ``DataFrame`` is sparse, e.g. ``SparseDataFrame``. (:issue:`8823`)
+- ``Period`` now accepts ``datetime64`` as value input. (:issue:`9054`)
.. _whatsnew_0161.api:
diff --git a/pandas/src/period.pyx b/pandas/src/period.pyx
index cc6ad3defe4f3..b4a4930e09d68 100644
--- a/pandas/src/period.pyx
+++ b/pandas/src/period.pyx
@@ -710,6 +710,10 @@ cdef class Period(object):
dt = value
if freq is None:
raise ValueError('Must supply freq for datetime value')
+ elif isinstance(value, np.datetime64):
+ dt = Timestamp(value)
+ if freq is None:
+ raise ValueError('Must supply freq for datetime value')
elif isinstance(value, date):
dt = datetime(year=value.year, month=value.month, day=value.day)
if freq is None:
diff --git a/pandas/tseries/tests/test_period.py b/pandas/tseries/tests/test_period.py
index 17edcd7504102..a471a536a20b3 100644
--- a/pandas/tseries/tests/test_period.py
+++ b/pandas/tseries/tests/test_period.py
@@ -226,7 +226,13 @@ def test_period_constructor(self):
i1 = Period(date(2007, 1, 1), freq='M')
i2 = Period(datetime(2007, 1, 1), freq='M')
+ i3 = Period(np.datetime64('2007-01-01'), freq='M')
+ i4 = Period(np.datetime64('2007-01-01 00:00:00Z'), freq='M')
+ i5 = Period(np.datetime64('2007-01-01 00:00:00.000Z'), freq='M')
self.assertEqual(i1, i2)
+ self.assertEqual(i1, i3)
+ self.assertEqual(i1, i4)
+ self.assertEqual(i1, i5)
i1 = Period('2007-01-01 09:00:00.001')
expected = Period(datetime(2007, 1, 1, 9, 0, 0, 1000), freq='L')
| Added support for `datetime64` value for Period. Fixes #9054.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9869 | 2015-04-13T15:28:38Z | 2015-04-14T14:26:45Z | null | 2015-04-14T14:26:45Z |
GH9570 allow timedelta string conversion without leading zero | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index e1e930ee21efe..dc6093b31633b 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -50,6 +50,8 @@ Enhancements
- Allow conversion of values with dtype ``datetime64`` or ``timedelta64`` to strings using ``astype(str)`` (:issue:`9757`)
- ``get_dummies`` function now accepts ``sparse`` keyword. If set to ``True``, the return ``DataFrame`` is sparse, e.g. ``SparseDataFrame``. (:issue:`8823`)
+- Allow timedelta string conversion when leading zero is missing from time definition, ie `0:00:00` vs `00:00:00`. (:issue:`9570`)
+
.. _whatsnew_0161.api:
API changes
diff --git a/pandas/tseries/tests/test_timedeltas.py b/pandas/tseries/tests/test_timedeltas.py
index b74a3a59d3bca..bc51e01ca9bdf 100644
--- a/pandas/tseries/tests/test_timedeltas.py
+++ b/pandas/tseries/tests/test_timedeltas.py
@@ -64,6 +64,13 @@ def test_construction(self):
self.assertEqual(Timedelta(123072001000000).value, 123072001000000)
self.assertTrue('1 days 10:11:12.001' in str(Timedelta(123072001000000)))
+ # string conversion with/without leading zero
+ # GH 9570
+ self.assertEqual(Timedelta('0:00:00'), timedelta(hours=0))
+ self.assertEqual(Timedelta('00:00:00'), timedelta(hours=0))
+ self.assertEqual(Timedelta('-1:00:00'), -timedelta(hours=1))
+ self.assertEqual(Timedelta('-01:00:00'), -timedelta(hours=1))
+
# more strings
# GH 8190
self.assertEqual(Timedelta('1 h'), timedelta(hours=1))
diff --git a/pandas/tseries/timedeltas.py b/pandas/tseries/timedeltas.py
index 91e75da1b551c..5b353058f0093 100644
--- a/pandas/tseries/timedeltas.py
+++ b/pandas/tseries/timedeltas.py
@@ -119,7 +119,7 @@ def _validate_timedelta_unit(arg):
_short_search = re.compile(
"^\s*(?P<neg>-?)\s*(?P<value>\d*\.?\d*)\s*(?P<unit>d|s|ms|us|ns)?\s*$",re.IGNORECASE)
_full_search = re.compile(
- "^\s*(?P<neg>-?)\s*(?P<days>\d*\.?\d*)?\s*(days|d|day)?,?\s*\+?(?P<time>\d{2}:\d{2}:\d{2})?(?P<frac>\.\d+)?\s*$",re.IGNORECASE)
+ "^\s*(?P<neg>-?)\s*(?P<days>\d*?\.?\d*?)?\s*(days|d|day)?,?\s*\+?(?P<time>\d{1,2}:\d{2}:\d{2})?(?P<frac>\.\d+)?\s*$",re.IGNORECASE)
_nat_search = re.compile(
"^\s*(nat|nan)\s*$",re.IGNORECASE)
_whitespace = re.compile('^\s*$')
@@ -209,13 +209,12 @@ def convert(r=None, unit=None, m=m):
is_neg = gd['neg']
if gd['days']:
days = int((float(gd['days'] or 0) * 86400)*1e9)
- if gd['neg']:
+ if is_neg:
days *= -1
value += days
else:
- if gd['neg']:
+ if is_neg:
value *= -1
-
return tslib.cast_from_unit(value, 'ns')
return convert
| See https://github.com/pydata/pandas/issues/9570
This commit allows for the `Timedelta` class to take a construction like `Timedelta('0:00:00')` or `Timedelta('00:00:00')`.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9868 | 2015-04-13T14:26:00Z | 2015-04-13T16:34:46Z | 2015-04-13T16:34:46Z | 2015-04-13T16:34:46Z |
DOC/CLN: fixed bloolean indexing example, cleaned up typos | diff --git a/doc/source/indexing.rst b/doc/source/indexing.rst
index fc074802353ee..2eabc35fd831d 100644
--- a/doc/source/indexing.rst
+++ b/doc/source/indexing.rst
@@ -30,9 +30,9 @@ The axis labeling information in pandas objects serves many purposes:
In this section, we will focus on the final point: namely, how to slice, dice,
and generally get and set subsets of pandas objects. The primary focus will be
on Series and DataFrame as they have received more development attention in
-this area. Expect more work to be invested higher-dimensional data structures
-(including ``Panel``) in the future, especially in label-based advanced
-indexing.
+this area. Expect more work to be invested in higher-dimensional data
+structures (including ``Panel``) in the future, especially in label-based
+advanced indexing.
.. note::
@@ -54,7 +54,7 @@ indexing.
.. warning::
- In 0.15.0 ``Index`` has internally been refactored to no longer sub-class ``ndarray``
+ In 0.15.0 ``Index`` has internally been refactored to no longer subclass ``ndarray``
but instead subclass ``PandasObject``, similarly to the rest of the pandas objects. This should be
a transparent change with only very limited API implications (See the :ref:`Internal Refactoring <whatsnew_0150.refactoring>`)
@@ -225,9 +225,9 @@ new column.
sa.a = 5
sa
- dfa.A = list(range(len(dfa.index))) # ok if A already exists
+ dfa.A = list(range(len(dfa.index))) # ok if A already exists
dfa
- dfa['A'] = list(range(len(dfa.index))) # use this form to create a new column
+ dfa['A'] = list(range(len(dfa.index))) # use this form to create a new column
dfa
.. warning::
@@ -314,7 +314,7 @@ Selection By Label
dfl.loc['20130102':'20130104']
pandas provides a suite of methods in order to have **purely label based indexing**. This is a strict inclusion based protocol.
-**at least 1** of the labels for which you ask, must be in the index or a ``KeyError`` will be raised! When slicing, the start bound is *included*, **AND** the stop bound is *included*. Integers are valid labels, but they refer to the label **and not the position**.
+**At least 1** of the labels for which you ask, must be in the index or a ``KeyError`` will be raised! When slicing, the start bound is *included*, **AND** the stop bound is *included*. Integers are valid labels, but they refer to the label **and not the position**.
The ``.loc`` attribute is the primary access method. The following are valid inputs:
@@ -578,9 +578,10 @@ Using a boolean vector to index a Series works exactly as in a numpy ndarray:
.. ipython:: python
+ s = Series(range(-3, 4))
+ s
s[s > 0]
- s[(s < 0) & (s > -0.5)]
- s[(s < -1) | (s > 1 )]
+ s[(s < -1) | (s > 0.5)]
s[~(s < 0)]
You may select rows from a DataFrame using a boolean vector the same length as
diff --git a/doc/source/options.rst b/doc/source/options.rst
index 7e36f369bc7e7..4b69015353612 100644
--- a/doc/source/options.rst
+++ b/doc/source/options.rst
@@ -18,7 +18,7 @@ Overview
pandas has an options system that lets you customize some aspects of its behaviour,
display-related options being those the user is most likely to adjust.
-Options have a full "dotted-style", case-insensitive name (e.g. ``display.max_rows``),
+Options have a full "dotted-style", case-insensitive name (e.g. ``display.max_rows``).
You can get/set options directly as attributes of the top-level ``options`` attribute:
.. ipython:: python
@@ -29,7 +29,7 @@ You can get/set options directly as attributes of the top-level ``options`` attr
pd.options.display.max_rows
There is also an API composed of 5 relevant functions, available directly from the ``pandas``
-namespace, and they are:
+namespace:
- :func:`~pandas.get_option` / :func:`~pandas.set_option` - get/set the value of a single option.
- :func:`~pandas.reset_option` - reset one or more options to their default value.
@@ -412,7 +412,7 @@ mode.use_inf_as_null False True means treat None, NaN, -INF,
Number Formatting
------------------
-pandas also allow you to set how numbers are displayed in the console.
+pandas also allows you to set how numbers are displayed in the console.
This option is not set through the ``set_options`` API.
Use the ``set_eng_float_format`` function
| The boolean indexing example http://pandas.pydata.org/pandas-docs/version/0.16.0/indexing.html#boolean-indexing seems to be broken for a while. The variable `s` is being set in a much earlier part of the page and is not suitable for this example.
Also cleaned up a few minor typos.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9866 | 2015-04-13T02:46:35Z | 2015-04-13T07:28:03Z | 2015-04-13T07:28:03Z | 2015-04-13T19:04:07Z |
Fix for comparisons of categorical and an scalar not in categories | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index dc5e3ddcefc06..45c4c9b00c97c 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -123,3 +123,5 @@ Bug Fixes
- Bug in which ``SparseDataFrame`` could not take `nan` as a column name (:issue:`8822`)
- Bug in unequal comparisons between a ``Series`` of dtype `"category"` and a scalar (e.g. ``Series(Categorical(list("abc"), categories=list("cba"), ordered=True)) > "b"``, which wouldn't use the order of the categories but use the lexicographical order. (:issue:`9848`)
+
+- Bug in unequal comparisons between categorical data and a scalar, which was not in the categories (e.g. ``Series(Categorical(list("abc"), ordered=True)) > "d"``. This returned ``False`` for all elements, but now raises a TypeError. Equality comparisons also now return ``False`` for ``==`` and ``True`` for ``!=``. (:issue:`9848`)
diff --git a/pandas/core/categorical.py b/pandas/core/categorical.py
index 991678a8e7d79..b79f2c9b4f6df 100644
--- a/pandas/core/categorical.py
+++ b/pandas/core/categorical.py
@@ -61,7 +61,14 @@ def f(self, other):
i = self.categories.get_loc(other)
return getattr(self._codes, op)(i)
else:
- return np.repeat(False, len(self))
+ if op == '__eq__':
+ return np.repeat(False, len(self))
+ elif op == '__ne__':
+ return np.repeat(True, len(self))
+ else:
+ msg = "Cannot compare a Categorical for op {op} with a scalar, " \
+ "which is not a category."
+ raise TypeError(msg.format(op=op))
else:
# allow categorical vs object dtype array comparisons for equality
diff --git a/pandas/tests/test_categorical.py b/pandas/tests/test_categorical.py
index 4c5678bf6633f..af48774492b11 100644
--- a/pandas/tests/test_categorical.py
+++ b/pandas/tests/test_categorical.py
@@ -1087,6 +1087,20 @@ def test_reflected_comparison_with_scalars(self):
self.assert_numpy_array_equal(cat > cat[0], [False, True, True])
self.assert_numpy_array_equal(cat[0] < cat, [False, True, True])
+ def test_comparison_with_unknown_scalars(self):
+ # https://github.com/pydata/pandas/issues/9836#issuecomment-92123057 and following
+ # comparisons with scalars not in categories should raise for unequal comps, but not for
+ # equal/not equal
+ cat = pd.Categorical([1, 2, 3], ordered=True)
+
+ self.assertRaises(TypeError, lambda: cat < 4)
+ self.assertRaises(TypeError, lambda: cat > 4)
+ self.assertRaises(TypeError, lambda: 4 < cat)
+ self.assertRaises(TypeError, lambda: 4 > cat)
+
+ self.assert_numpy_array_equal(cat == 4 , [False, False, False])
+ self.assert_numpy_array_equal(cat != 4 , [True, True, True])
+
class TestCategoricalAsBlock(tm.TestCase):
_multiprocess_can_split_ = True
@@ -2440,6 +2454,19 @@ def f():
cat > "b"
self.assertRaises(TypeError, f)
+ # https://github.com/pydata/pandas/issues/9836#issuecomment-92123057 and following
+ # comparisons with scalars not in categories should raise for unequal comps, but not for
+ # equal/not equal
+ cat = Series(Categorical(list("abc"), ordered=True))
+
+ self.assertRaises(TypeError, lambda: cat < "d")
+ self.assertRaises(TypeError, lambda: cat > "d")
+ self.assertRaises(TypeError, lambda: "d" < cat)
+ self.assertRaises(TypeError, lambda: "d" > cat)
+
+ self.assert_series_equal(cat == "d" , Series([False, False, False]))
+ self.assert_series_equal(cat != "d" , Series([True, True, True]))
+
# And test NaN handling...
cat = Series(Categorical(["a","b","c", np.nan]))
| Up to now, a comparison of categorical data and a scalar, which
is not in the categories would return `False` for all elements when
it should raise a `TypeError`, which it now does.
Also fix that `!=` comparisons would return `False` for all elements
when the more logical choice would be `True`.
Fixes the raised issue in https://github.com/pydata/pandas/issues/9836#issuecomment-92123057
| https://api.github.com/repos/pandas-dev/pandas/pulls/9864 | 2015-04-12T21:45:29Z | 2015-04-13T13:40:24Z | null | 2015-04-13T13:40:24Z |
DOC/CLN: fixed several typos in categorical.rst | diff --git a/doc/source/categorical.rst b/doc/source/categorical.rst
index d03e0fb117c5c..11e7fb0fd4117 100644
--- a/doc/source/categorical.rst
+++ b/doc/source/categorical.rst
@@ -23,11 +23,11 @@ Categorical Data
.. versionadded:: 0.15
.. note::
- While there was in `pandas.Categorical` in earlier versions, the ability to use
+ While there was `pandas.Categorical` in earlier versions, the ability to use
categorical data in `Series` and `DataFrame` is new.
-This is a introduction to pandas categorical data type, including a short comparison
+This is an introduction to pandas categorical data type, including a short comparison
with R's ``factor``.
`Categoricals` are a pandas data type, which correspond to categorical variables in
@@ -276,7 +276,7 @@ Sorting and Order
.. warning::
- The default for construction has change in v0.16.0 to ``ordered=False``, from the prior implicit ``ordered=True``
+ The default for construction has changed in v0.16.0 to ``ordered=False``, from the prior implicit ``ordered=True``
If categorical data is ordered (``s.cat.ordered == True``), then the order of the categories has a
meaning and certain operations are possible. If the categorical is unordered, ``.min()/.max()`` will raise a `TypeError`.
@@ -347,15 +347,15 @@ Multi Column Sorting
~~~~~~~~~~~~~~~~~~~~
A categorical dtyped column will partcipate in a multi-column sort in a similar manner to other columns.
-The ordering of the categorical is determined by the ``categories`` of that columns.
+The ordering of the categorical is determined by the ``categories`` of that column.
.. ipython:: python
- dfs = DataFrame({'A' : Categorical(list('bbeebbaa'),categories=['e','a','b'],ordered=True),
+ dfs = DataFrame({'A' : Categorical(list('bbeebbaa'), categories=['e','a','b'], ordered=True),
'B' : [1,2,1,2,2,1,2,1] })
- dfs.sort(['A','B'])
+ dfs.sort(['A', 'B'])
-Reordering the ``categories``, changes a future sort.
+Reordering the ``categories`` changes a future sort.
.. ipython:: python
@@ -380,7 +380,7 @@ categories or a categorical with any list-like object, will raise a TypeError.
Any "non-equality" comparisons of categorical data with a `Series`, `np.array`, `list` or
categorical data with different categories or ordering will raise an `TypeError` because custom
- categories ordering could be interpreted in two ways: one with taking in account the
+ categories ordering could be interpreted in two ways: one with taking into account the
ordering and one without.
.. ipython:: python
@@ -471,7 +471,7 @@ Data munging
------------
The optimized pandas data access methods ``.loc``, ``.iloc``, ``.ix`` ``.at``, and ``.iat``,
-work as normal, the only difference is the return type (for getting) and
+work as normal. The only difference is the return type (for getting) and
that only values already in `categories` can be assigned.
Getting
@@ -707,8 +707,8 @@ an ``object`` dtype is a constant times the length of the data.
.. note::
- If the number of categories approaches the length of the data, the ``Categorical`` will use nearly (or more) memory than an
- equivalent ``object`` dtype representation.
+ If the number of categories approaches the length of the data, the ``Categorical`` will use nearly the same or
+ more memory than an equivalent ``object`` dtype representation.
.. ipython:: python
| https://api.github.com/repos/pandas-dev/pandas/pulls/9863 | 2015-04-12T18:54:33Z | 2015-04-12T21:08:15Z | 2015-04-12T21:08:15Z | 2015-04-13T19:06:46Z | |
BUG: secondary ax has incorrect right_ax property | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index dc5e3ddcefc06..11d5c9690f2e8 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -110,6 +110,7 @@ Bug Fixes
- Bug in ``DataFrame.plot(kind="hist")`` results in ``TypeError`` when ``DataFrame`` contains non-numeric columns (:issue:`9853`)
- Bug where repeated plotting of ``DataFrame`` with a ``DatetimeIndex`` may raise ``TypeError`` (:issue:`9852`)
+- Bug in plotting ``secondary_y`` incorrectly attaches ``right_ax`` property to secondary axes specifying itself recursively. (:issue:`9861`)
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 7d489ce66c288..a90fbe6c25b1f 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -1609,7 +1609,10 @@ def test_line_lim(self):
self.assertEqual(xmax, lines[0].get_data()[0][-1])
axes = df.plot(secondary_y=True, subplots=True)
+ self._check_axes_shape(axes, axes_num=3, layout=(3, 1))
for ax in axes:
+ self.assertTrue(hasattr(ax, 'left_ax'))
+ self.assertFalse(hasattr(ax, 'right_ax'))
xmin, xmax = ax.get_xlim()
lines = ax.get_lines()
self.assertEqual(xmin, lines[0].get_data()[0][0])
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index 6a284e547433a..1cd2ca1bf3b85 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -927,19 +927,21 @@ def _has_plotted_object(self, ax):
def _maybe_right_yaxis(self, ax, axes_num):
if not self.on_right(axes_num):
- if hasattr(ax, 'left_ax'):
- # secondary axes may be passed as axes
- return ax.left_ax
- return ax
+ # secondary axes may be passed via ax kw
+ return self._get_ax_layer(ax)
if hasattr(ax, 'right_ax'):
+ # if it has right_ax proparty, ``ax`` must be left axes
return ax.right_ax
+ elif hasattr(ax, 'left_ax'):
+ # if it has left_ax proparty, ``ax`` must be right axes
+ return ax
else:
+ # otherwise, create twin axes
orig_ax, new_ax = ax, ax.twinx()
new_ax._get_lines.color_cycle = orig_ax._get_lines.color_cycle
orig_ax.right_ax, new_ax.left_ax = new_ax, orig_ax
- new_ax.right_ax = new_ax
if not self._has_plotted_object(orig_ax): # no data on left y
orig_ax.get_yaxis().set_visible(False)
@@ -987,9 +989,8 @@ def result(self):
all_sec = (com.is_list_like(self.secondary_y) and
len(self.secondary_y) == self.nseries)
if (sec_true or all_sec):
- # if all data is plotted on secondary,
- # return secondary axes
- return self.axes[0].right_ax
+ # if all data is plotted on secondary, return right axes
+ return self._get_ax_layer(self.axes[0], primary=False)
else:
return self.axes[0]
@@ -1229,11 +1230,18 @@ def _get_index_name(self):
return name
+ @classmethod
+ def _get_ax_layer(cls, ax, primary=True):
+ """get left (primary) or right (secondary) axes"""
+ if primary:
+ return getattr(ax, 'left_ax', ax)
+ else:
+ return getattr(ax, 'right_ax', ax)
+
def _get_ax(self, i):
# get the twinx ax if appropriate
if self.subplots:
ax = self.axes[i]
-
ax = self._maybe_right_yaxis(ax, i)
self.axes[i] = ax
else:
@@ -2500,8 +2508,7 @@ def plot_series(data, kind='line', ax=None, # Series unique
"""
if ax is None and len(plt.get_fignums()) > 0:
ax = _gca()
- ax = getattr(ax, 'left_ax', ax)
-
+ ax = MPLPlot._get_ax_layer(ax)
return _plot(data, kind=kind, ax=ax,
figsize=figsize, use_index=use_index, title=title,
grid=grid, legend=legend,
@@ -3348,11 +3355,9 @@ def _flatten(axes):
def _get_all_lines(ax):
lines = ax.get_lines()
- # check for right_ax, which can oddly sometimes point back to ax
- if hasattr(ax, 'right_ax') and ax.right_ax != ax:
+ if hasattr(ax, 'right_ax'):
lines += ax.right_ax.get_lines()
- # no such risk with left_ax
if hasattr(ax, 'left_ax'):
lines += ax.left_ax.get_lines()
diff --git a/pandas/tseries/tests/test_plotting.py b/pandas/tseries/tests/test_plotting.py
index bdc0aa02f2715..c5ed8a1ac3e31 100644
--- a/pandas/tseries/tests/test_plotting.py
+++ b/pandas/tseries/tests/test_plotting.py
@@ -528,7 +528,9 @@ def test_secondary_y(self):
ser = Series(np.random.randn(10))
ser2 = Series(np.random.randn(10))
- ax = ser.plot(secondary_y=True).right_ax
+ ax = ser.plot(secondary_y=True)
+ self.assertTrue(hasattr(ax, 'left_ax'))
+ self.assertFalse(hasattr(ax, 'right_ax'))
fig = ax.get_figure()
axes = fig.get_axes()
l = ax.get_lines()[0]
@@ -543,8 +545,12 @@ def test_secondary_y(self):
plt.close(ax2.get_figure())
ax = ser2.plot()
- ax2 = ser.plot(secondary_y=True).right_ax
+ ax2 = ser.plot(secondary_y=True)
self.assertTrue(ax.get_yaxis().get_visible())
+ self.assertFalse(hasattr(ax, 'left_ax'))
+ self.assertTrue(hasattr(ax, 'right_ax'))
+ self.assertTrue(hasattr(ax2, 'left_ax'))
+ self.assertFalse(hasattr(ax2, 'right_ax'))
@slow
def test_secondary_y_ts(self):
@@ -552,7 +558,9 @@ def test_secondary_y_ts(self):
idx = date_range('1/1/2000', periods=10)
ser = Series(np.random.randn(10), idx)
ser2 = Series(np.random.randn(10), idx)
- ax = ser.plot(secondary_y=True).right_ax
+ ax = ser.plot(secondary_y=True)
+ self.assertTrue(hasattr(ax, 'left_ax'))
+ self.assertFalse(hasattr(ax, 'right_ax'))
fig = ax.get_figure()
axes = fig.get_axes()
l = ax.get_lines()[0]
@@ -577,7 +585,9 @@ def test_secondary_kde(self):
import matplotlib.pyplot as plt
ser = Series(np.random.randn(10))
- ax = ser.plot(secondary_y=True, kind='density').right_ax
+ ax = ser.plot(secondary_y=True, kind='density')
+ self.assertTrue(hasattr(ax, 'left_ax'))
+ self.assertFalse(hasattr(ax, 'right_ax'))
fig = ax.get_figure()
axes = fig.get_axes()
self.assertEqual(axes[1].get_yaxis().get_ticks_position(), 'right')
@@ -922,7 +932,9 @@ def test_secondary_upsample(self):
ax = high.plot(secondary_y=True)
for l in ax.get_lines():
self.assertEqual(PeriodIndex(l.get_xdata()).freq, 'D')
- for l in ax.right_ax.get_lines():
+ self.assertTrue(hasattr(ax, 'left_ax'))
+ self.assertFalse(hasattr(ax, 'right_ax'))
+ for l in ax.left_ax.get_lines():
self.assertEqual(PeriodIndex(l.get_xdata()).freq, 'D')
@slow
| When `secondary_y` is enabled, twin axes are created as below:
- Assume current axes is `ax` (left ax)
- create `new_ax` (right ax) via `ax.twinx`
- Let `ax.right_ax` to specify `new_ax` (right ax)
- Let `new_ax.left_ax` to specify `ax` (left ax)
- Let `new_ax.right_ax` to specify `new_ax` (incorrect)
The last one is incorrect and confuses other logics such as `_get_all_lines`. I think it should be removed.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9861 | 2015-04-11T23:27:43Z | 2015-04-14T14:25:56Z | null | 2015-04-14T14:28:42Z |
DOC: add more examples to StringMethods on Index | diff --git a/doc/source/text.rst b/doc/source/text.rst
index ee91ea3c166b6..f417f56f51fbc 100644
--- a/doc/source/text.rst
+++ b/doc/source/text.rst
@@ -37,6 +37,32 @@ the equivalent (scalar) built-in string methods:
idx.str.lstrip()
idx.str.rstrip()
+The string methods on Index are especially useful for cleaning up or
+transforming DataFrame columns. For instance, you may have columns with
+leading or trailing whitespace:
+
+.. ipython:: python
+
+ df = DataFrame(randn(3, 2), columns=[' Column A ', ' Column B '],
+ index=range(3))
+ df
+
+Since ``df.columns`` is an Index object, we can use the ``.str`` accessor
+
+.. ipython:: python
+
+ df.columns.str.strip()
+ df.columns.str.lower()
+
+These string methods can then be used to clean up the columns as needed.
+Here we are removing leading and trailing whitespaces, lowercasing all names,
+and replacing any remaining whitespaces with underscores:
+
+.. ipython:: python
+
+ df.columns = df.columns.str.strip().str.lower().str.replace(' ', '_')
+ df
+
Splitting and Replacing Strings
-------------------------------
| as discussed in https://github.com/pydata/pandas/pull/9667
@jorisvandenbossche please take a look, thanks
| https://api.github.com/repos/pandas-dev/pandas/pulls/9858 | 2015-04-11T21:11:03Z | 2015-04-12T08:01:34Z | 2015-04-12T08:01:34Z | 2015-04-13T19:07:10Z |
BUG: plot(kind=hist) results in TypeError if it contains non-numeric data | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index ab57f1fb6ea10..a3fd8ae1b86fb 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -107,6 +107,7 @@ Bug Fixes
- Bug in plotting continuously using ``secondary_y`` may not show legend properly. (:issue:`9610`, :issue:`9779`)
+- Bug in ``DataFrame.plot(kind="hist")`` results in ``TypeError`` when ``DataFrame`` contains non-numeric columns (:issue:`9853`)
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 36c19cd39f76c..7d489ce66c288 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -678,6 +678,18 @@ def test_hist_df_kwargs(self):
ax = df.plot(kind='hist', bins=5)
self.assertEqual(len(ax.patches), 10)
+ @slow
+ def test_hist_df_with_nonnumerics(self):
+ # GH 9853
+ with tm.RNGContext(1):
+ df = DataFrame(np.random.randn(10, 4), columns=['A', 'B', 'C', 'D'])
+ df['E'] = ['x', 'y'] * 5
+ ax = df.plot(kind='hist', bins=5)
+ self.assertEqual(len(ax.patches), 20)
+
+ ax = df.plot(kind='hist') # bins=10
+ self.assertEqual(len(ax.patches), 40)
+
@slow
def test_hist_legacy(self):
_check_plot_works(self.ts.hist)
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index 358c5b0dd5940..1accc48b0d3c4 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -1948,7 +1948,8 @@ def __init__(self, data, bins=10, bottom=0, **kwargs):
def _args_adjust(self):
if com.is_integer(self.bins):
# create common bin edge
- values = np.ravel(self.data.values)
+ values = self.data.convert_objects()._get_numeric_data()
+ values = np.ravel(values)
values = values[~com.isnull(values)]
hist, self.bins = np.histogram(values, bins=self.bins,
| ```
df = pd.DataFrame(np.random.rand(20, 5), columns=['A', 'B', 'C', 'D', 'E'])
df['C'] = ['A', 'B', 'C', 'D'] * 5
df['D'] = df['D'] * 100
df.plot(kind='hist')
# TypeError: cannot concatenate 'str' and 'float' objects
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9853 | 2015-04-11T12:24:14Z | 2015-04-11T15:18:00Z | 2015-04-11T15:18:00Z | 2015-04-11T15:58:20Z |
BUG/CLN: Repeated time-series plot may raise TypeError | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index b80e341d4156a..1750ec64025a7 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -108,6 +108,7 @@ Bug Fixes
- Bug in plotting continuously using ``secondary_y`` may not show legend properly. (:issue:`9610`, :issue:`9779`)
- Bug in ``DataFrame.plot(kind="hist")`` results in ``TypeError`` when ``DataFrame`` contains non-numeric columns (:issue:`9853`)
+- Bug where repeated plotting of ``DataFrame`` with a ``DatetimeIndex`` may raise ``TypeError`` (:issue:`9852`)
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index 1accc48b0d3c4..6a284e547433a 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -885,28 +885,16 @@ def _iter_data(self, data=None, keep_index=False, fillna=None):
if fillna is not None:
data = data.fillna(fillna)
- from pandas.core.frame import DataFrame
- if isinstance(data, (Series, np.ndarray, Index)):
- label = self.label if self.label is not None else data.name
+ if self.sort_columns:
+ columns = com._try_sort(data.columns)
+ else:
+ columns = data.columns
+
+ for col in columns:
if keep_index is True:
- yield label, data
+ yield col, data[col]
else:
- yield label, np.asarray(data)
- elif isinstance(data, DataFrame):
- if self.sort_columns:
- columns = com._try_sort(data.columns)
- else:
- columns = data.columns
-
- for col in columns:
- # # is this right?
- # empty = df[col].count() == 0
- # values = df[col].values if not empty else np.zeros(len(df))
-
- if keep_index is True:
- yield col, data[col]
- else:
- yield col, data[col].values
+ yield col, data[col].values
@property
def nseries(self):
@@ -1006,7 +994,15 @@ def result(self):
return self.axes[0]
def _compute_plot_data(self):
- numeric_data = self.data.convert_objects()._get_numeric_data()
+ data = self.data
+
+ if isinstance(data, Series):
+ label = self.kwds.pop('label', None)
+ if label is None and data.name is None:
+ label = 'None'
+ data = data.to_frame(name=label)
+
+ numeric_data = data.convert_objects()._get_numeric_data()
try:
is_empty = numeric_data.empty
@@ -1027,12 +1023,7 @@ def _add_table(self):
if self.table is False:
return
elif self.table is True:
- from pandas.core.frame import DataFrame
- if isinstance(self.data, Series):
- data = DataFrame(self.data, columns=[self.data.name])
- elif isinstance(self.data, DataFrame):
- data = self.data
- data = data.transpose()
+ data = self.data.transpose()
else:
data = self.table
ax = self._get_ax(0)
@@ -1099,18 +1090,15 @@ def _apply_axis_properties(self, axis, rot=None, fontsize=None):
@property
def legend_title(self):
- if hasattr(self.data, 'columns'):
- if not isinstance(self.data.columns, MultiIndex):
- name = self.data.columns.name
- if name is not None:
- name = com.pprint_thing(name)
- return name
- else:
- stringified = map(com.pprint_thing,
- self.data.columns.names)
- return ','.join(stringified)
+ if not isinstance(self.data.columns, MultiIndex):
+ name = self.data.columns.name
+ if name is not None:
+ name = com.pprint_thing(name)
+ return name
else:
- return None
+ stringified = map(com.pprint_thing,
+ self.data.columns.names)
+ return ','.join(stringified)
def _add_legend_handle(self, handle, label, index=None):
if not label is None:
@@ -1256,12 +1244,10 @@ def _get_ax(self, i):
return ax
def on_right(self, i):
- from pandas.core.frame import DataFrame
if isinstance(self.secondary_y, bool):
return self.secondary_y
- if (isinstance(self.data, DataFrame) and
- isinstance(self.secondary_y, (tuple, list, np.ndarray, Index))):
+ if isinstance(self.secondary_y, (tuple, list, np.ndarray, Index)):
return self.data.columns[i] in self.secondary_y
def _get_style(self, i, col_name):
@@ -1553,16 +1539,14 @@ def __init__(self, data, **kwargs):
self.x_compat = bool(self.kwds.pop('x_compat'))
def _index_freq(self):
- from pandas.core.frame import DataFrame
- if isinstance(self.data, (Series, DataFrame)):
- freq = getattr(self.data.index, 'freq', None)
- if freq is None:
- freq = getattr(self.data.index, 'inferred_freq', None)
- if freq == 'B':
- weekdays = np.unique(self.data.index.dayofweek)
- if (5 in weekdays) or (6 in weekdays):
- freq = None
- return freq
+ freq = getattr(self.data.index, 'freq', None)
+ if freq is None:
+ freq = getattr(self.data.index, 'inferred_freq', None)
+ if freq == 'B':
+ weekdays = np.unique(self.data.index.dayofweek)
+ if (5 in weekdays) or (6 in weekdays):
+ freq = None
+ return freq
def _is_dynamic_freq(self, freq):
if isinstance(freq, DateOffset):
@@ -1574,9 +1558,7 @@ def _is_dynamic_freq(self, freq):
def _no_base(self, freq):
# hack this for 0.10.1, creating more technical debt...sigh
- from pandas.core.frame import DataFrame
- if (isinstance(self.data, (Series, DataFrame))
- and isinstance(self.data.index, DatetimeIndex)):
+ if isinstance(self.data.index, DatetimeIndex):
base = frequencies.get_freq(freq)
x = self.data.index
if (base <= frequencies.FreqGroup.FR_DAY):
@@ -1686,17 +1668,13 @@ def _update_prior(self, y):
def _maybe_convert_index(self, data):
# tsplot converts automatically, but don't want to convert index
# over and over for DataFrames
- from pandas.core.frame import DataFrame
- if (isinstance(data.index, DatetimeIndex) and
- isinstance(data, DataFrame)):
+ if isinstance(data.index, DatetimeIndex):
freq = getattr(data.index, 'freq', None)
if freq is None:
freq = getattr(data.index, 'inferred_freq', None)
if isinstance(freq, DateOffset):
freq = freq.rule_code
- freq = frequencies.get_base_alias(freq)
- freq = frequencies.get_period_alias(freq)
if freq is None:
ax = self._get_ax(0)
@@ -1705,9 +1683,10 @@ def _maybe_convert_index(self, data):
if freq is None:
raise ValueError('Could not get frequency alias for plotting')
- data = DataFrame(data.values,
- index=data.index.to_period(freq=freq),
- columns=data.columns)
+ freq = frequencies.get_base_alias(freq)
+ freq = frequencies.get_period_alias(freq)
+
+ data.index = data.index.to_period(freq=freq)
return data
def _post_plot_logic(self):
@@ -2522,9 +2501,7 @@ def plot_series(data, kind='line', ax=None, # Series unique
if ax is None and len(plt.get_fignums()) > 0:
ax = _gca()
ax = getattr(ax, 'left_ax', ax)
- # is there harm in this?
- if label is None:
- label = data.name
+
return _plot(data, kind=kind, ax=ax,
figsize=figsize, use_index=use_index, title=title,
grid=grid, legend=legend,
diff --git a/pandas/tseries/tests/test_plotting.py b/pandas/tseries/tests/test_plotting.py
index c4e642ffe43b0..bdc0aa02f2715 100644
--- a/pandas/tseries/tests/test_plotting.py
+++ b/pandas/tseries/tests/test_plotting.py
@@ -636,6 +636,38 @@ def test_mixed_freq_irregular_first(self):
x2 = lines[1].get_xdata()
assert_array_equal(x2, s1.index.asobject.values)
+ def test_mixed_freq_regular_first_df(self):
+ # GH 9852
+ import matplotlib.pyplot as plt
+ s1 = tm.makeTimeSeries().to_frame()
+ s2 = s1.iloc[[0, 5, 10, 11, 12, 13, 14, 15], :]
+ ax = s1.plot()
+ ax2 = s2.plot(style='g', ax=ax)
+ lines = ax2.get_lines()
+ idx1 = PeriodIndex(lines[0].get_xdata())
+ idx2 = PeriodIndex(lines[1].get_xdata())
+ self.assertTrue(idx1.equals(s1.index.to_period('B')))
+ self.assertTrue(idx2.equals(s2.index.to_period('B')))
+ left, right = ax2.get_xlim()
+ pidx = s1.index.to_period()
+ self.assertEqual(left, pidx[0].ordinal)
+ self.assertEqual(right, pidx[-1].ordinal)
+
+ @slow
+ def test_mixed_freq_irregular_first_df(self):
+ # GH 9852
+ import matplotlib.pyplot as plt
+ s1 = tm.makeTimeSeries().to_frame()
+ s2 = s1.iloc[[0, 5, 10, 11, 12, 13, 14, 15], :]
+ ax = s2.plot(style='g')
+ ax = s1.plot(ax=ax)
+ self.assertFalse(hasattr(ax, 'freq'))
+ lines = ax.get_lines()
+ x1 = lines[0].get_xdata()
+ assert_array_equal(x1, s2.index.asobject.values)
+ x2 = lines[1].get_xdata()
+ assert_array_equal(x2, s1.index.asobject.values)
+
def test_mixed_freq_hf_first(self):
idxh = date_range('1/1/1999', periods=365, freq='D')
idxl = date_range('1/1/1999', periods=12, freq='M')
| This repeated time-series plotting works:
```
import pandas.util.testing as tm
s1 = tm.makeTimeSeries()
s2 = s1[[0, 5, 10, 11, 12, 13, 14, 15]]
ax = s1.plot()
ax2 = s2.plot(style='g')
```

But if converted to `DateFrame`, it doesn't:
```
s1 = s1.to_frame()
s2 = s1.iloc[[0, 5, 10, 11, 12, 13, 14, 15]]
print(s2.index.freq)
ax = s1.plot()
ax2 = s2.plot(style='g', ax=ax)
# TypeError: expected string or buffer
```
Fixed the problem, and cleaned up the code to merge `Series` and `DataFrame` flows.
#### After the Fix:
```
import pandas.util.testing as tm
fig, axes = plt.subplots(2, 1)
s1 = tm.makeTimeSeries()
s2 = s1[[0, 5, 10, 11, 12, 13, 14, 15]]
ax = s1.plot(ax=axes[0])
ax2 = s2.plot(style='g', ax=axes[0])
s1 = s1.to_frame(name='x')
s2 = s1.iloc[[0, 5, 10, 11, 12, 13, 14, 15]]
ax = s1.plot(ax=axes[1])
ax2 = s2.plot(style='g', ax=axes[1])
```

| https://api.github.com/repos/pandas-dev/pandas/pulls/9852 | 2015-04-11T12:18:15Z | 2015-04-12T13:39:44Z | 2015-04-12T13:39:44Z | 2015-04-18T14:26:06Z |
Fix for unequal comparisons of categorical and scalar | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index ab57f1fb6ea10..2cba928be5ab7 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -116,3 +116,7 @@ Bug Fixes
- Bug in ``read_csv`` and ``read_table`` when using ``skip_rows`` parameter if blank lines are present. (:issue:`9832`)
- Bug in ``read_csv()`` interprets ``index_col=True`` as ``1`` (:issue:`9798`)
+
+- Bug in unequal comparisons between a ``Series`` of dtype `"category"` and a scalar (e.g.
+ ``Series(Categorical(list("abc"), categories=list("cba"), ordered=True)) > "b"``, which
+ wouldn't use the order of the categories but use the lexicographical order. (:issue:`9848`)
\ No newline at end of file
diff --git a/pandas/core/ops.py b/pandas/core/ops.py
index 954d2c8a77326..2af9cd43faaef 100644
--- a/pandas/core/ops.py
+++ b/pandas/core/ops.py
@@ -594,20 +594,26 @@ def wrapper(self, other):
mask = isnull(self)
- values = self.get_values()
- other = _index.convert_scalar(values,_values_from_object(other))
+ if com.is_categorical_dtype(self):
+ # cats are a special case as get_values() would return an ndarray, which would then
+ # not take categories ordering into account
+ # we can go directly to op, as the na_op would just test again and dispatch to it.
+ res = op(self.values, other)
+ else:
+ values = self.get_values()
+ other = _index.convert_scalar(values,_values_from_object(other))
- if issubclass(values.dtype.type, (np.datetime64, np.timedelta64)):
- values = values.view('i8')
+ if issubclass(values.dtype.type, (np.datetime64, np.timedelta64)):
+ values = values.view('i8')
- # scalars
- res = na_op(values, other)
- if np.isscalar(res):
- raise TypeError('Could not compare %s type with Series'
- % type(other))
+ # scalars
+ res = na_op(values, other)
+ if np.isscalar(res):
+ raise TypeError('Could not compare %s type with Series'
+ % type(other))
- # always return a full value series here
- res = _values_from_object(res)
+ # always return a full value series here
+ res = _values_from_object(res)
res = pd.Series(res, index=self.index, name=self.name,
dtype='bool')
diff --git a/pandas/tests/test_categorical.py b/pandas/tests/test_categorical.py
index 7f4b3fcb94dfa..4c5678bf6633f 100644
--- a/pandas/tests/test_categorical.py
+++ b/pandas/tests/test_categorical.py
@@ -114,6 +114,9 @@ def f():
Categorical([1,2], [1,2,np.nan, np.nan])
self.assertRaises(ValueError, f)
+ # The default should be unordered
+ c1 = Categorical(["a", "b", "c", "a"])
+ self.assertFalse(c1.ordered)
# Categorical as input
c1 = Categorical(["a", "b", "c", "a"])
@@ -367,6 +370,13 @@ def f():
self.assertRaises(TypeError, lambda: a < cat)
self.assertRaises(TypeError, lambda: a < cat_rev)
+ # Make sure that unequal comparison take the categories order in account
+ cat_rev = pd.Categorical(list("abc"), categories=list("cba"), ordered=True)
+ exp = np.array([True, False, False])
+ res = cat_rev > "b"
+ self.assert_numpy_array_equal(res, exp)
+
+
def test_na_flags_int_categories(self):
# #1457
@@ -2390,6 +2400,18 @@ def test_comparisons(self):
exp = Series([False, False, True])
tm.assert_series_equal(res, exp)
+ scalar = base[1]
+ res = cat > scalar
+ exp = Series([False, False, True])
+ exp2 = cat.values > scalar
+ tm.assert_series_equal(res, exp)
+ tm.assert_numpy_array_equal(res.values, exp2)
+ res_rev = cat_rev > scalar
+ exp_rev = Series([True, False, False])
+ exp_rev2 = cat_rev.values > scalar
+ tm.assert_series_equal(res_rev, exp_rev)
+ tm.assert_numpy_array_equal(res_rev.values, exp_rev2)
+
# Only categories with same categories can be compared
def f():
cat > cat_rev
@@ -2408,9 +2430,16 @@ def f():
self.assertRaises(TypeError, lambda: a < cat)
self.assertRaises(TypeError, lambda: a < cat_rev)
- # Categoricals can be compared to scalar values
- res = cat_rev > base[0]
- tm.assert_series_equal(res, exp)
+ # unequal comparison should raise for unordered cats
+ cat = Series(Categorical(list("abc")))
+ def f():
+ cat > "b"
+ self.assertRaises(TypeError, f)
+ cat = Series(Categorical(list("abc"), ordered=False))
+ def f():
+ cat > "b"
+ self.assertRaises(TypeError, f)
+
# And test NaN handling...
cat = Series(Categorical(["a","b","c", np.nan]))
| Fixes: #9836
| https://api.github.com/repos/pandas-dev/pandas/pulls/9848 | 2015-04-10T14:30:38Z | 2015-04-11T20:06:52Z | null | 2015-05-11T22:21:16Z |
BUG: memory access bug in read_csv causing segfault | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index f5b158d717357..3ff2406220e35 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -91,6 +91,7 @@ Bug Fixes
- Fixed bug (:issue:`9542`) where labels did not appear properly in legend of ``DataFrame.plot()``. Passing ``label=`` args also now works, and series indices are no longer mutated.
- Bug in json serialization when frame has length zero.(:issue:`9805`)
+- Bug in `read_csv` where missing trailing delimiters would cause segfault. (:issue:`5664`)
- Bug in ``scatter_matrix`` draws unexpected axis ticklabels (:issue:`5662`)
diff --git a/pandas/io/tests/test_cparser.py b/pandas/io/tests/test_cparser.py
index ad6f071d738ff..93d55c654de90 100644
--- a/pandas/io/tests/test_cparser.py
+++ b/pandas/io/tests/test_cparser.py
@@ -336,6 +336,28 @@ def test_empty_field_eof(self):
2: np.array(['3', ''], dtype=object)}
assert_array_dicts_equal(result, expected)
+ # GH5664
+ a = DataFrame([['b'], [nan]], columns=['a'], index=['a', 'c'])
+ b = DataFrame([[1, 1, 1, 0], [1, 1, 1, 0]],
+ columns=list('abcd'),
+ index=[1, 1])
+ c = DataFrame([[1, 2, 3, 4], [6, nan, nan, nan],
+ [8, 9, 10, 11], [13, 14, nan, nan]],
+ columns=list('abcd'),
+ index=[0, 5, 7, 12])
+
+ for _ in range(100):
+ df = read_csv(StringIO('a,b\nc\n'), skiprows=0,
+ names=['a'], engine='c')
+ assert_frame_equal(df, a)
+
+ df = read_csv(StringIO('1,1,1,1,0\n'*2 + '\n'*2),
+ names=list("abcd"), engine='c')
+ assert_frame_equal(df, b)
+
+ df = read_csv(StringIO('0,1,2,3,4\n5,6\n7,8,9,10,11\n12,13,14'),
+ names=list('abcd'), engine='c')
+ assert_frame_equal(df, c)
def assert_array_dicts_equal(left, right):
for k, v in compat.iteritems(left):
diff --git a/pandas/parser.pyx b/pandas/parser.pyx
index d13781d6fa132..73a03fc5cef7c 100644
--- a/pandas/parser.pyx
+++ b/pandas/parser.pyx
@@ -175,7 +175,7 @@ cdef extern from "parser/tokenizer.h":
int col
void coliter_setup(coliter_t *it, parser_t *parser, int i, int start)
- char* COLITER_NEXT(coliter_t it)
+ void COLITER_NEXT(coliter_t, const char *)
parser_t* parser_new()
@@ -212,7 +212,7 @@ cdef extern from "parser/tokenizer.h":
inline int to_longlong(char *item, long long *p_value)
# inline int to_longlong_thousands(char *item, long long *p_value,
# char tsep)
- int to_boolean(char *item, uint8_t *val)
+ int to_boolean(const char *item, uint8_t *val)
cdef extern from "parser/io.h":
@@ -1279,7 +1279,7 @@ cdef _string_box_factorize(parser_t *parser, int col,
Py_ssize_t i
size_t lines
coliter_t it
- char *word
+ const char *word = NULL
ndarray[object] result
int ret = 0
@@ -1296,7 +1296,7 @@ cdef _string_box_factorize(parser_t *parser, int col,
coliter_setup(&it, parser, col, line_start)
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
if na_filter:
k = kh_get_str(na_hashset, word)
@@ -1333,7 +1333,7 @@ cdef _string_box_utf8(parser_t *parser, int col,
Py_ssize_t i
size_t lines
coliter_t it
- char *word
+ const char *word = NULL
ndarray[object] result
int ret = 0
@@ -1350,7 +1350,7 @@ cdef _string_box_utf8(parser_t *parser, int col,
coliter_setup(&it, parser, col, line_start)
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
if na_filter:
k = kh_get_str(na_hashset, word)
@@ -1388,7 +1388,7 @@ cdef _string_box_decode(parser_t *parser, int col,
Py_ssize_t i, size
size_t lines
coliter_t it
- char *word
+ const char *word = NULL
ndarray[object] result
int ret = 0
@@ -1407,7 +1407,7 @@ cdef _string_box_decode(parser_t *parser, int col,
coliter_setup(&it, parser, col, line_start)
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
if na_filter:
k = kh_get_str(na_hashset, word)
@@ -1444,7 +1444,7 @@ cdef _to_fw_string(parser_t *parser, int col, int line_start,
int error
Py_ssize_t i, j
coliter_t it
- char *word
+ const char *word = NULL
char *data
ndarray result
@@ -1454,7 +1454,7 @@ cdef _to_fw_string(parser_t *parser, int col, int line_start,
coliter_setup(&it, parser, col, line_start)
for i in range(line_end - line_start):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
strncpy(data, word, width)
data += width
@@ -1469,7 +1469,7 @@ cdef _try_double(parser_t *parser, int col, int line_start, int line_end,
int error, na_count = 0
size_t i, lines
coliter_t it
- char *word
+ const char *word = NULL
char *p_end
double *data
double NA = na_values[np.float64]
@@ -1485,7 +1485,7 @@ cdef _try_double(parser_t *parser, int col, int line_start, int line_end,
if na_filter:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
k = kh_get_str(na_hashset, word)
# in the hash table
@@ -1509,7 +1509,7 @@ cdef _try_double(parser_t *parser, int col, int line_start, int line_end,
data += 1
else:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
data[0] = parser.converter(word, &p_end, parser.decimal, parser.sci,
parser.thousands, 1)
if errno != 0 or p_end[0] or p_end == word:
@@ -1530,7 +1530,7 @@ cdef _try_int64(parser_t *parser, int col, int line_start, int line_end,
int error, na_count = 0
size_t i, lines
coliter_t it
- char *word
+ const char *word = NULL
int64_t *data
ndarray result
@@ -1544,7 +1544,7 @@ cdef _try_int64(parser_t *parser, int col, int line_start, int line_end,
if na_filter:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
k = kh_get_str(na_hashset, word)
# in the hash table
if k != na_hashset.n_buckets:
@@ -1561,7 +1561,7 @@ cdef _try_int64(parser_t *parser, int col, int line_start, int line_end,
return None, None
else:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
data[i] = str_to_int64(word, INT64_MIN, INT64_MAX,
&error, parser.thousands)
if error != 0:
@@ -1578,7 +1578,7 @@ cdef _try_bool(parser_t *parser, int col, int line_start, int line_end,
int error, na_count = 0
size_t i, lines
coliter_t it
- char *word
+ const char *word = NULL
uint8_t *data
ndarray result
@@ -1592,7 +1592,7 @@ cdef _try_bool(parser_t *parser, int col, int line_start, int line_end,
if na_filter:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
k = kh_get_str(na_hashset, word)
# in the hash table
@@ -1608,7 +1608,7 @@ cdef _try_bool(parser_t *parser, int col, int line_start, int line_end,
data += 1
else:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
error = to_boolean(word, data)
if error != 0:
@@ -1625,7 +1625,7 @@ cdef _try_bool_flex(parser_t *parser, int col, int line_start, int line_end,
int error, na_count = 0
size_t i, lines
coliter_t it
- char *word
+ const char *word = NULL
uint8_t *data
ndarray result
@@ -1639,7 +1639,7 @@ cdef _try_bool_flex(parser_t *parser, int col, int line_start, int line_end,
if na_filter:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
k = kh_get_str(na_hashset, word)
# in the hash table
@@ -1667,7 +1667,7 @@ cdef _try_bool_flex(parser_t *parser, int col, int line_start, int line_end,
data += 1
else:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
k = kh_get_str(true_hashset, word)
if k != true_hashset.n_buckets:
@@ -1688,33 +1688,6 @@ cdef _try_bool_flex(parser_t *parser, int col, int line_start, int line_end,
return result.view(np.bool_), na_count
-cdef _get_na_mask(parser_t *parser, int col, int line_start, int line_end,
- kh_str_t *na_hashset):
- cdef:
- int error
- Py_ssize_t i
- size_t lines
- coliter_t it
- char *word
- ndarray[uint8_t, cast=True] result
- khiter_t k
-
- lines = line_end - line_start
- result = np.empty(lines, dtype=np.bool_)
-
- coliter_setup(&it, parser, col, line_start)
- for i in range(lines):
- word = COLITER_NEXT(it)
-
- k = kh_get_str(na_hashset, word)
- # in the hash table
- if k != na_hashset.n_buckets:
- result[i] = 1
- else:
- result[i] = 0
-
- return result
-
cdef kh_str_t* kset_from_list(list values) except NULL:
# caller takes responsibility for freeing the hash table
cdef:
@@ -1897,7 +1870,7 @@ cdef _apply_converter(object f, parser_t *parser, int col,
Py_ssize_t i
size_t lines
coliter_t it
- char *word
+ const char *word = NULL
char *errors = "strict"
ndarray[object] result
object val
@@ -1909,17 +1882,17 @@ cdef _apply_converter(object f, parser_t *parser, int col,
if not PY3 and c_encoding == NULL:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
val = PyBytes_FromString(word)
result[i] = f(val)
elif ((PY3 and c_encoding == NULL) or c_encoding == b'utf-8'):
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
val = PyUnicode_FromString(word)
result[i] = f(val)
else:
for i in range(lines):
- word = COLITER_NEXT(it)
+ COLITER_NEXT(it, word)
val = PyUnicode_Decode(word, strlen(word),
c_encoding, errors)
result[i] = f(val)
diff --git a/pandas/src/parser/tokenizer.c b/pandas/src/parser/tokenizer.c
index 1bc4096658b29..1850aab50b55a 100644
--- a/pandas/src/parser/tokenizer.c
+++ b/pandas/src/parser/tokenizer.c
@@ -38,7 +38,7 @@ See LICENSE for the license
* RESTORE_FINAL (2):
* Put the file position at the next byte after the
* data read from the file_buffer.
-*
+*
#define RESTORE_NOT 0
#define RESTORE_INITIAL 1
#define RESTORE_FINAL 2
@@ -304,7 +304,7 @@ static int make_stream_space(parser_t *self, size_t nbytes) {
self->stream_len,
&self->stream_cap, nbytes * 2,
sizeof(char), &status);
- TRACE(("make_stream_space: self->stream=%p, self->stream_len = %zu, self->stream_cap=%zu, status=%zu\n",
+ TRACE(("make_stream_space: self->stream=%p, self->stream_len = %zu, self->stream_cap=%zu, status=%zu\n",
self->stream, self->stream_len, self->stream_cap, status))
if (status != 0) {
@@ -334,7 +334,7 @@ static int make_stream_space(parser_t *self, size_t nbytes) {
self->words_len,
&self->words_cap, nbytes,
sizeof(char*), &status);
- TRACE(("make_stream_space: grow_buffer(self->self->words, %zu, %zu, %zu, %d)\n",
+ TRACE(("make_stream_space: grow_buffer(self->self->words, %zu, %zu, %zu, %d)\n",
self->words_len, self->words_cap, nbytes, status))
if (status != 0) {
return PARSER_OUT_OF_MEMORY;
@@ -371,7 +371,7 @@ static int make_stream_space(parser_t *self, size_t nbytes) {
self->lines + 1,
&self->lines_cap, nbytes,
sizeof(int), &status);
- TRACE(("make_stream_space: grow_buffer(self->line_start, %zu, %zu, %zu, %d)\n",
+ TRACE(("make_stream_space: grow_buffer(self->line_start, %zu, %zu, %zu, %d)\n",
self->lines + 1, self->lines_cap, nbytes, status))
if (status != 0) {
return PARSER_OUT_OF_MEMORY;
@@ -398,7 +398,7 @@ static int push_char(parser_t *self, char c) {
/* TRACE(("pushing %c \n", c)) */
TRACE(("push_char: self->stream[%zu] = %x, stream_cap=%zu\n", self->stream_len+1, c, self->stream_cap))
if (self->stream_len >= self->stream_cap) {
- TRACE(("push_char: ERROR!!! self->stream_len(%d) >= self->stream_cap(%d)\n",
+ TRACE(("push_char: ERROR!!! self->stream_len(%d) >= self->stream_cap(%d)\n",
self->stream_len, self->stream_cap))
self->error_msg = (char*) malloc(64);
sprintf(self->error_msg, "Buffer overflow caught - possible malformed input file.\n");
@@ -463,7 +463,6 @@ static void append_warning(parser_t *self, const char *msg) {
static int end_line(parser_t *self) {
int fields;
- khiter_t k; /* for hash set detection */
int ex_fields = self->expected_fields;
char *msg;
@@ -483,7 +482,7 @@ static int end_line(parser_t *self) {
TRACE(("end_line: Skipping row %d\n", self->file_lines));
// increment file line count
self->file_lines++;
-
+
// skip the tokens from this bad line
self->line_start[self->lines] += fields;
@@ -605,12 +604,11 @@ int parser_set_skipfirstnrows(parser_t *self, int64_t nrows) {
static int parser_buffer_bytes(parser_t *self, size_t nbytes) {
int status;
size_t bytes_read;
- void *src = self->source;
status = 0;
self->datapos = 0;
self->data = self->cb_io(self->source, nbytes, &bytes_read, &status);
- TRACE(("parser_buffer_bytes self->cb_io: nbytes=%zu, datalen: %d, status=%d\n",
+ TRACE(("parser_buffer_bytes self->cb_io: nbytes=%zu, datalen: %d, status=%d\n",
nbytes, bytes_read, status));
self->datalen = bytes_read;
@@ -704,7 +702,7 @@ typedef int (*parser_op)(parser_t *self, size_t line_limit);
int skip_this_line(parser_t *self, int64_t rownum) {
if (self->skipset != NULL) {
- return ( kh_get_int64((kh_int64_t*) self->skipset, self->file_lines) !=
+ return ( kh_get_int64((kh_int64_t*) self->skipset, self->file_lines) !=
((kh_int64_t*)self->skipset)->n_buckets );
}
else {
@@ -784,7 +782,7 @@ int tokenize_delimited(parser_t *self, size_t line_limit)
else
self->state = EAT_CRNL;
break;
- }
+ }
else if (c == self->commentchar) {
self->state = EAT_LINE_COMMENT;
break;
@@ -1750,7 +1748,7 @@ int parser_trim_buffers(parser_t *self) {
/* trim stream */
new_cap = _next_pow2(self->stream_len) + 1;
- TRACE(("parser_trim_buffers: new_cap = %zu, stream_cap = %zu, lines_cap = %zu\n",
+ TRACE(("parser_trim_buffers: new_cap = %zu, stream_cap = %zu, lines_cap = %zu\n",
new_cap, self->stream_cap, self->lines_cap));
if (new_cap < self->stream_cap) {
TRACE(("parser_trim_buffers: new_cap < self->stream_cap, calling safe_realloc\n"));
@@ -1871,7 +1869,7 @@ int _tokenize_helper(parser_t *self, size_t nrows, int all) {
}
}
- TRACE(("_tokenize_helper: Trying to process %d bytes, datalen=%d, datapos= %d\n",
+ TRACE(("_tokenize_helper: Trying to process %d bytes, datalen=%d, datapos= %d\n",
self->datalen - self->datapos, self->datalen, self->datapos));
/* TRACE(("sourcetype: %c, status: %d\n", self->sourcetype, status)); */
@@ -2033,7 +2031,7 @@ int P_INLINE to_longlong_thousands(char *item, long long *p_value, char tsep)
return status;
}*/
-int to_boolean(char *item, uint8_t *val) {
+int to_boolean(const char *item, uint8_t *val) {
char *tmp;
int i, status = 0;
@@ -2357,7 +2355,7 @@ double precise_xstrtod(const char *str, char **endptr, char decimal,
num_digits++;
num_decimals++;
}
-
+
if (num_digits >= max_digits) // consume extra decimal digits
while (isdigit(*p))
++p;
@@ -2653,4 +2651,4 @@ uint64_t str_to_uint64(const char *p_item, uint64_t uint_max, int *error)
*error = 0;
return number;
}
-*/
\ No newline at end of file
+*/
diff --git a/pandas/src/parser/tokenizer.h b/pandas/src/parser/tokenizer.h
index 694a73ec78153..d3777e858b6ca 100644
--- a/pandas/src/parser/tokenizer.h
+++ b/pandas/src/parser/tokenizer.h
@@ -228,9 +228,12 @@ coliter_t *coliter_new(parser_t *self, int i);
/* #define COLITER_NEXT(iter) iter->words[iter->line_start[iter->line++] + iter->col] */
// #define COLITER_NEXT(iter) iter.words[iter.line_start[iter.line++] + iter.col]
-#define COLITER_NEXT(iter) iter.words[*iter.line_start++ + iter.col]
+#define COLITER_NEXT(iter, word) do { \
+ const int i = *iter.line_start++ + iter.col; \
+ word = i < *iter.line_start ? iter.words[i]: ""; \
+ } while(0)
-parser_t* parser_new();
+parser_t* parser_new(void);
int parser_init(parser_t *self);
@@ -270,6 +273,6 @@ double round_trip(const char *p, char **q, char decimal, char sci, char tsep, in
//int P_INLINE to_complex(char *item, double *p_real, double *p_imag, char sci, char decimal);
int P_INLINE to_longlong(char *item, long long *p_value);
//int P_INLINE to_longlong_thousands(char *item, long long *p_value, char tsep);
-int to_boolean(char *item, uint8_t *val);
+int to_boolean(const char *item, uint8_t *val);
#endif // _PARSER_COMMON_H_
| closes https://github.com/pydata/pandas/issues/5664
the added test covers the original issue, though I cannot reproduce that on master; [the one mentioned in the comments](https://github.com/pydata/pandas/issues/5664#issuecomment-49332533) still segfaults on master (if repeated few times) and is fixed by this pr.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9846 | 2015-04-10T02:41:58Z | 2015-04-12T13:37:27Z | 2015-04-12T13:37:27Z | 2015-04-12T13:57:14Z |
BUG: raw_locales unreachable in util.testing.get_locales | diff --git a/pandas/tests/test_util.py b/pandas/tests/test_util.py
index 2e22b33dc769a..bb8bd3df96b71 100644
--- a/pandas/tests/test_util.py
+++ b/pandas/tests/test_util.py
@@ -79,6 +79,10 @@ def test_warning(self):
with tm.assert_produces_warning(FutureWarning):
self.assertNotAlmostEquals(1, 2)
+ def test_locale(self):
+ #GH9744
+ locales = pandas.util.testing.get_locales()
+ self.assertTrue(len(locales) >= 1)
def test_rands():
r = tm.rands(10)
diff --git a/pandas/util/testing.py b/pandas/util/testing.py
index 3d9a0e7b43634..b4baedada46e1 100644
--- a/pandas/util/testing.py
+++ b/pandas/util/testing.py
@@ -331,19 +331,21 @@ def get_locales(prefix=None, normalize=True,
# raw_locales is "\n" seperated list of locales
# it may contain non-decodable parts, so split
# extract what we can and then rejoin.
- raw_locales = []
+ raw_locales = raw_locales.split(b'\n')
+ out_locales = []
for x in raw_locales:
- try:
- raw_locales.append(str(x, encoding=pd.options.display.encoding))
- except:
- pass
+ if compat.PY3:
+ out_locales.append(str(x, encoding=pd.options.display.encoding))
+ else:
+ out_locales.append(str(x))
+
except TypeError:
pass
if prefix is None:
- return _valid_locales(raw_locales, normalize)
+ return _valid_locales(out_locales, normalize)
- found = re.compile('%s.*' % prefix).findall('\n'.join(raw_locales))
+ found = re.compile('%s.*' % prefix).findall('\n'.join(out_locales))
return _valid_locales(found, normalize)
| Fixes #9744
| https://api.github.com/repos/pandas-dev/pandas/pulls/9845 | 2015-04-10T02:41:56Z | 2015-04-12T13:38:22Z | 2015-04-12T13:38:22Z | 2015-04-12T13:38:26Z |
DOC/CLN: Revise StringMethods docs | diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 6d20907373014..3506338afd9d4 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -27,19 +27,42 @@ def _get_array_list(arr, others):
def str_cat(arr, others=None, sep=None, na_rep=None):
"""
- Concatenate arrays of strings with given separator
+ Concatenate strings in the Series/Index with given separator.
Parameters
----------
- arr : list or array-like
- others : list or array, or list of arrays
+ others : list-like, or list of list-likes
+ If None, returns str concatenating strings of the Series
sep : string or None, default None
na_rep : string or None, default None
If None, an NA in any array will propagate
Returns
-------
- concat : array
+ concat : Series/Index of objects or str
+
+ Examples
+ --------
+ If ``others`` is specified, corresponding values are
+ concatenated with the separator. Result will be a Series of strings.
+
+ >>> Series(['a', 'b', 'c']).str.cat(['A', 'B', 'C'], sep=',')
+ 0 a,A
+ 1 b,B
+ 2 c,C
+ dtype: object
+
+ Otherwise, strings in the Series are concatenated. Result will be a string.
+
+ >>> Series(['a', 'b', 'c']).str.cat(sep=',')
+ 'a,b,c'
+
+ Also, you can pass a list of list-likes.
+
+ >>> Series(['a', 'b']).str.cat([['x', 'y'], ['1', '2']], sep=',')
+ 0 a,x,1
+ 1 b,y,2
+ dtype: object
"""
if sep is None:
sep = ''
@@ -130,18 +153,17 @@ def g(x):
def str_count(arr, pat, flags=0):
"""
- Count occurrences of pattern in each string
+ Count occurrences of pattern in each string of the Series/Index.
Parameters
----------
- arr : list or array-like
pat : string, valid regular expression
flags : int, default 0 (no flags)
re module flags, e.g. re.IGNORECASE
Returns
-------
- counts : arrays
+ counts : Series/Index of integer values
"""
regex = re.compile(pat, flags=flags)
f = lambda x: len(regex.findall(x))
@@ -150,7 +172,8 @@ def str_count(arr, pat, flags=0):
def str_contains(arr, pat, case=True, flags=0, na=np.nan, regex=True):
"""
- Check whether given pattern is contained in each string in the array
+ Return boolean Series/``array`` whether given pattern/regex is
+ contained in each string in the Series/Index.
Parameters
----------
@@ -166,7 +189,7 @@ def str_contains(arr, pat, case=True, flags=0, na=np.nan, regex=True):
Returns
-------
- Series of boolean values
+ contained : Series/array of boolean values
See Also
--------
@@ -197,8 +220,9 @@ def str_contains(arr, pat, case=True, flags=0, na=np.nan, regex=True):
def str_startswith(arr, pat, na=np.nan):
"""
- Return boolean array indicating whether each string starts with passed
- pattern
+ Return boolean Series/``array`` indicating whether each string in the
+ Series/Index starts with passed pattern. Equivalent to
+ :meth:`str.startswith`.
Parameters
----------
@@ -208,7 +232,7 @@ def str_startswith(arr, pat, na=np.nan):
Returns
-------
- startswith : array (boolean)
+ startswith : Series/array of boolean values
"""
f = lambda x: x.startswith(pat)
return _na_map(f, arr, na, dtype=bool)
@@ -216,8 +240,9 @@ def str_startswith(arr, pat, na=np.nan):
def str_endswith(arr, pat, na=np.nan):
"""
- Return boolean array indicating whether each string ends with passed
- pattern
+ Return boolean Series indicating whether each string in the
+ Series/Index ends with passed pattern. Equivalent to
+ :meth:`str.endswith`.
Parameters
----------
@@ -227,7 +252,7 @@ def str_endswith(arr, pat, na=np.nan):
Returns
-------
- endswith : array (boolean)
+ endswith : Series/array of boolean values
"""
f = lambda x: x.endswith(pat)
return _na_map(f, arr, na, dtype=bool)
@@ -235,7 +260,9 @@ def str_endswith(arr, pat, na=np.nan):
def str_replace(arr, pat, repl, n=-1, case=True, flags=0):
"""
- Replace
+ Replace occurrences of pattern/regex in the Series/Index with
+ some other string. Equivalent to :meth:`str.replace` or
+ :func:`re.sub`.
Parameters
----------
@@ -252,7 +279,7 @@ def str_replace(arr, pat, repl, n=-1, case=True, flags=0):
Returns
-------
- replaced : array
+ replaced : Series/Index of objects
"""
use_re = not case or len(pat) > 1 or flags
@@ -272,7 +299,8 @@ def f(x):
def str_repeat(arr, repeats):
"""
- Duplicate each string in the array by indicated number of times
+ Duplicate each string in the Series/Index by indicated number
+ of times.
Parameters
----------
@@ -281,7 +309,7 @@ def str_repeat(arr, repeats):
Returns
-------
- repeated : array
+ repeated : Series/Index of objects
"""
if np.isscalar(repeats):
def rep(x):
@@ -305,7 +333,8 @@ def rep(x, r):
def str_match(arr, pat, case=True, flags=0, na=np.nan, as_indexer=False):
"""
- Deprecated: Find groups in each string using passed regular expression.
+ Deprecated: Find groups in each string in the Series/Index
+ using passed regular expression.
If as_indexer=True, determine if each string matches a regular expression.
Parameters
@@ -322,9 +351,9 @@ def str_match(arr, pat, case=True, flags=0, na=np.nan, as_indexer=False):
Returns
-------
- Series of boolean values
+ Series/array of boolean values
if as_indexer=True
- Series of tuples
+ Series/Index of tuples
if as_indexer=False, default but deprecated
See Also
@@ -359,6 +388,7 @@ def str_match(arr, pat, case=True, flags=0, na=np.nan, as_indexer=False):
if (not as_indexer) and regex.groups > 0:
dtype = object
+
def f(x):
m = regex.match(x)
if m:
@@ -382,7 +412,8 @@ def _get_single_group_name(rx):
def str_extract(arr, pat, flags=0):
"""
- Find groups in each string using passed regular expression
+ Find groups in each string in the Series using passed regular
+ expression.
Parameters
----------
@@ -441,6 +472,7 @@ def str_extract(arr, pat, flags=0):
if regex.groups == 0:
raise ValueError("This pattern contains no groups to capture.")
empty_row = [np.nan]*regex.groups
+
def f(x):
if not isinstance(x, compat.string_types):
return empty_row
@@ -468,7 +500,17 @@ def f(x):
def str_get_dummies(arr, sep='|'):
"""
- Split each string by sep and return a frame of dummy/indicator variables.
+ Split each string in the Series by sep and return a frame of
+ dummy/indicator variables.
+
+ Parameters
+ ----------
+ sep : string, default "|"
+ String to split on.
+
+ Returns
+ -------
+ dummies : DataFrame
Examples
--------
@@ -478,14 +520,15 @@ def str_get_dummies(arr, sep='|'):
1 1 0 0
2 1 0 1
- >>> pd.Series(['a|b', np.nan, 'a|c']).str.get_dummies()
+ >>> Series(['a|b', np.nan, 'a|c']).str.get_dummies()
a b c
0 1 1 0
1 0 0 0
2 1 0 1
- See also ``pd.get_dummies``.
-
+ See Also
+ --------
+ pandas.get_dummies
"""
from pandas.core.frame import DataFrame
@@ -511,7 +554,8 @@ def str_get_dummies(arr, sep='|'):
def str_join(arr, sep):
"""
- Join lists contained as elements in array, a la str.join
+ Join lists contained as elements in the Series/Index with
+ passed delimiter. Equivalent to :meth:`str.join`.
Parameters
----------
@@ -520,14 +564,15 @@ def str_join(arr, sep):
Returns
-------
- joined : array
+ joined : Series/Index of objects
"""
return _na_map(sep.join, arr)
def str_findall(arr, pat, flags=0):
"""
- Find all occurrences of pattern or regular expression
+ Find all occurrences of pattern or regular expression in the
+ Series/Index. Equivalent to :func:`re.findall`.
Parameters
----------
@@ -538,7 +583,7 @@ def str_findall(arr, pat, flags=0):
Returns
-------
- matches : array
+ matches : Series/Index of lists
"""
regex = re.compile(pat, flags=flags)
return _na_map(regex.findall, arr)
@@ -546,8 +591,8 @@ def str_findall(arr, pat, flags=0):
def str_find(arr, sub, start=0, end=None, side='left'):
"""
- Return indexes in each strings where the substring is
- fully contained between [start:end]. Return -1 on failure.
+ Return indexes in each strings in the Series/Index where the
+ substring is fully contained between [start:end]. Return -1 on failure.
Parameters
----------
@@ -562,7 +607,7 @@ def str_find(arr, sub, start=0, end=None, side='left'):
Returns
-------
- found : array
+ found : Series/Index of integer values
"""
if not isinstance(sub, compat.string_types):
@@ -586,11 +631,11 @@ def str_find(arr, sub, start=0, end=None, side='left'):
def str_pad(arr, width, side='left', fillchar=' '):
"""
- Pad strings with an additional character
+ Pad strings in the Series/Index with an additional character to
+ specified side.
Parameters
----------
- arr : list or array-like
width : int
Minimum width of resulting string; additional characters will be filled
with spaces
@@ -600,7 +645,7 @@ def str_pad(arr, width, side='left', fillchar=' '):
Returns
-------
- padded : array
+ padded : Series/Index of objects
"""
if not isinstance(fillchar, compat.string_types):
@@ -624,8 +669,8 @@ def str_pad(arr, width, side='left', fillchar=' '):
def str_split(arr, pat=None, n=None, return_type='series'):
"""
- Split each string (a la re.split) in array by given pattern, propagating NA
- values
+ Split each string (a la re.split) in the Series/Index by given
+ pattern, propagating NA values. Equivalent to :meth:`str.split`.
Parameters
----------
@@ -643,7 +688,7 @@ def str_split(arr, pat=None, n=None, return_type='series'):
Returns
-------
- split : array
+ split : Series/Index of objects or DataFrame
"""
from pandas.core.series import Series
from pandas.core.frame import DataFrame
@@ -677,7 +722,7 @@ def str_split(arr, pat=None, n=None, return_type='series'):
def str_slice(arr, start=None, stop=None, step=None):
"""
- Slice substrings from each element in array
+ Slice substrings from each element in the Series/Index
Parameters
----------
@@ -687,7 +732,7 @@ def str_slice(arr, start=None, stop=None, step=None):
Returns
-------
- sliced : array
+ sliced : Series/Index of objects
"""
obj = slice(start, stop, step)
f = lambda x: x[obj]
@@ -696,17 +741,19 @@ def str_slice(arr, start=None, stop=None, step=None):
def str_slice_replace(arr, start=None, stop=None, repl=None):
"""
- Replace a slice of each string with another string.
+ Replace a slice of each string in the Series/Index with another
+ string.
Parameters
----------
start : int or None
stop : int or None
repl : str or None
+ String for replacement
Returns
-------
- replaced : array
+ replaced : Series/Index of objects
"""
if repl is None:
repl = ''
@@ -726,56 +773,35 @@ def f(x):
return _na_map(f, arr)
-def str_strip(arr, to_strip=None):
+def str_strip(arr, to_strip=None, side='both'):
"""
- Strip whitespace (including newlines) from each string in the array
+ Strip whitespace (including newlines) from each string in the
+ Series/Index.
Parameters
----------
to_strip : str or unicode
+ side : {'left', 'right', 'both'}, default 'both'
Returns
-------
- stripped : array
+ stripped : Series/Index of objects
"""
- return _na_map(lambda x: x.strip(to_strip), arr)
-
-
-def str_lstrip(arr, to_strip=None):
- """
- Strip whitespace (including newlines) from left side of each string in the
- array
-
- Parameters
- ----------
- to_strip : str or unicode
-
- Returns
- -------
- stripped : array
- """
- return _na_map(lambda x: x.lstrip(to_strip), arr)
-
-
-def str_rstrip(arr, to_strip=None):
- """
- Strip whitespace (including newlines) from right side of each string in the
- array
-
- Parameters
- ----------
- to_strip : str or unicode
-
- Returns
- -------
- stripped : array
- """
- return _na_map(lambda x: x.rstrip(to_strip), arr)
+ if side == 'both':
+ f = lambda x: x.strip(to_strip)
+ elif side == 'left':
+ f = lambda x: x.lstrip(to_strip)
+ elif side == 'right':
+ f = lambda x: x.rstrip(to_strip)
+ else: # pragma: no cover
+ raise ValueError('Invalid side')
+ return _na_map(f, arr)
def str_wrap(arr, width, **kwargs):
- r"""
- Wrap long strings to be formatted in paragraphs.
+ """
+ Wrap long strings in the Series/Index to be formatted in
+ paragraphs with length less than a given width.
This method has the same keyword parameters and defaults as
:class:`textwrap.TextWrapper`.
@@ -787,31 +813,32 @@ def str_wrap(arr, width, **kwargs):
expand_tabs : bool, optional
If true, tab characters will be expanded to spaces (default: True)
replace_whitespace : bool, optional
- If true, each whitespace character (as defined by string.whitespace) remaining
- after tab expansion will be replaced by a single space (default: True)
+ If true, each whitespace character (as defined by string.whitespace)
+ remaining after tab expansion will be replaced by a single space
+ (default: True)
drop_whitespace : bool, optional
- If true, whitespace that, after wrapping, happens to end up at the beginning
- or end of a line is dropped (default: True)
+ If true, whitespace that, after wrapping, happens to end up at the
+ beginning or end of a line is dropped (default: True)
break_long_words : bool, optional
- If true, then words longer than width will be broken in order to ensure that
- no lines are longer than width. If it is false, long words will not be broken,
- and some lines may be longer than width. (default: True)
+ If true, then words longer than width will be broken in order to ensure
+ that no lines are longer than width. If it is false, long words will
+ not be broken, and some lines may be longer than width. (default: True)
break_on_hyphens : bool, optional
- If true, wrapping will occur preferably on whitespace and right after hyphens
- in compound words, as it is customary in English. If false, only whitespaces
- will be considered as potentially good places for line breaks, but you need
- to set break_long_words to false if you want truly insecable words.
- (default: True)
+ If true, wrapping will occur preferably on whitespace and right after
+ hyphens in compound words, as it is customary in English. If false,
+ only whitespaces will be considered as potentially good places for line
+ breaks, but you need to set break_long_words to false if you want truly
+ insecable words. (default: True)
Returns
-------
- wrapped : array
+ wrapped : Series/Index of objects
Notes
-----
- Internally, this method uses a :class:`textwrap.TextWrapper` instance with default
- settings. To achieve behavior matching R's stringr library str_wrap function, use
- the arguments:
+ Internally, this method uses a :class:`textwrap.TextWrapper` instance with
+ default settings. To achieve behavior matching R's stringr library str_wrap
+ function, use the arguments:
- expand_tabs = False
- replace_whitespace = True
@@ -836,7 +863,8 @@ def str_wrap(arr, width, **kwargs):
def str_get(arr, i):
"""
- Extract element from lists, tuples, or strings in each element in the array
+ Extract element from lists, tuples, or strings in each element in the
+ Series/Index.
Parameters
----------
@@ -845,7 +873,7 @@ def str_get(arr, i):
Returns
-------
- items : array
+ items : Series/Index of objects
"""
f = lambda x: x[i] if len(x) > i else np.nan
return _na_map(f, arr)
@@ -853,7 +881,8 @@ def str_get(arr, i):
def str_decode(arr, encoding, errors="strict"):
"""
- Decode character string to unicode using indicated encoding
+ Decode character string in the Series/Index to unicode
+ using indicated encoding. Equivalent to :meth:`str.decode`.
Parameters
----------
@@ -862,7 +891,7 @@ def str_decode(arr, encoding, errors="strict"):
Returns
-------
- decoded : array
+ decoded : Series/Index of objects
"""
f = lambda x: x.decode(encoding, errors)
return _na_map(f, arr)
@@ -870,7 +899,8 @@ def str_decode(arr, encoding, errors="strict"):
def str_encode(arr, encoding, errors="strict"):
"""
- Encode character string to some other encoding using indicated encoding
+ Encode character string in the Series/Index to some other encoding
+ using indicated encoding. Equivalent to :meth:`str.encode`.
Parameters
----------
@@ -879,7 +909,7 @@ def str_encode(arr, encoding, errors="strict"):
Returns
-------
- encoded : array
+ encoded : Series/Index of objects
"""
f = lambda x: x.encode(encoding, errors)
return _na_map(f, arr)
@@ -1011,7 +1041,7 @@ def contains(self, pat, case=True, flags=0, na=np.nan, regex=True):
@copy(str_match)
def match(self, pat, case=True, flags=0, na=np.nan, as_indexer=False):
result = str_match(self.series, pat, case=case, flags=flags,
- na=na, as_indexer=as_indexer)
+ na=na, as_indexer=as_indexer)
return self._wrap_result(result)
@copy(str_replace)
@@ -1031,7 +1061,8 @@ def pad(self, width, side='left', fillchar=' '):
return self._wrap_result(result)
_shared_docs['str_pad'] = ("""
- Filling %s side of strings with an additional character
+ Filling %(side)s side of strings in the Series/Index with an
+ additional character. Equivalent to :meth:`str.%(method)s`.
Parameters
----------
@@ -1043,34 +1074,36 @@ def pad(self, width, side='left', fillchar=' '):
Returns
-------
- filled : array
+ filled : Series/Index of objects
""")
- @Appender(_shared_docs['str_pad'] % 'left and right')
+ @Appender(_shared_docs['str_pad'] % dict(side='left and right',
+ method='center'))
def center(self, width, fillchar=' '):
return self.pad(width, side='both', fillchar=fillchar)
- @Appender(_shared_docs['str_pad'] % 'right')
+ @Appender(_shared_docs['str_pad'] % dict(side='right', method='right'))
def ljust(self, width, fillchar=' '):
return self.pad(width, side='right', fillchar=fillchar)
- @Appender(_shared_docs['str_pad'] % 'left')
+ @Appender(_shared_docs['str_pad'] % dict(side='left', method='left'))
def rjust(self, width, fillchar=' '):
return self.pad(width, side='left', fillchar=fillchar)
def zfill(self, width):
""""
- Filling left side with 0
+ Filling left side of strings in the Series/Index with 0.
+ Equivalent to :meth:`str.zfill`.
Parameters
----------
width : int
- Minimum width of resulting string; additional characters will be filled
- with 0
+ Minimum width of resulting string; additional characters will be
+ filled with 0
Returns
-------
- filled : array
+ filled : Series/Index of objects
"""
result = str_pad(self.series, width, side='left', fillchar='0')
return self._wrap_result(result)
@@ -1095,19 +1128,31 @@ def encode(self, encoding, errors="strict"):
result = str_encode(self.series, encoding, errors)
return self._wrap_result(result)
- @copy(str_strip)
+ _shared_docs['str_strip'] = ("""
+ Strip whitespace (including newlines) from each string in the
+ Series/Index from %(side)s. Equivalent to :meth:`str.%(method)s`.
+
+ Returns
+ -------
+ stripped : Series/Index of objects
+ """)
+
+ @Appender(_shared_docs['str_strip'] % dict(side='left and right sides',
+ method='strip'))
def strip(self, to_strip=None):
- result = str_strip(self.series, to_strip)
+ result = str_strip(self.series, to_strip, side='both')
return self._wrap_result(result)
- @copy(str_lstrip)
+ @Appender(_shared_docs['str_strip'] % dict(side='left side',
+ method='lstrip'))
def lstrip(self, to_strip=None):
- result = str_lstrip(self.series, to_strip)
+ result = str_strip(self.series, to_strip, side='left')
return self._wrap_result(result)
- @copy(str_rstrip)
+ @Appender(_shared_docs['str_strip'] % dict(side='right side',
+ method='rstrip'))
def rstrip(self, to_strip=None):
- result = str_rstrip(self.series, to_strip)
+ result = str_strip(self.series, to_strip, side='right')
return self._wrap_result(result)
@copy(str_wrap)
@@ -1127,9 +1172,9 @@ def get_dummies(self, sep='|'):
extract = _pat_wrapper(str_extract, flags=True)
_shared_docs['find'] = ("""
- Return %(side)s indexes in each strings where the substring is
- fully contained between [start:end]. Return -1 on failure.
- Equivalent to standard ``str.%(method)s``.
+ Return %(side)s indexes in each strings in the Series/Index
+ where the substring is fully contained between [start:end].
+ Return -1 on failure. Equivalent to standard :meth:`str.%(method)s`.
Parameters
----------
@@ -1142,7 +1187,7 @@ def get_dummies(self, sep='|'):
Returns
-------
- found : array
+ found : Series/Index of integer values
See Also
--------
@@ -1162,45 +1207,51 @@ def rfind(self, sub, start=0, end=None):
return self._wrap_result(result)
_shared_docs['len'] = ("""
- Compute length of each string in array.
+ Compute length of each string in the Series/Index.
Returns
-------
- lengths : array
+ lengths : Series/Index of integer values
""")
len = _noarg_wrapper(len, docstring=_shared_docs['len'], dtype=int)
_shared_docs['casemethods'] = ("""
- Convert strings in array to %(type)s.
- Equivalent to ``str.%(method)s``.
+ Convert strings in the Series/Index to %(type)s.
+ Equivalent to :meth:`str.%(method)s`.
Returns
-------
- converted : array
+ converted : Series/Index of objects
""")
_shared_docs['lower'] = dict(type='lowercase', method='lower')
_shared_docs['upper'] = dict(type='uppercase', method='upper')
_shared_docs['title'] = dict(type='titlecase', method='title')
- _shared_docs['capitalize'] = dict(type='be capitalized', method='capitalize')
+ _shared_docs['capitalize'] = dict(type='be capitalized',
+ method='capitalize')
_shared_docs['swapcase'] = dict(type='be swapcased', method='swapcase')
lower = _noarg_wrapper(lambda x: x.lower(),
- docstring=_shared_docs['casemethods'] % _shared_docs['lower'])
+ docstring=_shared_docs['casemethods'] %
+ _shared_docs['lower'])
upper = _noarg_wrapper(lambda x: x.upper(),
- docstring=_shared_docs['casemethods'] % _shared_docs['upper'])
+ docstring=_shared_docs['casemethods'] %
+ _shared_docs['upper'])
title = _noarg_wrapper(lambda x: x.title(),
- docstring=_shared_docs['casemethods'] % _shared_docs['title'])
+ docstring=_shared_docs['casemethods'] %
+ _shared_docs['title'])
capitalize = _noarg_wrapper(lambda x: x.capitalize(),
- docstring=_shared_docs['casemethods'] % _shared_docs['capitalize'])
+ docstring=_shared_docs['casemethods'] %
+ _shared_docs['capitalize'])
swapcase = _noarg_wrapper(lambda x: x.swapcase(),
- docstring=_shared_docs['casemethods'] % _shared_docs['swapcase'])
+ docstring=_shared_docs['casemethods'] %
+ _shared_docs['swapcase'])
_shared_docs['ismethods'] = ("""
- Check whether all characters in each string in the array are %(type)s.
- Equivalent to ``str.%(method)s``.
+ Check whether all characters in each string in the Series/Index
+ are %(type)s. Equivalent to :meth:`str.%(method)s`.
Returns
-------
- Series of boolean values
+ is : Series/array of boolean values
""")
_shared_docs['isalnum'] = dict(type='alphanumeric', method='isalnum')
_shared_docs['isalpha'] = dict(type='alphabetic', method='isalpha')
@@ -1212,20 +1263,29 @@ def rfind(self, sub, start=0, end=None):
_shared_docs['isnumeric'] = dict(type='numeric', method='isnumeric')
_shared_docs['isdecimal'] = dict(type='decimal', method='isdecimal')
isalnum = _noarg_wrapper(lambda x: x.isalnum(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isalnum'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isalnum'])
isalpha = _noarg_wrapper(lambda x: x.isalpha(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isalpha'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isalpha'])
isdigit = _noarg_wrapper(lambda x: x.isdigit(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isdigit'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isdigit'])
isspace = _noarg_wrapper(lambda x: x.isspace(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isspace'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isspace'])
islower = _noarg_wrapper(lambda x: x.islower(),
- docstring=_shared_docs['ismethods'] % _shared_docs['islower'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['islower'])
isupper = _noarg_wrapper(lambda x: x.isupper(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isupper'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isupper'])
istitle = _noarg_wrapper(lambda x: x.istitle(),
- docstring=_shared_docs['ismethods'] % _shared_docs['istitle'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['istitle'])
isnumeric = _noarg_wrapper(lambda x: compat.u_safe(x).isnumeric(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isnumeric'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isnumeric'])
isdecimal = _noarg_wrapper(lambda x: compat.u_safe(x).isdecimal(),
- docstring=_shared_docs['ismethods'] % _shared_docs['isdecimal'])
+ docstring=_shared_docs['ismethods'] %
+ _shared_docs['isdecimal'])
| Derived from #9773, #9667. Fix docstrings to meet what current `.str` accessors does.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9843 | 2015-04-09T14:54:56Z | 2015-05-01T16:56:23Z | 2015-05-01T16:56:23Z | 2015-05-04T02:56:30Z |
DOC: Fix release note for v0.16 | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index aa35434802799..f9bef3d9c7f4a 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -474,10 +474,11 @@ Other API Changes
- ``Series.values_counts`` and ``Series.describe`` for categorical data will now put ``NaN`` entries at the end. (:issue:`9443`)
- ``Series.describe`` for categorical data will now give counts and frequencies of 0, not ``NaN``, for unused categories (:issue:`9443`)
-- Due to a bug fix, looking up a partial string label with ``DatetimeIndex.asof`` now includes values that match the string, even if they are after the start of the partial string label (:issue:`9258`). Old behavior:
+- Due to a bug fix, looking up a partial string label with ``DatetimeIndex.asof`` now includes values that match the string, even if they are after the start of the partial string label (:issue:`9258`).
- .. ipython:: python
- :verbatim:
+ Old behavior:
+
+ .. code-block:: python
In [4]: pd.to_datetime(['2000-01-31', '2000-02-28']).asof('2000-02')
Out[4]: Timestamp('2000-01-31 00:00:00')
| Release note for v0.16 is not rendered properly.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9840 | 2015-04-09T13:41:17Z | 2015-04-09T15:12:51Z | 2015-04-09T15:12:51Z | 2015-04-11T13:09:45Z |
TST: Fix tests in TestGoogle | diff --git a/pandas/io/tests/test_data.py b/pandas/io/tests/test_data.py
index 70a25a45c0ad4..9b27d612cdeee 100644
--- a/pandas/io/tests/test_data.py
+++ b/pandas/io/tests/test_data.py
@@ -33,7 +33,7 @@ def assert_n_failed_equals_n_null_columns(wngs, obj, cls=SymbolWarning):
all_nan_cols = pd.Series(dict((k, pd.isnull(v).all()) for k, v in
compat.iteritems(obj)))
n_all_nan_cols = all_nan_cols.sum()
- valid_warnings = pd.Series([wng for wng in wngs if isinstance(wng, cls)])
+ valid_warnings = pd.Series([wng for wng in wngs if wng.category == cls])
assert_equal(len(valid_warnings), n_all_nan_cols)
failed_symbols = all_nan_cols[all_nan_cols].index
msgs = valid_warnings.map(lambda x: x.message)
@@ -79,7 +79,7 @@ def test_get_goog_volume(self):
for locale in self.locales:
with tm.set_locale(locale):
df = web.get_data_google('GOOG').sort_index()
- self.assertEqual(df.Volume.ix['OCT-08-2010'], 2863473)
+ self.assertEqual(df.Volume.ix['JAN-02-2015'], 1446662)
@network
def test_get_multi1(self):
@@ -87,10 +87,10 @@ def test_get_multi1(self):
sl = ['AAPL', 'AMZN', 'GOOG']
with tm.set_locale(locale):
pan = web.get_data_google(sl, '2012')
- ts = pan.Close.GOOG.index[pan.Close.AAPL > pan.Close.GOOG]
+ ts = pan.Close.GOOG.index[pan.Close.AAPL < pan.Close.GOOG]
if (hasattr(pan, 'Close') and hasattr(pan.Close, 'GOOG') and
hasattr(pan.Close, 'AAPL')):
- self.assertEqual(ts[0].dayofyear, 96)
+ self.assertEqual(ts[0].dayofyear, 3)
else:
self.assertRaises(AttributeError, lambda: pan.Close)
@@ -135,7 +135,7 @@ def test_dtypes(self):
def test_unicode_date(self):
#GH8967
data = web.get_data_google('F', start='JAN-01-10', end='JAN-27-13')
- self.assertEquals(data.index.name, 'Date')
+ self.assertEqual(data.index.name, 'Date')
class TestYahoo(tm.TestCase):
| Fixes the tests in data reader that will be run when the bug in #9744 is fixed.
This needs to be merged before I can fix #9744.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9839 | 2015-04-09T03:28:12Z | 2015-04-09T15:13:42Z | 2015-04-09T15:13:42Z | 2015-04-10T01:55:02Z |
BUG: DataFrame.where does not respect axis parameter when shape is symmetric | diff --git a/doc/source/whatsnew/v0.17.0.txt b/doc/source/whatsnew/v0.17.0.txt
index 14e185b5b2a26..94ae92811c4e6 100644
--- a/doc/source/whatsnew/v0.17.0.txt
+++ b/doc/source/whatsnew/v0.17.0.txt
@@ -88,6 +88,7 @@ Bug Fixes
- Bug in ``ExcelReader`` when worksheet is empty (:issue:`6403`)
+- Bug causing ``DataFrame.where`` to not respect the ``axis`` parameter when the frame has a symmetric shape. (:issue:`9736`)
- Bug in ``Table.select_column`` where name is not preserved (:issue:`10392`)
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 3bf998c1fa5a7..8742abc2d48b6 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -3634,19 +3634,31 @@ def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
else:
other = self._constructor(other, **self._construct_axes_dict())
+ if axis is None:
+ axis = 0
+
+ if self.ndim == getattr(other, 'ndim', 0):
+ align = True
+ else:
+ align = (self._get_axis_number(axis) == 1)
+
+ block_axis = self._get_block_manager_axis(axis)
+
if inplace:
# we may have different type blocks come out of putmask, so
# reconstruct the block manager
self._check_inplace_setting(other)
- new_data = self._data.putmask(mask=cond, new=other, align=axis is None,
- inplace=True)
+ new_data = self._data.putmask(mask=cond, new=other, align=align,
+ inplace=True, axis=block_axis,
+ transpose=self._AXIS_REVERSED)
self._update_inplace(new_data)
else:
- new_data = self._data.where(other=other, cond=cond, align=axis is None,
+ new_data = self._data.where(other=other, cond=cond, align=align,
raise_on_error=raise_on_error,
- try_cast=try_cast)
+ try_cast=try_cast, axis=block_axis,
+ transpose=self._AXIS_REVERSED)
return self._constructor(new_data).__finalize__(self)
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 42d7163e7f741..196065703aa74 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -632,7 +632,8 @@ def _is_empty_indexer(indexer):
return [self]
- def putmask(self, mask, new, align=True, inplace=False):
+ def putmask(self, mask, new, align=True, inplace=False,
+ axis=0, transpose=False):
""" putmask the data to the block; it is possible that we may create a
new dtype of block
@@ -644,37 +645,55 @@ def putmask(self, mask, new, align=True, inplace=False):
new : a ndarray/object
align : boolean, perform alignment on other/cond, default is True
inplace : perform inplace modification, default is False
+ axis : int
+ transpose : boolean
+ Set to True if self is stored with axes reversed
Returns
-------
- a new block(s), the result of the putmask
+ a list of new blocks, the result of the putmask
"""
new_values = self.values if inplace else self.values.copy()
- # may need to align the new
if hasattr(new, 'reindex_axis'):
- new = new.values.T
+ new = new.values
- # may need to align the mask
if hasattr(mask, 'reindex_axis'):
- mask = mask.values.T
+ mask = mask.values
# if we are passed a scalar None, convert it here
if not is_list_like(new) and isnull(new) and not self.is_object:
new = self.fill_value
if self._can_hold_element(new):
+ if transpose:
+ new_values = new_values.T
+
new = self._try_cast(new)
- # pseudo-broadcast
- if isinstance(new, np.ndarray) and new.ndim == self.ndim - 1:
- new = np.repeat(new, self.shape[-1]).reshape(self.shape)
+ # If the default repeat behavior in np.putmask would go in the wrong
+ # direction, then explictly repeat and reshape new instead
+ if getattr(new, 'ndim', 0) >= 1:
+ if self.ndim - 1 == new.ndim and axis == 1:
+ new = np.repeat(new, new_values.shape[-1]).reshape(self.shape)
np.putmask(new_values, mask, new)
# maybe upcast me
elif mask.any():
+ if transpose:
+ mask = mask.T
+ if isinstance(new, np.ndarray):
+ new = new.T
+ axis = new_values.ndim - axis - 1
+
+ # Pseudo-broadcast
+ if getattr(new, 'ndim', 0) >= 1:
+ if self.ndim - 1 == new.ndim:
+ new_shape = list(new.shape)
+ new_shape.insert(axis, 1)
+ new = new.reshape(tuple(new_shape))
# need to go column by column
new_blocks = []
@@ -685,14 +704,15 @@ def putmask(self, mask, new, align=True, inplace=False):
# need a new block
if m.any():
-
- n = new[i] if isinstance(
- new, np.ndarray) else np.array(new)
+ if isinstance(new, np.ndarray):
+ n = np.squeeze(new[i % new.shape[0]])
+ else:
+ n = np.array(new)
# type of the new block
dtype, _ = com._maybe_promote(n.dtype)
- # we need to exiplicty astype here to make a copy
+ # we need to explicitly astype here to make a copy
n = n.astype(dtype)
nv = _putmask_smart(v, m, n)
@@ -718,8 +738,10 @@ def putmask(self, mask, new, align=True, inplace=False):
if inplace:
return [self]
- return [make_block(new_values,
- placement=self.mgr_locs, fastpath=True)]
+ if transpose:
+ new_values = new_values.T
+
+ return [make_block(new_values, placement=self.mgr_locs, fastpath=True)]
def interpolate(self, method='pad', axis=0, index=None,
values=None, inplace=False, limit=None,
@@ -1003,7 +1025,7 @@ def handle_error():
fastpath=True, placement=self.mgr_locs)]
def where(self, other, cond, align=True, raise_on_error=True,
- try_cast=False):
+ try_cast=False, axis=0, transpose=False):
"""
evaluate the block; return result block(s) from the result
@@ -1014,6 +1036,9 @@ def where(self, other, cond, align=True, raise_on_error=True,
align : boolean, perform alignment on other/cond
raise_on_error : if True, raise when I can't perform the function,
False by default (and just return the data that we had coming in)
+ axis : int
+ transpose : boolean
+ Set to True if self is stored with axes reversed
Returns
-------
@@ -1021,43 +1046,23 @@ def where(self, other, cond, align=True, raise_on_error=True,
"""
values = self.values
+ if transpose:
+ values = values.T
- # see if we can align other
if hasattr(other, 'reindex_axis'):
other = other.values
- # make sure that we can broadcast
- is_transposed = False
- if hasattr(other, 'ndim') and hasattr(values, 'ndim'):
- if values.ndim != other.ndim or values.shape == other.shape[::-1]:
-
- # if its symmetric are ok, no reshaping needed (GH 7506)
- if (values.shape[0] == np.array(values.shape)).all():
- pass
-
- # pseodo broadcast (its a 2d vs 1d say and where needs it in a
- # specific direction)
- elif (other.ndim >= 1 and values.ndim - 1 == other.ndim and
- values.shape[0] != other.shape[0]):
- other = _block_shape(other).T
- else:
- values = values.T
- is_transposed = True
-
- # see if we can align cond
- if not hasattr(cond, 'shape'):
- raise ValueError(
- "where must have a condition that is ndarray like")
-
if hasattr(cond, 'reindex_axis'):
cond = cond.values
- # may need to undo transpose of values
- if hasattr(values, 'ndim'):
- if values.ndim != cond.ndim or values.shape == cond.shape[::-1]:
+ # If the default broadcasting would go in the wrong direction, then
+ # explictly reshape other instead
+ if getattr(other, 'ndim', 0) >= 1:
+ if values.ndim - 1 == other.ndim and axis == 1:
+ other = other.reshape(tuple(other.shape + (1,)))
- values = values.T
- is_transposed = not is_transposed
+ if not hasattr(cond, 'shape'):
+ raise ValueError("where must have a condition that is ndarray like")
other = _maybe_convert_string_to_object(other)
@@ -1090,15 +1095,14 @@ def func(c, v, o):
raise TypeError('Could not compare [%s] with block values'
% repr(other))
- if is_transposed:
+ if transpose:
result = result.T
# try to cast if requested
if try_cast:
result = self._try_cast_result(result)
- return make_block(result,
- ndim=self.ndim, placement=self.mgr_locs)
+ return make_block(result, ndim=self.ndim, placement=self.mgr_locs)
# might need to separate out blocks
axis = cond.ndim - 1
@@ -1733,7 +1737,8 @@ def take_nd(self, indexer, axis=0, new_mgr_locs=None, fill_tuple=None):
return self.make_block_same_class(new_values, new_mgr_locs)
- def putmask(self, mask, new, align=True, inplace=False):
+ def putmask(self, mask, new, align=True, inplace=False,
+ axis=0, transpose=False):
""" putmask the data to the block; it is possible that we may create a
new dtype of block
@@ -2425,12 +2430,18 @@ def apply(self, f, axes=None, filter=None, do_integrity_check=False, **kwargs):
else:
kwargs['filter'] = filter_locs
- if f == 'where' and kwargs.get('align', True):
+ if f == 'where':
align_copy = True
- align_keys = ['other', 'cond']
- elif f == 'putmask' and kwargs.get('align', True):
+ if kwargs.get('align', True):
+ align_keys = ['other', 'cond']
+ else:
+ align_keys = ['cond']
+ elif f == 'putmask':
align_copy = False
- align_keys = ['new', 'mask']
+ if kwargs.get('align', True):
+ align_keys = ['new', 'mask']
+ else:
+ align_keys = ['mask']
elif f == 'eval':
align_copy = False
align_keys = ['other']
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index cfa0ed1a11772..6e82f20f325cb 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -10046,6 +10046,110 @@ def test_where_complex(self):
df[df.abs() >= 5] = np.nan
assert_frame_equal(df,expected)
+ def test_where_axis(self):
+ # GH 9736
+ df = DataFrame(np.random.randn(2, 2))
+ mask = DataFrame([[False, False], [False, False]])
+ s = Series([0, 1])
+
+ expected = DataFrame([[0, 0], [1, 1]], dtype='float64')
+ result = df.where(mask, s, axis='index')
+ assert_frame_equal(result, expected)
+
+ result = df.copy()
+ result.where(mask, s, axis='index', inplace=True)
+ assert_frame_equal(result, expected)
+
+ expected = DataFrame([[0, 1], [0, 1]], dtype='float64')
+ result = df.where(mask, s, axis='columns')
+ assert_frame_equal(result, expected)
+
+ result = df.copy()
+ result.where(mask, s, axis='columns', inplace=True)
+ assert_frame_equal(result, expected)
+
+ # Upcast needed
+ df = DataFrame([[1, 2], [3, 4]], dtype='int64')
+ mask = DataFrame([[False, False], [False, False]])
+ s = Series([0, np.nan])
+
+ expected = DataFrame([[0, 0], [np.nan, np.nan]], dtype='float64')
+ result = df.where(mask, s, axis='index')
+ assert_frame_equal(result, expected)
+
+ result = df.copy()
+ result.where(mask, s, axis='index', inplace=True)
+ assert_frame_equal(result, expected)
+
+ expected = DataFrame([[0, np.nan], [0, np.nan]], dtype='float64')
+ result = df.where(mask, s, axis='columns')
+ assert_frame_equal(result, expected)
+
+ expected = DataFrame({0 : np.array([0, 0], dtype='int64'),
+ 1 : np.array([np.nan, np.nan], dtype='float64')})
+ result = df.copy()
+ result.where(mask, s, axis='columns', inplace=True)
+ assert_frame_equal(result, expected)
+
+ # Multiple dtypes (=> multiple Blocks)
+ df = pd.concat([DataFrame(np.random.randn(10, 2)),
+ DataFrame(np.random.randint(0, 10, size=(10, 2)))],
+ ignore_index=True, axis=1)
+ mask = DataFrame(False, columns=df.columns, index=df.index)
+ s1 = Series(1, index=df.columns)
+ s2 = Series(2, index=df.index)
+
+ result = df.where(mask, s1, axis='columns')
+ expected = DataFrame(1.0, columns=df.columns, index=df.index)
+ expected[2] = expected[2].astype(int)
+ expected[3] = expected[3].astype(int)
+ assert_frame_equal(result, expected)
+
+ result = df.copy()
+ result.where(mask, s1, axis='columns', inplace=True)
+ assert_frame_equal(result, expected)
+
+ result = df.where(mask, s2, axis='index')
+ expected = DataFrame(2.0, columns=df.columns, index=df.index)
+ expected[2] = expected[2].astype(int)
+ expected[3] = expected[3].astype(int)
+ assert_frame_equal(result, expected)
+
+ result = df.copy()
+ result.where(mask, s2, axis='index', inplace=True)
+ assert_frame_equal(result, expected)
+
+ # DataFrame vs DataFrame
+ d1 = df.copy().drop(1, axis=0)
+ expected = df.copy()
+ expected.loc[1, :] = np.nan
+
+ result = df.where(mask, d1)
+ assert_frame_equal(result, expected)
+ result = df.where(mask, d1, axis='index')
+ assert_frame_equal(result, expected)
+ result = df.copy()
+ result.where(mask, d1, inplace=True)
+ assert_frame_equal(result, expected)
+ result = df.copy()
+ result.where(mask, d1, inplace=True, axis='index')
+ assert_frame_equal(result, expected)
+
+ d2 = df.copy().drop(1, axis=1)
+ expected = df.copy()
+ expected.loc[:, 1] = np.nan
+
+ result = df.where(mask, d2)
+ assert_frame_equal(result, expected)
+ result = df.where(mask, d2, axis='columns')
+ assert_frame_equal(result, expected)
+ result = df.copy()
+ result.where(mask, d2, inplace=True)
+ assert_frame_equal(result, expected)
+ result = df.copy()
+ result.where(mask, d2, inplace=True, axis='columns')
+ assert_frame_equal(result, expected)
+
def test_mask(self):
df = DataFrame(np.random.randn(5, 3))
cond = df > 0
| Fixes GH #9736.
The problem was that at the `Block` level, `where` and `putmask` did a lot of guessing about how the block and the other parameters needed to be transposed in order to align correctly. It guessed wrongly when the DataFrame was symmetric because the shapes match up in both directions. This change tries to make everything explicit and remove the guessing.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9838 | 2015-04-09T02:29:07Z | 2015-08-18T11:20:12Z | null | 2015-08-18T12:09:34Z |
BUG: read_csv skips lines with initial whitespace + one non-space character | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 7166801b3fbf0..172f3f708d9a3 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -120,6 +120,7 @@ Bug Fixes
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
- Bug in ``FloatArrayFormatter`` where decision boundary for displaying "small" floats in decimal format is off by one order of magnitude for a given display.precision (:issue:`9764`)
- Fixed bug where ``DataFrame.plot()`` raised an error when both ``color`` and ``style`` keywords were passed and there was no color symbol in the style strings (:issue:`9671`)
+
- Bug in ``read_csv`` and ``read_table`` when using ``skip_rows`` parameter if blank lines are present. (:issue:`9832`)
- Bug in ``read_csv()`` interprets ``index_col=True`` as ``1`` (:issue:`9798`)
- Bug in index equality comparisons using ``==`` failing on Index/MultiIndex type incompatibility (:issue:`9875`)
@@ -164,3 +165,5 @@ Bug Fixes
- Fixed latex output for multi-indexed dataframes (:issue:`9778`)
- Bug causing an exception when setting an empty range using ``DataFrame.loc`` (:issue:`9596`)
+
+- Bug in csv parser causing lines with initial whitespace plus one non-space character to be skipped. (:issue:`9710`)
diff --git a/pandas/io/tests/test_parsers.py b/pandas/io/tests/test_parsers.py
index 799872d036c4f..819c49f4fb0dd 100755
--- a/pandas/io/tests/test_parsers.py
+++ b/pandas/io/tests/test_parsers.py
@@ -2273,6 +2273,20 @@ def test_nrows_and_chunksize_raises_notimplemented(self):
self.assertRaises(NotImplementedError, self.read_csv, StringIO(data),
nrows=10, chunksize=5)
+ def test_single_char_leading_whitespace(self):
+ # GH 9710
+ data = """\
+MyColumn
+ a
+ b
+ a
+ b\n"""
+
+ expected = DataFrame({'MyColumn' : list('abab')})
+
+ result = self.read_csv(StringIO(data), skipinitialspace=True)
+ tm.assert_frame_equal(result, expected)
+
class TestPythonParser(ParserTests, tm.TestCase):
def test_negative_skipfooter_raises(self):
@@ -3313,6 +3327,25 @@ def test_buffer_overflow(self):
except Exception as cperr:
self.assertIn('Buffer overflow caught - possible malformed input file.', str(cperr))
+ def test_single_char_leading_whitespace(self):
+ # GH 9710
+ data = """\
+MyColumn
+ a
+ b
+ a
+ b\n"""
+
+ expected = DataFrame({'MyColumn' : list('abab')})
+
+ result = self.read_csv(StringIO(data), delim_whitespace=True,
+ skipinitialspace=True)
+ tm.assert_frame_equal(result, expected)
+
+ result = self.read_csv(StringIO(data), lineterminator='\n',
+ skipinitialspace=True)
+ tm.assert_frame_equal(result, expected)
+
class TestCParserLowMemory(ParserTests, tm.TestCase):
def read_csv(self, *args, **kwds):
@@ -3734,6 +3767,25 @@ def test_buffer_overflow(self):
except Exception as cperr:
self.assertIn('Buffer overflow caught - possible malformed input file.', str(cperr))
+ def test_single_char_leading_whitespace(self):
+ # GH 9710
+ data = """\
+MyColumn
+ a
+ b
+ a
+ b\n"""
+
+ expected = DataFrame({'MyColumn' : list('abab')})
+
+ result = self.read_csv(StringIO(data), delim_whitespace=True,
+ skipinitialspace=True)
+ tm.assert_frame_equal(result, expected)
+
+ result = self.read_csv(StringIO(data), lineterminator='\n',
+ skipinitialspace=True)
+ tm.assert_frame_equal(result, expected)
+
class TestMiscellaneous(tm.TestCase):
# for tests that don't fit into any of the other classes, e.g. those that
diff --git a/pandas/src/parser/tokenizer.c b/pandas/src/parser/tokenizer.c
index 1850aab50b55a..e7b5db9c5e361 100644
--- a/pandas/src/parser/tokenizer.c
+++ b/pandas/src/parser/tokenizer.c
@@ -849,10 +849,11 @@ int tokenize_delimited(parser_t *self, size_t line_limit)
;
else { // backtrack
/* We have to use i + 1 because buf has been incremented but not i */
- while (i + 1 > self->datapos && *buf != '\n') {
+ do {
--buf;
--i;
- }
+ } while (i + 1 > self->datapos && *buf != '\n');
+
if (i + 1 > self->datapos) // reached a newline rather than the beginning
{
++buf; // move pointer to first char after newline
@@ -1073,7 +1074,7 @@ int tokenize_delim_customterm(parser_t *self, size_t line_limit)
// Next character in file
c = *buf++;
- TRACE(("Iter: %d Char: %c Line %d field_count %d, state %d\n",
+ TRACE(("tokenize_delim_customterm - Iter: %d Char: %c Line %d field_count %d, state %d\n",
i, c, self->file_lines + 1, self->line_fields[self->lines],
self->state));
@@ -1166,10 +1167,11 @@ int tokenize_delim_customterm(parser_t *self, size_t line_limit)
;
else { // backtrack
/* We have to use i + 1 because buf has been incremented but not i */
- while (i + 1 > self->datapos && *buf != self->lineterminator) {
+ do {
--buf;
--i;
- }
+ } while (i + 1 > self->datapos && *buf != self->lineterminator);
+
if (i + 1 > self->datapos) // reached a newline rather than the beginning
{
++buf; // move pointer to first char after newline
@@ -1336,7 +1338,7 @@ int tokenize_whitespace(parser_t *self, size_t line_limit)
// Next character in file
c = *buf++;
- TRACE(("Iter: %d Char: %c Line %d field_count %d, state %d\n",
+ TRACE(("tokenize_whitespace - Iter: %d Char: %c Line %d field_count %d, state %d\n",
i, c, self->file_lines + 1, self->line_fields[self->lines],
self->state));
| Fixes GH #9710
| https://api.github.com/repos/pandas-dev/pandas/pulls/9837 | 2015-04-09T01:20:03Z | 2015-04-28T01:02:18Z | null | 2015-04-28T10:30:23Z |
ERR: raise when index_col=True is passed | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index dcddcaaad36d0..9f989b2cf0ea9 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -96,3 +96,5 @@ Bug Fixes
- Fixed bug where ``DataFrame.plot()`` raised an error when both ``color`` and ``style`` keywords were passed and there was no color symbol in the style strings (:issue:`9671`)
- Bug in ``read_csv`` and ``read_table`` when using ``skip_rows`` parameter if blank lines are present. (:issue:`9832`)
+
+- Bug in ``read_csv()`` interprets ``index_col=True`` as ``1`` (:issue:`9798`)
diff --git a/pandas/io/parsers.py b/pandas/io/parsers.py
index 637612d5fb09d..786d308c6770f 100644
--- a/pandas/io/parsers.py
+++ b/pandas/io/parsers.py
@@ -652,6 +652,8 @@ def _clean_options(self, options, engine):
# really delete this one
keep_default_na = result.pop('keep_default_na')
+ if index_col is True:
+ raise ValueError("The value of index_col couldn't be 'True'")
if _is_index_col(index_col):
if not isinstance(index_col, (list, tuple, np.ndarray)):
index_col = [index_col]
diff --git a/pandas/io/tests/test_parsers.py b/pandas/io/tests/test_parsers.py
index e549ec674b18d..b7016ad6cffae 100644
--- a/pandas/io/tests/test_parsers.py
+++ b/pandas/io/tests/test_parsers.py
@@ -520,6 +520,11 @@ def test_usecols_index_col_False(self):
df = self.read_csv(StringIO(s_malformed), usecols=cols, index_col=False)
tm.assert_frame_equal(expected, df)
+ def test_index_col_is_True(self):
+ # Issue 9798
+ self.assertRaises(ValueError, self.read_csv, StringIO(self.ts_data),
+ index_col=True)
+
def test_converter_index_col_bug(self):
# 1835
data = "A;B\n1;2\n3;4"
| closes #9798
Add a check to see whether the `index_col` is `True`.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9835 | 2015-04-08T13:58:47Z | 2015-04-09T15:03:48Z | 2015-04-09T15:03:48Z | 2015-04-09T15:03:53Z |
BUG: skiprows doesn't handle blank lines properly when engine='c' | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bd79d9d93fd04..54892a35462d5 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -88,3 +88,4 @@ Bug Fixes
- Bug in ``FloatArrayFormatter`` where decision boundary for displaying "small" floats in decimal format is off by one order of magnitude for a given display.precision (:issue:`9764`)
- Fixed bug where ``DataFrame.plot()`` raised an error when both ``color`` and ``style`` keywords were passed and there was no color symbol in the style strings (:issue:`9671`)
+- Bug in ``read_csv`` and ``read_table`` when using ``skip_rows`` parameter if blank lines are present. (:issue:`9832`)
diff --git a/pandas/io/tests/test_parsers.py b/pandas/io/tests/test_parsers.py
index 35530a7f5e07f..e549ec674b18d 100644
--- a/pandas/io/tests/test_parsers.py
+++ b/pandas/io/tests/test_parsers.py
@@ -839,6 +839,28 @@ def test_deep_skiprows(self):
condensed_data = self.read_csv(StringIO(condensed_text))
tm.assert_frame_equal(data, condensed_data)
+ def test_skiprows_blank(self):
+ # GH 9832
+ text = """#foo,a,b,c
+#foo,a,b,c
+
+#foo,a,b,c
+#foo,a,b,c
+
+1/1/2000,1.,2.,3.
+1/2/2000,4,5,6
+1/3/2000,7,8,9
+"""
+ data = self.read_csv(StringIO(text), skiprows=6, header=None,
+ index_col=0, parse_dates=True)
+
+ expected = DataFrame(np.arange(1., 10.).reshape((3, 3)),
+ columns=[1, 2, 3],
+ index=[datetime(2000, 1, 1), datetime(2000, 1, 2),
+ datetime(2000, 1, 3)])
+ expected.index.name = 0
+ tm.assert_frame_equal(data, expected)
+
def test_detect_string_na(self):
data = """A,B
foo,bar
diff --git a/pandas/src/parser/tokenizer.c b/pandas/src/parser/tokenizer.c
index 975142ebacc2a..1bc4096658b29 100644
--- a/pandas/src/parser/tokenizer.c
+++ b/pandas/src/parser/tokenizer.c
@@ -757,11 +757,9 @@ int tokenize_delimited(parser_t *self, size_t line_limit)
case START_RECORD:
// start of record
if (skip_this_line(self, self->file_lines)) {
+ self->state = SKIP_LINE;
if (c == '\n') {
- END_LINE()
- }
- else {
- self->state = SKIP_LINE;
+ END_LINE();
}
break;
}
@@ -1093,11 +1091,9 @@ int tokenize_delim_customterm(parser_t *self, size_t line_limit)
case START_RECORD:
// start of record
if (skip_this_line(self, self->file_lines)) {
+ self->state = SKIP_LINE;
if (c == self->lineterminator) {
- END_LINE()
- }
- else {
- self->state = SKIP_LINE;
+ END_LINE();
}
break;
}
@@ -1391,11 +1387,9 @@ int tokenize_whitespace(parser_t *self, size_t line_limit)
case START_RECORD:
// start of record
if (skip_this_line(self, self->file_lines)) {
+ self->state = SKIP_LINE;
if (c == '\n') {
- END_LINE()
- }
- else {
- self->state = SKIP_LINE;
+ END_LINE();
}
break;
} else if (c == '\n') {
| Fixes GH #9832
| https://api.github.com/repos/pandas-dev/pandas/pulls/9834 | 2015-04-08T12:54:05Z | 2015-04-08T18:05:47Z | 2015-04-08T18:05:47Z | 2015-09-19T00:38:21Z |
DOC: Clean up documentation for convert_objects | diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..cda3d1d82aa3f 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -2260,19 +2260,23 @@ def convert_objects(self, convert_dates=True, convert_numeric=False,
Parameters
----------
- convert_dates : if True, attempt to soft convert dates, if 'coerce',
- force conversion (and non-convertibles get NaT)
- convert_numeric : if True attempt to coerce to numbers (including
- strings), non-convertibles get NaN
- convert_timedeltas : if True, attempt to soft convert timedeltas, if 'coerce',
- force conversion (and non-convertibles get NaT)
- copy : Boolean, if True, return copy even if no copy is necessary
- (e.g. no conversion was done), default is True.
- It is meant for internal use, not to be confused with `inplace` kw.
+ convert_dates : boolean, default True
+ If True, convert to date where possible. If 'coerce', force
+ conversion, with unconvertible values becoming NaT.
+ convert_numeric : boolean, default False
+ If True, attempt to coerce to numbers (including strings), with
+ unconvertible values becoming NaN.
+ convert_timedeltas : boolean, default True
+ If True, convert to timedelta where possible. If 'coerce', force
+ conversion, with unconvertible values becoming NaT.
+ copy : boolean, default True
+ If True, return a copy even if no copy is necessary (e.g. no
+ conversion was done). Note: This is meant for internal use, and
+ should not be confused with inplace.
Returns
-------
- converted : asm as input object
+ converted : same as input object
"""
return self._constructor(
self._data.convert(convert_dates=convert_dates,
| https://api.github.com/repos/pandas-dev/pandas/pulls/9830 | 2015-04-07T12:34:08Z | 2015-04-07T13:01:56Z | 2015-04-07T13:01:56Z | 2015-09-19T00:38:05Z | |
Fixed bug #9733 where stat functions returned a python scalar for empty series | diff --git a/doc/source/whatsnew/v0.17.0.txt b/doc/source/whatsnew/v0.17.0.txt
index 13764543ec665..6b5ffded6c553 100644
--- a/doc/source/whatsnew/v0.17.0.txt
+++ b/doc/source/whatsnew/v0.17.0.txt
@@ -701,3 +701,5 @@ Bug Fixes
- Bug in ``iloc`` allowing memory outside bounds of a Series to be accessed with negative integers (:issue:`10779`)
- Bug in ``read_msgpack`` where encoding is not respected (:issue:`10580`)
- Bug preventing access to the first index when using ``iloc`` with a list containing the appropriate negative integer (:issue:`10547`, :issue:`10779`)
+
+- Bug in stat functions (``sum``, ``mean``, etc) returning a python scalar for empty series (:issue:`9733`)
diff --git a/pandas/core/common.py b/pandas/core/common.py
index aaa341240f538..f31bb5675f1a5 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -2484,11 +2484,18 @@ def is_integer_dtype(arr_or_dtype):
return (issubclass(tipo, np.integer) and
not issubclass(tipo, (np.datetime64, np.timedelta64)))
+
def is_int64_dtype(arr_or_dtype):
tipo = _get_dtype_type(arr_or_dtype)
return issubclass(tipo, np.int64)
+def is_unsigned_integer_dtype(arr_or_dtype):
+ tipo = _get_dtype_type(arr_or_dtype)
+ return (issubclass(tipo, np.unsignedinteger) and
+ not issubclass(tipo, (np.datetime64, np.timedelta64)))
+
+
def is_int_or_datetime_dtype(arr_or_dtype):
tipo = _get_dtype_type(arr_or_dtype)
return (issubclass(tipo, np.integer) or
diff --git a/pandas/core/nanops.py b/pandas/core/nanops.py
index c70fb6339517d..ce5dee32c47fb 100644
--- a/pandas/core/nanops.py
+++ b/pandas/core/nanops.py
@@ -18,6 +18,7 @@
is_float, is_integer, is_complex,
is_float_dtype,
is_complex_dtype, is_integer_dtype,
+ is_unsigned_integer_dtype,
is_bool_dtype, is_object_dtype,
is_datetime64_dtype, is_timedelta64_dtype,
is_datetime_or_timedelta_dtype, _get_dtype,
@@ -67,21 +68,7 @@ def f(values, axis=None, skipna=True, **kwds):
if k not in kwds:
kwds[k] = v
try:
- if self.zero_value is not None and values.size == 0:
- if values.ndim == 1:
-
- # wrap the 0's if needed
- if is_timedelta64_dtype(values):
- return lib.Timedelta(0)
- return 0
- else:
- result_shape = (values.shape[:axis] +
- values.shape[axis + 1:])
- result = np.empty(result_shape)
- result.fill(0)
- return result
-
- if _USE_BOTTLENECK and skipna and _bn_ok_dtype(values.dtype,
+ if values.size != 0 and _USE_BOTTLENECK and skipna and _bn_ok_dtype(values.dtype,
bn_name):
result = bn_func(values, axis=axis, **kwds)
@@ -187,7 +174,10 @@ def _get_values(values, skipna, fill_value=None, fill_value_typ=None,
# return a platform independent precision dtype
dtype_max = dtype
if is_integer_dtype(dtype) or is_bool_dtype(dtype):
- dtype_max = np.int64
+ if is_unsigned_integer_dtype(dtype):
+ dtype_max = np.uint64
+ else:
+ dtype_max = np.int64
elif is_float_dtype(dtype):
dtype_max = np.float64
@@ -241,14 +231,14 @@ def nanall(values, axis=None, skipna=True):
@disallow('M8')
-@bottleneck_switch(zero_value=0)
+@bottleneck_switch()
def nansum(values, axis=None, skipna=True):
values, mask, dtype, dtype_max = _get_values(values, skipna, 0)
dtype_sum = dtype_max
if is_float_dtype(dtype):
dtype_sum = dtype
the_sum = values.sum(axis, dtype=dtype_sum)
- the_sum = _maybe_null_out(the_sum, axis, mask)
+ the_sum = _maybe_null_out(the_sum, axis, mask, False)
return _wrap_results(the_sum, dtype)
@@ -414,7 +404,7 @@ def nanmin(values, axis=None, skipna=True):
result = values.min(axis)
result = _wrap_results(result, dtype)
- return _maybe_null_out(result, axis, mask)
+ return _maybe_null_out(result, axis, mask, True)
@bottleneck_switch()
@@ -445,7 +435,7 @@ def nanmax(values, axis=None, skipna=True):
result = values.max(axis)
result = _wrap_results(result, dtype)
- return _maybe_null_out(result, axis, mask)
+ return _maybe_null_out(result, axis, mask, True)
def nanargmax(values, axis=None, skipna=True):
@@ -554,7 +544,7 @@ def nanprod(values, axis=None, skipna=True):
values = values.copy()
values[mask] = 1
result = values.prod(axis)
- return _maybe_null_out(result, axis, mask)
+ return _maybe_null_out(result, axis, mask, False)
def _maybe_arg_null_out(result, axis, mask, skipna):
@@ -588,9 +578,11 @@ def _get_counts(mask, axis, dtype=float):
return np.array(count, dtype=dtype)
-def _maybe_null_out(result, axis, mask):
+def _maybe_null_out(result, axis, mask, null_on_empty):
if axis is not None and getattr(result, 'ndim', False):
null_mask = (mask.shape[axis] - mask.sum(axis)) == 0
+ if not null_on_empty:
+ null_mask = null_mask & (mask.shape[axis] > 0)
if np.any(null_mask):
if np.iscomplexobj(result):
result = result.astype('c16')
@@ -599,9 +591,8 @@ def _maybe_null_out(result, axis, mask):
result[null_mask] = np.nan
else:
null_mask = mask.size - mask.sum()
- if null_mask == 0:
- result = np.nan
-
+ if null_mask == 0 and (mask.size > 0 or null_on_empty):
+ return np.nan
return result
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index 56146df37a27f..41613195d9575 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -3616,15 +3616,44 @@ def test_ops_consistency_on_empty(self):
# GH 7869
# consistency on empty
- # float
- result = Series(dtype=float).sum()
- self.assertEqual(result,0)
+ # Test type of empty Series
- result = Series(dtype=float).mean()
- self.assertTrue(isnull(result))
+ ops = ['median', 'mean', 'sum', 'prod']
- result = Series(dtype=float).median()
- self.assertTrue(isnull(result))
+ # First test numpy types
+ # Just make sure that numpy and pandas have the same return type
+ for dtype in ['int8', 'int16', 'int32', 'int64', 'uint8', 'uint16', 'uint32', 'uint64', 'float16', 'float32',
+ 'float64', 'complex64', 'complex128']:
+ s = Series(dtype=dtype)
+ for op in ops:
+ result = getattr(s, op)()
+ np_type = getattr(np, dtype)
+ reference = getattr(np, op)(np_type([]))
+ if np.isnan(reference):
+ self.assertTrue(np.isnan(result),
+ msg="%s on empty %s Series: expecting nan, got %s" % (op, dtype, str(result)))
+ else:
+ self.assertEqual(result.dtype, reference.dtype,
+ msg="%s on empty %s Series: returned type %s, expected %s" %
+ (op, dtype, str(result.dtype), str(reference.dtype)))
+ self.assertEqual(result, reference,
+ msg='%s on empty %s Series: expected %s but received %s' %
+ (op, dtype, str(reference), str(result)))
+
+ # Test str/unicode types
+ str_series = Series(dtype='str')
+ unicode_series = Series(dtype='unicode')
+ for op in ['median', 'mean', 'prod']:
+ # TODO: these operations should raise type errors
+ # self.assertRaises(TypeError, getattr(str_series, op)(),
+ # msg="%s on empty str Series should raise TypeError" % op)
+ # self.assertRaises(TypeError, getattr(unicode_series, op)(),
+ # msg="%s on empty unicode Series should raise TypeError" % op)
+ pass
+
+ # TODO: these operations should return empty strings
+ # self.assertEqual('', str_series.sum())
+ # self.assertEqual('', unicode_series.sum())
# timedelta64[ns]
result = Series(dtype='m8[ns]').sum()
| closes #9733
| https://api.github.com/repos/pandas-dev/pandas/pulls/9829 | 2015-04-07T11:20:53Z | 2015-11-10T01:21:41Z | null | 2022-10-13T00:16:30Z |
BUG: complex is cast to float in sum with level arg | diff --git a/pandas/core/groupby.py b/pandas/core/groupby.py
index 6d98b3b99021b..8125f1de3ea28 100644
--- a/pandas/core/groupby.py
+++ b/pandas/core/groupby.py
@@ -25,7 +25,8 @@
notnull, _DATELIKE_DTYPES, is_numeric_dtype,
is_timedelta64_dtype, is_datetime64_dtype,
is_categorical_dtype, _values_from_object,
- is_datetime_or_timedelta_dtype, is_bool_dtype)
+ is_datetime_or_timedelta_dtype, is_bool_dtype,
+ is_complex_dtype)
from pandas.core.config import option_context
import pandas.lib as lib
from pandas.lib import Timestamp
@@ -1495,7 +1496,7 @@ def aggregate(self, values, how, axis=0):
values = _algos.ensure_float64(values)
elif com.is_integer_dtype(values):
values = values.astype('int64', copy=False)
- elif is_numeric:
+ elif is_numeric and not is_complex_dtype(values.dtype):
values = _algos.ensure_float64(values)
else:
values = values.astype(object)
| Preserve complex dtypes when a stat_function on DataFrame is called with the optional level argument.
Minimal example:
```
import pandas as pd
frame = pd.DataFrame({'z': [1+2j]})
frame.sum(level=0)
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9828 | 2015-04-07T08:21:26Z | 2015-05-09T19:46:26Z | null | 2015-05-09T19:46:26Z |
add biweight midcorrelation as option for series correlation | diff --git a/doc/source/whatsnew/v0.17.0.txt b/doc/source/whatsnew/v0.17.0.txt
index f45ed9eeeaeee..c3ce516508a8d 100644
--- a/doc/source/whatsnew/v0.17.0.txt
+++ b/doc/source/whatsnew/v0.17.0.txt
@@ -37,6 +37,9 @@ New features
- SQL io functions now accept a SQLAlchemy connectable. (:issue:`7877`)
- Enable writing complex values to HDF stores when using table format (:issue:`10447`)
- Enable reading gzip compressed files via URL, either by explicitly setting the compression parameter or by inferring from the presence of the HTTP Content-Encoding header in the response (:issue:`8685`)
+- ``Series.corr()`` and ``DataFrame.corr()`` now supports `Biweight Midcorrelation`_, a median-based correlation metric, a robust alternative to Pearson's R. (:issue:`9826`)
+
+_Biweight Midcorrelation: http://www.ncbi.nlm.nih.gov/pmc/articles/PMC3465711/
.. _whatsnew_0170.gil:
diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index 8f7aee0cb6f15..6898abdfd6160 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -4232,10 +4232,11 @@ def corr(self, method='pearson', min_periods=1):
Parameters
----------
- method : {'pearson', 'kendall', 'spearman'}
+ method : {'pearson', 'kendall', 'spearman', 'bicor'}
* pearson : standard correlation coefficient
* kendall : Kendall Tau correlation coefficient
* spearman : Spearman rank correlation
+ * bicor : Biweight midcorrelation, a median-based similarity metric
min_periods : int, optional
Minimum number of observations required per pair of columns
to have a valid result. Currently only available for pearson
diff --git a/pandas/core/nanops.py b/pandas/core/nanops.py
index c70fb6339517d..b658d5fadb3b8 100644
--- a/pandas/core/nanops.py
+++ b/pandas/core/nanops.py
@@ -651,10 +651,32 @@ def _kendall(a, b):
def _spearman(a, b):
return spearmanr(a, b)[0]
+ def _biweight_midcorrelation(a, b):
+ a_median = np.median(a)
+ b_median = np.median(b)
+
+ # Median absolute deviation
+ a_mad = np.median(np.abs(a - a_median))
+ b_mad = np.median(np.abs(b - b_median))
+
+ u = (a - a_median) / (9 * a_mad)
+ v = (b - b_median) / (9 * b_mad)
+
+ w_a = np.square(1 - np.square(u)) * ((1 - np.abs(u)) > 0)
+ w_b = np.square(1 - np.square(v)) * ((1 - np.abs(v)) > 0)
+
+ a_item = (a - a_median) * w_a
+ b_item = (b - b_median) * w_b
+
+ return (a_item * b_item).sum() / (
+ np.sqrt(np.square(a_item).sum()) *
+ np.sqrt(np.square(b_item).sum()))
+
_cor_methods = {
'pearson': _pearson,
'kendall': _kendall,
- 'spearman': _spearman
+ 'spearman': _spearman,
+ 'bicor': _biweight_midcorrelation
}
return _cor_methods[method]
diff --git a/pandas/core/series.py b/pandas/core/series.py
index 87fde996aaa67..3404ae7c7d598 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -1284,10 +1284,11 @@ def corr(self, other, method='pearson',
Parameters
----------
other : Series
- method : {'pearson', 'kendall', 'spearman'}
+ method : {'pearson', 'kendall', 'spearman', 'bicor}
* pearson : standard correlation coefficient
* kendall : Kendall Tau correlation coefficient
* spearman : Spearman rank correlation
+ * bicor : Biweight midcorrelation, a median-based similarity metric
min_periods : int, optional
Minimum number of observations needed to have a valid result
diff --git a/pandas/tests/test_nanops.py b/pandas/tests/test_nanops.py
index a903b76b3ac7f..4bbb7f1a0c776 100644
--- a/pandas/tests/test_nanops.py
+++ b/pandas/tests/test_nanops.py
@@ -583,6 +583,103 @@ def test_nancorr_spearman(self):
self.check_nancorr_nancov_1d(nanops.nancorr, targ0, targ1,
method='spearman')
+ def test_nancorr_bicor(self):
+ a = self.arr_float_2d
+ b = self.arr_float1_2d
+ a_median = np.median(a)
+ b_median = np.median(b)
+
+ # Median absolute deviation
+ a_mad = np.median(np.abs(a - a_median))
+ b_mad = np.median(np.abs(b - b_median))
+
+ u = (a - a_median) / (9 * a_mad)
+ v = (b - b_median) / (9 * b_mad)
+
+ w_a = np.square(1 - np.square(u)) * ((1 - np.abs(u)) > 0)
+ w_b = np.square(1 - np.square(v)) * ((1 - np.abs(v)) > 0)
+
+ a_item = (a - a_median) * w_a
+ b_item = (b - b_median) * w_b
+
+ targ0 = (a_item * b_item).sum() / (
+ np.sqrt(np.square(a_item).sum()) *
+ np.sqrt(np.square(b_item).sum()))
+
+ a = self.arr_float_2d.flat
+ b = self.arr_float1_2d.flat
+ a_median = np.median(a)
+ b_median = np.median(b)
+
+ # Median absolute deviation
+ a_mad = np.median(np.abs(a - a_median))
+ b_mad = np.median(np.abs(b - b_median))
+
+ u = (a - a_median) / (9 * a_mad)
+ v = (b - b_median) / (9 * b_mad)
+
+ w_a = np.square(1 - np.square(u)) * ((1 - np.abs(u)) > 0)
+ w_b = np.square(1 - np.square(v)) * ((1 - np.abs(v)) > 0)
+
+ a_item = (a - a_median) * w_a
+ b_item = (b - b_median) * w_b
+
+ targ1 = (a_item * b_item).sum() / (
+ np.sqrt(np.square(a_item).sum()) *
+ np.sqrt(np.square(b_item).sum()))
+ self.check_nancorr_nancov_2d(nanops.nancorr, targ0, targ1,
+ method='bicor')
+ a = self.arr_float_1d
+ b = self.arr_float1_1d
+ a_median = np.median(a)
+ b_median = np.median(b)
+
+ # Median absolute deviation
+ a_mad = np.median(np.abs(a - a_median))
+ b_mad = np.median(np.abs(b - b_median))
+
+ u = (a - a_median) / (9 * a_mad)
+ v = (b - b_median) / (9 * b_mad)
+
+ w_a = np.square(1 - np.square(u)) * ((1 - np.abs(u)) > 0)
+ w_b = np.square(1 - np.square(v)) * ((1 - np.abs(v)) > 0)
+
+ a_item = (a - a_median) * w_a
+ b_item = (b - b_median) * w_b
+
+ targ0 = (a_item * b_item).sum() / (
+ np.sqrt(np.square(a_item).sum()) *
+ np.sqrt(np.square(b_item).sum()))
+
+ a = self.arr_float_1d.flat
+ b = self.arr_float1_1d.flat
+ a_median = np.median(a)
+ b_median = np.median(b)
+
+ # Median absolute deviation
+ a_mad = np.median(np.abs(a - a_median))
+ b_mad = np.median(np.abs(b - b_median))
+
+ u = (a - a_median) / (9 * a_mad)
+ v = (b - b_median) / (9 * b_mad)
+
+ w_a = np.square(1 - np.square(u)) * ((1 - np.abs(u)) > 0)
+ w_b = np.square(1 - np.square(v)) * ((1 - np.abs(v)) > 0)
+
+ a_item = (a - a_median) * w_a
+ b_item = (b - b_median) * w_b
+
+ targ1 = (a_item * b_item).sum() / (
+ np.sqrt(np.square(a_item).sum()) *
+ np.sqrt(np.square(b_item).sum()))
+ self.check_nancorr_nancov_1d(nanops.nancorr, targ0, targ1,
+ method='bicor')
+
+ # targ0 = spearmanr(self.arr_float_1d, self.arr_float1_1d)
+ # targ1 = spearmanr(self.arr_float_1d.flat, self.arr_float1_1d.flat)
+ # self.check_nancorr_nancov_1d(nanops.nancorr, targ0, targ1,
+ # method='bicor')
+
def test_nancov(self):
targ0 = np.cov(self.arr_float_2d, self.arr_float1_2d)[0, 1]
targ1 = np.cov(self.arr_float_2d.flat, self.arr_float1_2d.flat)[0, 1]
| Add [Biweight Midcorrelation](http://download-v2.springer.com/static/pdf/95/chp%253A10.1007%252F978-3-642-39678-6_14.pdf?token2=exp=1428360548~acl=%2Fstatic%2Fpdf%2F95%2Fchp%25253A10.1007%25252F978-3-642-39678-6_14.pdf*~hmac=980c2edddba12bbb73ebbadaa682092cde9d534bc8738d65785647402b683c21), an alternative correlation method to Pearson that is robust to outliers, to the series correlation method repertoire.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9826 | 2015-04-07T01:16:54Z | 2015-10-18T14:02:24Z | null | 2023-05-11T01:12:55Z |
Allow tz-aware inputs in Holiday.dates | diff --git a/pandas/tseries/holiday.py b/pandas/tseries/holiday.py
index 3b3542b760d6f..c31e25115c6a4 100644
--- a/pandas/tseries/holiday.py
+++ b/pandas/tseries/holiday.py
@@ -203,7 +203,10 @@ def dates(self, start_date, end_date, return_name=False):
end_date = Timestamp(end_date)
year_offset = DateOffset(years=1)
- base_date = Timestamp(datetime(start_date.year, self.month, self.day))
+ base_date = Timestamp(
+ datetime(start_date.year, self.month, self.day),
+ tz=start_date.tz,
+ )
dates = DatetimeIndex(start=base_date, end=end_date, freq=year_offset)
holiday_dates = self._apply_rule(dates)
if self.days_of_week is not None:
diff --git a/pandas/tseries/tests/test_holiday.py b/pandas/tseries/tests/test_holiday.py
index c2300481eca43..0880e84f1fcde 100644
--- a/pandas/tseries/tests/test_holiday.py
+++ b/pandas/tseries/tests/test_holiday.py
@@ -9,6 +9,7 @@
HolidayCalendarFactory, next_workday, previous_workday,
before_nearest_workday, EasterMonday, GoodFriday,
after_nearest_workday, weekend_to_monday)
+from pytz import utc
import nose
class TestCalendar(tm.TestCase):
@@ -55,87 +56,119 @@ def setUp(self):
self.start_date = datetime(2011, 1, 1)
self.end_date = datetime(2020, 12, 31)
+ def check_results(self, holiday, start, end, expected):
+ self.assertEqual(list(holiday.dates(start, end)), expected)
+ # Verify that timezone info is preserved.
+ self.assertEqual(
+ list(
+ holiday.dates(
+ utc.localize(Timestamp(start)),
+ utc.localize(Timestamp(end)),
+ )
+ ),
+ [utc.localize(dt) for dt in expected],
+ )
+
def test_usmemorialday(self):
- holidays = USMemorialDay.dates(self.start_date,
- self.end_date)
- holidayList = [
- datetime(2011, 5, 30),
- datetime(2012, 5, 28),
- datetime(2013, 5, 27),
- datetime(2014, 5, 26),
- datetime(2015, 5, 25),
- datetime(2016, 5, 30),
- datetime(2017, 5, 29),
- datetime(2018, 5, 28),
- datetime(2019, 5, 27),
- datetime(2020, 5, 25),
- ]
- self.assertEqual(list(holidays), holidayList)
+ self.check_results(
+ holiday=USMemorialDay,
+ start=self.start_date,
+ end=self.end_date,
+ expected=[
+ datetime(2011, 5, 30),
+ datetime(2012, 5, 28),
+ datetime(2013, 5, 27),
+ datetime(2014, 5, 26),
+ datetime(2015, 5, 25),
+ datetime(2016, 5, 30),
+ datetime(2017, 5, 29),
+ datetime(2018, 5, 28),
+ datetime(2019, 5, 27),
+ datetime(2020, 5, 25),
+ ],
+ )
def test_non_observed_holiday(self):
- july_3rd = Holiday('July 4th Eve', month=7, day=3)
- result = july_3rd.dates("2001-01-01", "2003-03-03")
- expected = [Timestamp('2001-07-03 00:00:00'),
- Timestamp('2002-07-03 00:00:00')]
- self.assertEqual(list(result), expected)
- july_3rd = Holiday('July 4th Eve', month=7, day=3,
- days_of_week=(0, 1, 2, 3))
- result = july_3rd.dates("2001-01-01", "2008-03-03")
- expected = [Timestamp('2001-07-03 00:00:00'),
- Timestamp('2002-07-03 00:00:00'),
- Timestamp('2003-07-03 00:00:00'),
- Timestamp('2006-07-03 00:00:00'),
- Timestamp('2007-07-03 00:00:00')]
- self.assertEqual(list(result), expected)
+
+ self.check_results(
+ Holiday('July 4th Eve', month=7, day=3),
+ start="2001-01-01",
+ end="2003-03-03",
+ expected=[
+ Timestamp('2001-07-03 00:00:00'),
+ Timestamp('2002-07-03 00:00:00')
+ ]
+ )
+
+ self.check_results(
+ Holiday('July 4th Eve', month=7, day=3, days_of_week=(0, 1, 2, 3)),
+ start="2001-01-01",
+ end="2008-03-03",
+ expected=[
+ Timestamp('2001-07-03 00:00:00'),
+ Timestamp('2002-07-03 00:00:00'),
+ Timestamp('2003-07-03 00:00:00'),
+ Timestamp('2006-07-03 00:00:00'),
+ Timestamp('2007-07-03 00:00:00'),
+ ]
+ )
def test_easter(self):
- holidays = EasterMonday.dates(self.start_date,
- self.end_date)
- holidayList = [Timestamp('2011-04-25 00:00:00'),
- Timestamp('2012-04-09 00:00:00'),
- Timestamp('2013-04-01 00:00:00'),
- Timestamp('2014-04-21 00:00:00'),
- Timestamp('2015-04-06 00:00:00'),
- Timestamp('2016-03-28 00:00:00'),
- Timestamp('2017-04-17 00:00:00'),
- Timestamp('2018-04-02 00:00:00'),
- Timestamp('2019-04-22 00:00:00'),
- Timestamp('2020-04-13 00:00:00')]
-
-
- self.assertEqual(list(holidays), holidayList)
- holidays = GoodFriday.dates(self.start_date,
- self.end_date)
- holidayList = [Timestamp('2011-04-22 00:00:00'),
- Timestamp('2012-04-06 00:00:00'),
- Timestamp('2013-03-29 00:00:00'),
- Timestamp('2014-04-18 00:00:00'),
- Timestamp('2015-04-03 00:00:00'),
- Timestamp('2016-03-25 00:00:00'),
- Timestamp('2017-04-14 00:00:00'),
- Timestamp('2018-03-30 00:00:00'),
- Timestamp('2019-04-19 00:00:00'),
- Timestamp('2020-04-10 00:00:00')]
- self.assertEqual(list(holidays), holidayList)
-
+
+ self.check_results(
+ EasterMonday,
+ start=self.start_date,
+ end=self.end_date,
+ expected=[
+ Timestamp('2011-04-25 00:00:00'),
+ Timestamp('2012-04-09 00:00:00'),
+ Timestamp('2013-04-01 00:00:00'),
+ Timestamp('2014-04-21 00:00:00'),
+ Timestamp('2015-04-06 00:00:00'),
+ Timestamp('2016-03-28 00:00:00'),
+ Timestamp('2017-04-17 00:00:00'),
+ Timestamp('2018-04-02 00:00:00'),
+ Timestamp('2019-04-22 00:00:00'),
+ Timestamp('2020-04-13 00:00:00'),
+ ],
+ )
+ self.check_results(
+ GoodFriday,
+ start=self.start_date,
+ end=self.end_date,
+ expected=[
+ Timestamp('2011-04-22 00:00:00'),
+ Timestamp('2012-04-06 00:00:00'),
+ Timestamp('2013-03-29 00:00:00'),
+ Timestamp('2014-04-18 00:00:00'),
+ Timestamp('2015-04-03 00:00:00'),
+ Timestamp('2016-03-25 00:00:00'),
+ Timestamp('2017-04-14 00:00:00'),
+ Timestamp('2018-03-30 00:00:00'),
+ Timestamp('2019-04-19 00:00:00'),
+ Timestamp('2020-04-10 00:00:00'),
+ ],
+ )
def test_usthanksgivingday(self):
- holidays = USThanksgivingDay.dates(self.start_date,
- self.end_date)
- holidayList = [
- datetime(2011, 11, 24),
- datetime(2012, 11, 22),
- datetime(2013, 11, 28),
- datetime(2014, 11, 27),
- datetime(2015, 11, 26),
- datetime(2016, 11, 24),
- datetime(2017, 11, 23),
- datetime(2018, 11, 22),
- datetime(2019, 11, 28),
- datetime(2020, 11, 26),
- ]
-
- self.assertEqual(list(holidays), holidayList)
+
+ self.check_results(
+ USThanksgivingDay,
+ start=self.start_date,
+ end=self.end_date,
+ expected=[
+ datetime(2011, 11, 24),
+ datetime(2012, 11, 22),
+ datetime(2013, 11, 28),
+ datetime(2014, 11, 27),
+ datetime(2015, 11, 26),
+ datetime(2016, 11, 24),
+ datetime(2017, 11, 23),
+ datetime(2018, 11, 22),
+ datetime(2019, 11, 28),
+ datetime(2020, 11, 26),
+ ],
+ )
def test_argument_types(self):
holidays = USThanksgivingDay.dates(self.start_date,
| closes #9825
Previously, passing tz-aware inputs to Holiday.dates would always result in an error because the the input start_date was converted in a way that destroyed timezone information. This PR makes that conversion correctly preserve tz info, and converts several of the existing tests to run with both tz-aware and tz-naive inputs.
Noticed while working on a new trading calendar implementation here: https://github.com/quantopian/zipline/pull/556.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9824 | 2015-04-07T00:44:21Z | 2015-04-08T14:00:34Z | 2015-04-08T14:00:34Z | 2015-04-08T14:27:32Z |
ENC: better pandas typesetting in ipython nbconvert --to latex | diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index f700d4316842c..de06044785891 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -1428,7 +1428,10 @@ def to_latex(self, buf=None, columns=None, col_space=None, colSpace=None,
if buf is None:
return formatter.buf.getvalue()
-
+
+ def _repr_latex_(self):
+ return self.to_latex()
+
def info(self, verbose=None, buf=None, max_cols=None, memory_usage=None, null_counts=None):
"""
Concise summary of a DataFrame.
| Currently, when IPython notebooks are converted to latex, pandas `DataFrame`s are appear as raw (verbatim) text. One simple solution is to include a `_repl_latex_` function. I have tried this solution and works. See https://github.com/ipython/ipython/issues/8261
| https://api.github.com/repos/pandas-dev/pandas/pulls/9821 | 2015-04-06T18:39:49Z | 2015-10-21T07:18:03Z | null | 2023-05-11T01:12:55Z |
DOC: fix some various doc warnings | diff --git a/doc/source/r_interface.rst b/doc/source/r_interface.rst
index 826d9e980538e..2207c823f43b1 100644
--- a/doc/source/r_interface.rst
+++ b/doc/source/r_interface.rst
@@ -56,6 +56,7 @@ appropriate pandas object (most likely a DataFrame):
.. ipython:: python
+ :okwarning:
import pandas.rpy.common as com
infert = com.load_data('infert')
diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 93ad2066d0e12..2b24531b2ef54 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -769,12 +769,14 @@ def str_rstrip(arr, to_strip=None):
def str_wrap(arr, width, **kwargs):
- """
- Wrap long strings to be formatted in paragraphs
+ r"""
+ Wrap long strings to be formatted in paragraphs.
+
+ This method has the same keyword parameters and defaults as
+ :class:`textwrap.TextWrapper`.
Parameters
----------
- Same keyword parameters and defaults as :class:`textwrap.TextWrapper`
width : int
Maximum line-width
expand_tabs : bool, optional
@@ -806,11 +808,11 @@ def str_wrap(arr, width, **kwargs):
settings. To achieve behavior matching R's stringr library str_wrap function, use
the arguments:
- expand_tabs = False
- replace_whitespace = True
- drop_whitespace = True
- break_long_words = False
- break_on_hyphens = False
+ - expand_tabs = False
+ - replace_whitespace = True
+ - drop_whitespace = True
+ - break_long_words = False
+ - break_on_hyphens = False
Examples
--------
diff --git a/pandas/tseries/tools.py b/pandas/tseries/tools.py
index 8430e0209fd78..ef37e003ab67f 100644
--- a/pandas/tseries/tools.py
+++ b/pandas/tseries/tools.py
@@ -210,10 +210,13 @@ def to_datetime(arg, errors='ignore', dayfirst=False, utc=None, box=True,
Returns
-------
- ret : datetime if parsing succeeded. Return type depends on input:
+ ret : datetime if parsing succeeded.
+ Return type depends on input:
+
- list-like: DatetimeIndex
- Series: Series of datetime64 dtype
- scalar: Timestamp
+
In case when it is not possible to return designated types (e.g. when
any element of input is before Timestamp.min or after Timestamp.max)
return will have datetime.datetime type (or correspoding array/Series).
| https://api.github.com/repos/pandas-dev/pandas/pulls/9819 | 2015-04-06T13:24:05Z | 2015-04-06T21:16:59Z | 2015-04-06T21:16:59Z | 2015-04-06T21:17:00Z | |
API: Sort keys for DataFrame.assign | diff --git a/doc/source/dsintro.rst b/doc/source/dsintro.rst
index e1c14029f1cf9..adcf2fca9b4c5 100644
--- a/doc/source/dsintro.rst
+++ b/doc/source/dsintro.rst
@@ -461,7 +461,7 @@ Inspired by `dplyr's
<http://cran.rstudio.com/web/packages/dplyr/vignettes/introduction.html#mutate>`__
``mutate`` verb, DataFrame has an :meth:`~pandas.DataFrame.assign`
method that allows you to easily create new columns that are potentially
-derived from existing columns.
+derived from existing columns.
.. ipython:: python
@@ -511,7 +511,9 @@ DataFrame is returned, with the new values inserted.
.. warning::
Since the function signature of ``assign`` is ``**kwargs``, a dictionary,
- the order of the new columns in the resulting DataFrame cannot be guaranteed.
+ the order of the new columns in the resulting DataFrame cannot be guaranteed
+ to match the order you pass in. To make things predictable, items are inserted
+ alphabetically (by key) at the end of the DataFrame.
All expressions are computed first, and then assigned. So you can't refer
to another column being assigned in the same call to ``assign``. For example:
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index f691b0842f071..653c296023c4e 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -45,6 +45,10 @@ API changes
- Add support for separating years and quarters using dashes, for
example 2014-Q1. (:issue:`9688`)
+- :meth:`~pandas.DataFrame.assign` now inserts new columns in alphabetical order. Previously
+ the order was arbitrary. (:issue:`9777`)
+
+
.. _whatsnew_0161.performance:
Performance Improvements
diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index f700d4316842c..8b683ad89558a 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -2244,10 +2244,11 @@ def assign(self, **kwargs):
Notes
-----
Since ``kwargs`` is a dictionary, the order of your
- arguments may not be preserved, and so the order of the
- new columns is not well defined. Assigning multiple
- columns within the same ``assign`` is possible, but you cannot
- reference other columns created within the same ``assign`` call.
+ arguments may not be preserved. The make things predicatable,
+ the columns are inserted in alphabetical order, at the end of
+ your DataFrame. Assigning multiple columns within the same
+ ``assign`` is possible, but you cannot reference other columns
+ created within the same ``assign`` call.
Examples
--------
@@ -2296,7 +2297,7 @@ def assign(self, **kwargs):
results[k] = v
# ... and then assign
- for k, v in results.items():
+ for k, v in sorted(results.items()):
data[k] = v
return data
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 3e4c16f63035f..e4abe15dee493 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -14073,12 +14073,21 @@ def test_assign(self):
assert_frame_equal(result, expected)
def test_assign_multiple(self):
- df = DataFrame({'A': [1, 2, 3], 'B': [4, 5, 6]})
+ df = DataFrame([[1, 4], [2, 5], [3, 6]], columns=['A', 'B'])
result = df.assign(C=[7, 8, 9], D=df.A, E=lambda x: x.B)
- expected = DataFrame({'A': [1, 2, 3], 'B': [4, 5, 6], 'C': [7, 8, 9],
- 'D': [1, 2, 3], 'E': [4, 5, 6]})
- # column order isn't preserved
- assert_frame_equal(result.reindex_like(expected), expected)
+ expected = DataFrame([[1, 4, 7, 1, 4], [2, 5, 8, 2, 5],
+ [3, 6, 9, 3, 6]], columns=list('ABCDE'))
+ assert_frame_equal(result, expected)
+
+ def test_assign_alphabetical(self):
+ # GH 9818
+ df = DataFrame([[1, 2], [3, 4]], columns=['A', 'B'])
+ result = df.assign(D=df.A + df.B, C=df.A - df.B)
+ expected = DataFrame([[1, 2, -1, 3], [3, 4, -1, 7]],
+ columns=list('ABCD'))
+ assert_frame_equal(result, expected)
+ result = df.assign(C=df.A - df.B, D=df.A + df.B)
+ assert_frame_equal(result, expected)
def test_assign_bad(self):
df = DataFrame({'A': [1, 2, 3], 'B': [4, 5, 6]})
| Closes #9777
Previously the order of new columns from `.assign` was arbitrary. For predictability, we'll sort before inserting.
We need to be comfortable with this change since we can't change behavior later with a keyword arg.
Technically we _could_ allow referencing the a column defined within the same call to `assign` as long as they are sorted. e.g. `df.assign(C=df.A + df.B, D=df.C**2)` would work, but not `df.assign(df.D=df.A +df.B, C=df.D**2)`. But I don't think we should.
cc @mrocklin
| https://api.github.com/repos/pandas-dev/pandas/pulls/9818 | 2015-04-06T00:25:16Z | 2015-04-07T22:36:59Z | 2015-04-07T22:36:59Z | 2015-04-07T22:37:18Z |
BUG: Repeated time-series plot causes memory leak | diff --git a/doc/source/whatsnew/v0.17.0.txt b/doc/source/whatsnew/v0.17.0.txt
index d59b6120163ff..287963ed2c825 100644
--- a/doc/source/whatsnew/v0.17.0.txt
+++ b/doc/source/whatsnew/v0.17.0.txt
@@ -381,7 +381,7 @@ Bug Fixes
- Bug in ``Series.plot(kind='hist')`` Y Label not informative (:issue:`10485`)
- Bug in ``read_csv`` when using a converter which generates a ``uint8`` type (:issue:`9266`)
-
+- Bug causes memory leak in time-series line and area plot (:issue:`9003`)
- Bug in line and kde plot cannot accept multiple colors when ``subplots=True`` (:issue:`9894`)
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 800c6f83f4902..3271493f59219 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -3281,6 +3281,36 @@ def test_sharey_and_ax(self):
self.assertTrue(ax.yaxis.get_label().get_visible(),
"y label is invisible but shouldn't")
+ def test_memory_leak(self):
+ """ Check that every plot type gets properly collected. """
+ import weakref
+ import gc
+
+ results = {}
+ for kind in plotting._plot_klass.keys():
+ args = {}
+ if kind in ['hexbin', 'scatter', 'pie']:
+ df = self.hexbin_df
+ args = {'x': 'A', 'y': 'B'}
+ elif kind == 'area':
+ df = self.tdf.abs()
+ else:
+ df = self.tdf
+
+ # Use a weakref so we can see if the object gets collected without
+ # also preventing it from being collected
+ results[kind] = weakref.proxy(df.plot(kind=kind, **args))
+
+ # have matplotlib delete all the figures
+ tm.close()
+ # force a garbage collection
+ gc.collect()
+ for key in results:
+ # check that every plot was collected
+ with tm.assertRaises(ReferenceError):
+ # need to actually access something to get an error
+ results[key].lines
+
@slow
def test_df_grid_settings(self):
# Make sure plot defaults to rcParams['axes.grid'] setting, GH 9792
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index 6a822a0231a2b..c16e2686c5a3a 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -774,6 +774,7 @@ class MPLPlot(object):
data :
"""
+ _kind = 'base'
_layout_type = 'vertical'
_default_rot = 0
orientation = None
@@ -830,10 +831,7 @@ def __init__(self, data, kind=None, by=None, subplots=False, sharex=None,
self._rot_set = True
else:
self._rot_set = False
- if isinstance(self._default_rot, dict):
- self.rot = self._default_rot[self.kind]
- else:
- self.rot = self._default_rot
+ self.rot = self._default_rot
if grid is None:
grid = False if secondary_y else self.plt.rcParams['axes.grid']
@@ -1217,34 +1215,25 @@ def _get_xticks(self, convert_period=False):
return x
- def _is_datetype(self):
- index = self.data.index
- return (isinstance(index, (PeriodIndex, DatetimeIndex)) or
- index.inferred_type in ('datetime', 'date', 'datetime64',
- 'time'))
+ @classmethod
+ def _plot(cls, ax, x, y, style=None, is_errorbar=False, **kwds):
+ mask = com.isnull(y)
+ if mask.any():
+ y = np.ma.array(y)
+ y = np.ma.masked_where(mask, y)
- def _get_plot_function(self):
- '''
- Returns the matplotlib plotting function (plot or errorbar) based on
- the presence of errorbar keywords.
- '''
- errorbar = any(e is not None for e in self.errors.values())
- def plotf(ax, x, y, style=None, **kwds):
- mask = com.isnull(y)
- if mask.any():
- y = np.ma.array(y)
- y = np.ma.masked_where(mask, y)
-
- if errorbar:
- return self.plt.Axes.errorbar(ax, x, y, **kwds)
+ if isinstance(x, Index):
+ x = x._mpl_repr()
+
+ if is_errorbar:
+ return ax.errorbar(x, y, **kwds)
+ else:
+ # prevent style kwarg from going to errorbar, where it is unsupported
+ if style is not None:
+ args = (x, y, style)
else:
- # prevent style kwarg from going to errorbar, where it is unsupported
- if style is not None:
- args = (ax, x, y, style)
- else:
- args = (ax, x, y)
- return self.plt.Axes.plot(*args, **kwds)
- return plotf
+ args = (x, y)
+ return ax.plot(*args, **kwds)
def _get_index_name(self):
if isinstance(self.data.index, MultiIndex):
@@ -1431,6 +1420,7 @@ def _get_axes_layout(self):
return (len(y_set), len(x_set))
class ScatterPlot(MPLPlot):
+ _kind = 'scatter'
_layout_type = 'single'
def __init__(self, data, x, y, c=None, **kwargs):
@@ -1509,6 +1499,7 @@ def _post_plot_logic(self):
class HexBinPlot(MPLPlot):
+ _kind = 'hexbin'
_layout_type = 'single'
def __init__(self, data, x, y, C=None, **kwargs):
@@ -1564,7 +1555,7 @@ def _post_plot_logic(self):
class LinePlot(MPLPlot):
-
+ _kind = 'line'
_default_rot = 0
orientation = 'vertical'
@@ -1576,65 +1567,30 @@ def __init__(self, data, **kwargs):
if 'x_compat' in self.kwds:
self.x_compat = bool(self.kwds.pop('x_compat'))
- def _index_freq(self):
- freq = getattr(self.data.index, 'freq', None)
- if freq is None:
- freq = getattr(self.data.index, 'inferred_freq', None)
- if freq == 'B':
- weekdays = np.unique(self.data.index.dayofweek)
- if (5 in weekdays) or (6 in weekdays):
- freq = None
- return freq
-
- def _is_dynamic_freq(self, freq):
- if isinstance(freq, DateOffset):
- freq = freq.rule_code
- else:
- freq = frequencies.get_base_alias(freq)
- freq = frequencies.get_period_alias(freq)
- return freq is not None and self._no_base(freq)
-
- def _no_base(self, freq):
- # hack this for 0.10.1, creating more technical debt...sigh
- if isinstance(self.data.index, DatetimeIndex):
- base = frequencies.get_freq(freq)
- x = self.data.index
- if (base <= frequencies.FreqGroup.FR_DAY):
- return x[:1].is_normalized
-
- return Period(x[0], freq).to_timestamp(tz=x.tz) == x[0]
- return True
-
- def _use_dynamic_x(self):
- freq = self._index_freq()
-
- ax = self._get_ax(0)
- ax_freq = getattr(ax, 'freq', None)
- if freq is None: # convert irregular if axes has freq info
- freq = ax_freq
- else: # do not use tsplot if irregular was plotted first
- if (ax_freq is None) and (len(ax.get_lines()) > 0):
- return False
-
- return (freq is not None) and self._is_dynamic_freq(freq)
-
def _is_ts_plot(self):
# this is slightly deceptive
return not self.x_compat and self.use_index and self._use_dynamic_x()
- def _make_plot(self):
- self._initialize_prior(len(self.data))
+ def _use_dynamic_x(self):
+ from pandas.tseries.plotting import _use_dynamic_x
+ return _use_dynamic_x(self._get_ax(0), self.data)
+ def _make_plot(self):
if self._is_ts_plot():
- data = self._maybe_convert_index(self.data)
+ from pandas.tseries.plotting import _maybe_convert_index
+ data = _maybe_convert_index(self._get_ax(0), self.data)
+
x = data.index # dummy, not used
- plotf = self._get_ts_plot_function()
+ plotf = self._ts_plot
it = self._iter_data(data=data, keep_index=True)
else:
x = self._get_xticks(convert_period=True)
- plotf = self._get_plot_function()
+ plotf = self._plot
it = self._iter_data()
+ stacking_id = self._get_stacking_id()
+ is_errorbar = any(e is not None for e in self.errors.values())
+
colors = self._get_colors()
for i, (label, y) in enumerate(it):
ax = self._get_ax(i)
@@ -1647,84 +1603,87 @@ def _make_plot(self):
label = com.pprint_thing(label) # .encode('utf-8')
kwds['label'] = label
- newlines = plotf(ax, x, y, style=style, column_num=i, **kwds)
+ newlines = plotf(ax, x, y, style=style, column_num=i,
+ stacking_id=stacking_id,
+ is_errorbar=is_errorbar,
+ **kwds)
self._add_legend_handle(newlines[0], label, index=i)
lines = _get_all_lines(ax)
left, right = _get_xlim(lines)
ax.set_xlim(left, right)
- def _get_stacked_values(self, y, label):
+ @classmethod
+ def _plot(cls, ax, x, y, style=None, column_num=None,
+ stacking_id=None, **kwds):
+ # column_num is used to get the target column from protf in line and area plots
+ if column_num == 0:
+ cls._initialize_stacker(ax, stacking_id, len(y))
+ y_values = cls._get_stacked_values(ax, stacking_id, y, kwds['label'])
+ lines = MPLPlot._plot(ax, x, y_values, style=style, **kwds)
+ cls._update_stacker(ax, stacking_id, y)
+ return lines
+
+ @classmethod
+ def _ts_plot(cls, ax, x, data, style=None, **kwds):
+ from pandas.tseries.plotting import (_maybe_resample,
+ _decorate_axes,
+ format_dateaxis)
+ # accept x to be consistent with normal plot func,
+ # x is not passed to tsplot as it uses data.index as x coordinate
+ # column_num must be in kwds for stacking purpose
+ freq, data = _maybe_resample(data, ax, kwds)
+
+ # Set ax with freq info
+ _decorate_axes(ax, freq, kwds)
+ ax._plot_data.append((data, cls._kind, kwds))
+
+ lines = cls._plot(ax, data.index, data.values, style=style, **kwds)
+ # set date formatter, locators and rescale limits
+ format_dateaxis(ax, ax.freq)
+ return lines
+
+ def _get_stacking_id(self):
if self.stacked:
- if (y >= 0).all():
- return self._pos_prior + y
- elif (y <= 0).all():
- return self._neg_prior + y
- else:
- raise ValueError('When stacked is True, each column must be either all positive or negative.'
- '{0} contains both positive and negative values'.format(label))
+ return id(self.data)
else:
- return y
-
- def _get_plot_function(self):
- f = MPLPlot._get_plot_function(self)
- def plotf(ax, x, y, style=None, column_num=None, **kwds):
- # column_num is used to get the target column from protf in line and area plots
- if column_num == 0:
- self._initialize_prior(len(self.data))
- y_values = self._get_stacked_values(y, kwds['label'])
- lines = f(ax, x, y_values, style=style, **kwds)
- self._update_prior(y)
- return lines
- return plotf
-
- def _get_ts_plot_function(self):
- from pandas.tseries.plotting import tsplot
- plotf = self._get_plot_function()
- def _plot(ax, x, data, style=None, **kwds):
- # accept x to be consistent with normal plot func,
- # x is not passed to tsplot as it uses data.index as x coordinate
- lines = tsplot(data, plotf, ax=ax, style=style, **kwds)
- return lines
- return _plot
-
- def _initialize_prior(self, n):
- self._pos_prior = np.zeros(n)
- self._neg_prior = np.zeros(n)
-
- def _update_prior(self, y):
- if self.stacked and not self.subplots:
- # tsplot resample may changedata length
- if len(self._pos_prior) != len(y):
- self._initialize_prior(len(y))
- if (y >= 0).all():
- self._pos_prior += y
- elif (y <= 0).all():
- self._neg_prior += y
-
- def _maybe_convert_index(self, data):
- # tsplot converts automatically, but don't want to convert index
- # over and over for DataFrames
- if isinstance(data.index, DatetimeIndex):
- freq = getattr(data.index, 'freq', None)
-
- if freq is None:
- freq = getattr(data.index, 'inferred_freq', None)
- if isinstance(freq, DateOffset):
- freq = freq.rule_code
-
- if freq is None:
- ax = self._get_ax(0)
- freq = getattr(ax, 'freq', None)
-
- if freq is None:
- raise ValueError('Could not get frequency alias for plotting')
-
- freq = frequencies.get_base_alias(freq)
- freq = frequencies.get_period_alias(freq)
-
- data.index = data.index.to_period(freq=freq)
- return data
+ return None
+
+ @classmethod
+ def _initialize_stacker(cls, ax, stacking_id, n):
+ if stacking_id is None:
+ return
+ if not hasattr(ax, '_stacker_pos_prior'):
+ ax._stacker_pos_prior = {}
+ if not hasattr(ax, '_stacker_neg_prior'):
+ ax._stacker_neg_prior = {}
+ ax._stacker_pos_prior[stacking_id] = np.zeros(n)
+ ax._stacker_neg_prior[stacking_id] = np.zeros(n)
+
+ @classmethod
+ def _get_stacked_values(cls, ax, stacking_id, values, label):
+ if stacking_id is None:
+ return values
+ if not hasattr(ax, '_stacker_pos_prior'):
+ # stacker may not be initialized for subplots
+ cls._initialize_stacker(ax, stacking_id, len(values))
+
+ if (values >= 0).all():
+ return ax._stacker_pos_prior[stacking_id] + values
+ elif (values <= 0).all():
+ return ax._stacker_neg_prior[stacking_id] + values
+
+ raise ValueError('When stacked is True, each column must be either all positive or negative.'
+ '{0} contains both positive and negative values'.format(label))
+
+ @classmethod
+ def _update_stacker(cls, ax, stacking_id, values):
+ if stacking_id is None:
+ return
+ if (values >= 0).all():
+ ax._stacker_pos_prior[stacking_id] += values
+ elif (values <= 0).all():
+ ax._stacker_neg_prior[stacking_id] += values
def _post_plot_logic(self):
df = self.data
@@ -1749,6 +1708,7 @@ def _post_plot_logic(self):
class AreaPlot(LinePlot):
+ _kind = 'area'
def __init__(self, data, **kwargs):
kwargs.setdefault('stacked', True)
@@ -1759,35 +1719,36 @@ def __init__(self, data, **kwargs):
# use smaller alpha to distinguish overlap
self.kwds.setdefault('alpha', 0.5)
- def _get_plot_function(self):
if self.logy or self.loglog:
raise ValueError("Log-y scales are not supported in area plot")
- else:
- f = MPLPlot._get_plot_function(self)
- def plotf(ax, x, y, style=None, column_num=None, **kwds):
- if column_num == 0:
- self._initialize_prior(len(self.data))
- y_values = self._get_stacked_values(y, kwds['label'])
- lines = f(ax, x, y_values, style=style, **kwds)
-
- # get data from the line to get coordinates for fill_between
- xdata, y_values = lines[0].get_data(orig=False)
-
- if (y >= 0).all():
- start = self._pos_prior
- elif (y <= 0).all():
- start = self._neg_prior
- else:
- start = np.zeros(len(y))
- if not 'color' in kwds:
- kwds['color'] = lines[0].get_color()
+ @classmethod
+ def _plot(cls, ax, x, y, style=None, column_num=None,
+ stacking_id=None, is_errorbar=False, **kwds):
+ if column_num == 0:
+ cls._initialize_stacker(ax, stacking_id, len(y))
+ y_values = cls._get_stacked_values(ax, stacking_id, y, kwds['label'])
+ lines = MPLPlot._plot(ax, x, y_values, style=style, **kwds)
+
+ # get data from the line to get coordinates for fill_between
+ xdata, y_values = lines[0].get_data(orig=False)
+
+ # unable to use ``_get_stacked_values`` here to get starting point
+ if stacking_id is None:
+ start = np.zeros(len(y))
+ elif (y >= 0).all():
+ start = ax._stacker_pos_prior[stacking_id]
+ elif (y <= 0).all():
+ start = ax._stacker_neg_prior[stacking_id]
+ else:
+ start = np.zeros(len(y))
- self.plt.Axes.fill_between(ax, xdata, start, y_values, **kwds)
- self._update_prior(y)
- return lines
+ if not 'color' in kwds:
+ kwds['color'] = lines[0].get_color()
- return plotf
+ ax.fill_between(xdata, start, y_values, **kwds)
+ cls._update_stacker(ax, stacking_id, y)
+ return lines
def _add_legend_handle(self, handle, label, index=None):
from matplotlib.patches import Rectangle
@@ -1810,8 +1771,9 @@ def _post_plot_logic(self):
class BarPlot(MPLPlot):
-
- _default_rot = {'bar': 90, 'barh': 0}
+ _kind = 'bar'
+ _default_rot = 90
+ orientation = 'vertical'
def __init__(self, data, **kwargs):
self.bar_width = kwargs.pop('width', 0.5)
@@ -1848,20 +1810,13 @@ def _args_adjust(self):
if com.is_list_like(self.left):
self.left = np.array(self.left)
- def _get_plot_function(self):
- if self.kind == 'bar':
- def f(ax, x, y, w, start=None, **kwds):
- start = start + self.bottom
- return ax.bar(x, y, w, bottom=start, log=self.log, **kwds)
- elif self.kind == 'barh':
-
- def f(ax, x, y, w, start=None, log=self.log, **kwds):
- start = start + self.left
- return ax.barh(x, y, w, left=start, log=self.log, **kwds)
- else:
- raise ValueError("BarPlot kind must be either 'bar' or 'barh'")
+ @classmethod
+ def _plot(cls, ax, x, y, w, start=0, log=False, **kwds):
+ return ax.bar(x, y, w, bottom=start, log=log, **kwds)
- return f
+ @property
+ def _start_base(self):
+ return self.bottom
def _make_plot(self):
import matplotlib as mpl
@@ -1869,7 +1824,6 @@ def _make_plot(self):
colors = self._get_colors()
ncolors = len(colors)
- bar_f = self._get_plot_function()
pos_prior = neg_prior = np.zeros(len(self.data))
K = self.nseries
@@ -1890,24 +1844,25 @@ def _make_plot(self):
start = 0
if self.log and (y >= 1).all():
start = 1
+ start = start + self._start_base
if self.subplots:
w = self.bar_width / 2
- rect = bar_f(ax, self.ax_pos + w, y, self.bar_width,
- start=start, label=label, **kwds)
+ rect = self._plot(ax, self.ax_pos + w, y, self.bar_width,
+ start=start, label=label, log=self.log, **kwds)
ax.set_title(label)
elif self.stacked:
mask = y > 0
- start = np.where(mask, pos_prior, neg_prior)
+ start = np.where(mask, pos_prior, neg_prior) + self._start_base
w = self.bar_width / 2
- rect = bar_f(ax, self.ax_pos + w, y, self.bar_width,
- start=start, label=label, **kwds)
+ rect = self._plot(ax, self.ax_pos + w, y, self.bar_width,
+ start=start, label=label, log=self.log, **kwds)
pos_prior = pos_prior + np.where(mask, y, 0)
neg_prior = neg_prior + np.where(mask, 0, y)
else:
w = self.bar_width / K
- rect = bar_f(ax, self.ax_pos + (i + 0.5) * w, y, w,
- start=start, label=label, **kwds)
+ rect = self._plot(ax, self.ax_pos + (i + 0.5) * w, y, w,
+ start=start, label=label, log=self.log, **kwds)
self._add_legend_handle(rect, label, index=i)
def _post_plot_logic(self):
@@ -1922,33 +1877,40 @@ def _post_plot_logic(self):
s_edge = self.ax_pos[0] - 0.25 + self.lim_offset
e_edge = self.ax_pos[-1] + 0.25 + self.bar_width + self.lim_offset
- if self.kind == 'bar':
- ax.set_xlim((s_edge, e_edge))
- ax.set_xticks(self.tick_pos)
- ax.set_xticklabels(str_index)
- if name is not None and self.use_index:
- ax.set_xlabel(name)
- elif self.kind == 'barh':
- # horizontal bars
- ax.set_ylim((s_edge, e_edge))
- ax.set_yticks(self.tick_pos)
- ax.set_yticklabels(str_index)
- if name is not None and self.use_index:
- ax.set_ylabel(name)
- else:
- raise NotImplementedError(self.kind)
+ self._decorate_ticks(ax, name, str_index, s_edge, e_edge)
+
+ def _decorate_ticks(self, ax, name, ticklabels, start_edge, end_edge):
+ ax.set_xlim((start_edge, end_edge))
+ ax.set_xticks(self.tick_pos)
+ ax.set_xticklabels(ticklabels)
+ if name is not None and self.use_index:
+ ax.set_xlabel(name)
+
+
+class BarhPlot(BarPlot):
+ _kind = 'barh'
+ _default_rot = 0
+ orientation = 'horizontal'
@property
- def orientation(self):
- if self.kind == 'bar':
- return 'vertical'
- elif self.kind == 'barh':
- return 'horizontal'
- else:
- raise NotImplementedError(self.kind)
+ def _start_base(self):
+ return self.left
+
+ @classmethod
+ def _plot(cls, ax, x, y, w, start=0, log=False, **kwds):
+ return ax.barh(x, y, w, left=start, log=log, **kwds)
+
+ def _decorate_ticks(self, ax, name, ticklabels, start_edge, end_edge):
+ # horizontal bars
+ ax.set_ylim((start_edge, end_edge))
+ ax.set_yticks(self.tick_pos)
+ ax.set_yticklabels(ticklabels)
+ if name is not None and self.use_index:
+ ax.set_ylabel(name)
class HistPlot(LinePlot):
+ _kind = 'hist'
def __init__(self, data, bins=10, bottom=0, **kwargs):
self.bins = bins # use mpl default
@@ -1971,22 +1933,24 @@ def _args_adjust(self):
if com.is_list_like(self.bottom):
self.bottom = np.array(self.bottom)
- def _get_plot_function(self):
- def plotf(ax, y, style=None, column_num=None, **kwds):
- if column_num == 0:
- self._initialize_prior(len(self.bins) - 1)
- y = y[~com.isnull(y)]
- bottom = self._pos_prior + self.bottom
- # ignore style
- n, bins, patches = self.plt.Axes.hist(ax, y, bins=self.bins,
- bottom=bottom, **kwds)
- self._update_prior(n)
- return patches
- return plotf
+ @classmethod
+ def _plot(cls, ax, y, style=None, bins=None, bottom=0, column_num=0,
+ stacking_id=None, **kwds):
+ if column_num == 0:
+ cls._initialize_stacker(ax, stacking_id, len(bins) - 1)
+ y = y[~com.isnull(y)]
+
+ base = np.zeros(len(bins) - 1)
+ bottom = bottom + cls._get_stacked_values(ax, stacking_id, base, kwds['label'])
+ # ignore style
+ n, bins, patches = ax.hist(y, bins=bins, bottom=bottom, **kwds)
+ cls._update_stacker(ax, stacking_id, n)
+ return patches
def _make_plot(self):
- plotf = self._get_plot_function()
colors = self._get_colors()
+ stacking_id = self._get_stacking_id()
+
for i, (label, y) in enumerate(self._iter_data()):
ax = self._get_ax(i)
@@ -1999,9 +1963,18 @@ def _make_plot(self):
if style is not None:
kwds['style'] = style
- artists = plotf(ax, y, column_num=i, **kwds)
+ kwds = self._make_plot_keywords(kwds, y)
+ artists = self._plot(ax, y, column_num=i,
+ stacking_id=stacking_id, **kwds)
self._add_legend_handle(artists[0], label, index=i)
+ def _make_plot_keywords(self, kwds, y):
+ """merge BoxPlot/KdePlot properties to passed kwds"""
+ # y is required for KdePlot
+ kwds['bottom'] = self.bottom
+ kwds['bins'] = self.bins
+ return kwds
+
def _post_plot_logic(self):
if self.orientation == 'horizontal':
for ax in self.axes:
@@ -2019,6 +1992,7 @@ def orientation(self):
class KdePlot(HistPlot):
+ _kind = 'kde'
orientation = 'vertical'
def __init__(self, data, bw_method=None, ind=None, **kwargs):
@@ -2038,26 +2012,31 @@ def _get_ind(self, y):
ind = self.ind
return ind
- def _get_plot_function(self):
+ @classmethod
+ def _plot(cls, ax, y, style=None, bw_method=None, ind=None,
+ column_num=None, stacking_id=None, **kwds):
from scipy.stats import gaussian_kde
from scipy import __version__ as spv
- f = MPLPlot._get_plot_function(self)
- def plotf(ax, y, style=None, column_num=None, **kwds):
- y = remove_na(y)
- if LooseVersion(spv) >= '0.11.0':
- gkde = gaussian_kde(y, bw_method=self.bw_method)
- else:
- gkde = gaussian_kde(y)
- if self.bw_method is not None:
- msg = ('bw_method was added in Scipy 0.11.0.' +
- ' Scipy version in use is %s.' % spv)
- warnings.warn(msg)
-
- ind = self._get_ind(y)
- y = gkde.evaluate(ind)
- lines = f(ax, ind, y, style=style, **kwds)
- return lines
- return plotf
+
+ y = remove_na(y)
+
+ if LooseVersion(spv) >= '0.11.0':
+ gkde = gaussian_kde(y, bw_method=bw_method)
+ else:
+ gkde = gaussian_kde(y)
+ if bw_method is not None:
+ msg = ('bw_method was added in Scipy 0.11.0.' +
+ ' Scipy version in use is %s.' % spv)
+ warnings.warn(msg)
+
+ y = gkde.evaluate(ind)
+ lines = MPLPlot._plot(ax, ind, y, style=style, **kwds)
+ return lines
+
+ def _make_plot_keywords(self, kwds, y):
+ kwds['bw_method'] = self.bw_method
+ kwds['ind'] = self._get_ind(y)
+ return kwds
def _post_plot_logic(self):
for ax in self.axes:
@@ -2065,6 +2044,7 @@ def _post_plot_logic(self):
class PiePlot(MPLPlot):
+ _kind = 'pie'
_layout_type = 'horizontal'
def __init__(self, data, kind=None, **kwargs):
@@ -2083,8 +2063,8 @@ def _validate_color_args(self):
pass
def _make_plot(self):
- self.kwds.setdefault('colors', self._get_colors(num_colors=len(self.data),
- color_kwds='colors'))
+ colors = self._get_colors(num_colors=len(self.data), color_kwds='colors')
+ self.kwds.setdefault('colors', colors)
for i, (label, y) in enumerate(self._iter_data()):
ax = self._get_ax(i)
@@ -2129,6 +2109,7 @@ def blank_labeler(label, value):
class BoxPlot(LinePlot):
+ _kind = 'box'
_layout_type = 'horizontal'
_valid_return_types = (None, 'axes', 'dict', 'both')
@@ -2151,25 +2132,24 @@ def _args_adjust(self):
else:
self.sharey = False
- def _get_plot_function(self):
- def plotf(ax, y, column_num=None, **kwds):
- if y.ndim == 2:
- y = [remove_na(v) for v in y]
- # Boxplot fails with empty arrays, so need to add a NaN
- # if any cols are empty
- # GH 8181
- y = [v if v.size > 0 else np.array([np.nan]) for v in y]
- else:
- y = remove_na(y)
- bp = ax.boxplot(y, **kwds)
+ @classmethod
+ def _plot(cls, ax, y, column_num=None, return_type=None, **kwds):
+ if y.ndim == 2:
+ y = [remove_na(v) for v in y]
+ # Boxplot fails with empty arrays, so need to add a NaN
+ # if any cols are empty
+ # GH 8181
+ y = [v if v.size > 0 else np.array([np.nan]) for v in y]
+ else:
+ y = remove_na(y)
+ bp = ax.boxplot(y, **kwds)
- if self.return_type == 'dict':
- return bp, bp
- elif self.return_type == 'both':
- return self.BP(ax=ax, lines=bp), bp
- else:
- return ax, bp
- return plotf
+ if return_type == 'dict':
+ return bp, bp
+ elif return_type == 'both':
+ return cls.BP(ax=ax, lines=bp), bp
+ else:
+ return ax, bp
def _validate_color_args(self):
if 'color' in self.kwds:
@@ -2223,7 +2203,6 @@ def maybe_color_bp(self, bp):
setp(bp['caps'], color=caps, alpha=1)
def _make_plot(self):
- plotf = self._get_plot_function()
if self.subplots:
self._return_obj = compat.OrderedDict()
@@ -2231,7 +2210,8 @@ def _make_plot(self):
ax = self._get_ax(i)
kwds = self.kwds.copy()
- ret, bp = plotf(ax, y, column_num=i, **kwds)
+ ret, bp = self._plot(ax, y, column_num=i,
+ return_type=self.return_type, **kwds)
self.maybe_color_bp(bp)
self._return_obj[label] = ret
@@ -2242,7 +2222,8 @@ def _make_plot(self):
ax = self._get_ax(0)
kwds = self.kwds.copy()
- ret, bp = plotf(ax, y, column_num=0, **kwds)
+ ret, bp = self._plot(ax, y, column_num=0,
+ return_type=self.return_type, **kwds)
self.maybe_color_bp(bp)
self._return_obj = ret
@@ -2287,10 +2268,12 @@ def result(self):
_series_kinds = ['pie']
_all_kinds = _common_kinds + _dataframe_kinds + _series_kinds
-_plot_klass = {'line': LinePlot, 'bar': BarPlot, 'barh': BarPlot,
- 'kde': KdePlot, 'hist': HistPlot, 'box': BoxPlot,
- 'scatter': ScatterPlot, 'hexbin': HexBinPlot,
- 'area': AreaPlot, 'pie': PiePlot}
+_klasses = [LinePlot, BarPlot, BarhPlot, KdePlot, HistPlot, BoxPlot,
+ ScatterPlot, HexBinPlot, AreaPlot, PiePlot]
+
+_plot_klass = {}
+for klass in _klasses:
+ _plot_klass[klass._kind] = klass
def _plot(data, x=None, y=None, subplots=False,
diff --git a/pandas/tseries/plotting.py b/pandas/tseries/plotting.py
index 9d28fa11f646f..ad27b412cddb9 100644
--- a/pandas/tseries/plotting.py
+++ b/pandas/tseries/plotting.py
@@ -4,12 +4,16 @@
"""
#!!! TODO: Use the fact that axis can have units to simplify the process
+
+import numpy as np
+
from matplotlib import pylab
from pandas.tseries.period import Period
from pandas.tseries.offsets import DateOffset
import pandas.tseries.frequencies as frequencies
from pandas.tseries.index import DatetimeIndex
import pandas.core.common as com
+import pandas.compat as compat
from pandas.tseries.converter import (TimeSeries_DateLocator,
TimeSeries_DateFormatter)
@@ -18,7 +22,7 @@
# Plotting functions and monkey patches
-def tsplot(series, plotf, **kwargs):
+def tsplot(series, plotf, ax=None, **kwargs):
"""
Plots a Series on the given Matplotlib axes or the current axes
@@ -33,46 +37,33 @@ def tsplot(series, plotf, **kwargs):
"""
# Used inferred freq is possible, need a test case for inferred
- if 'ax' in kwargs:
- ax = kwargs.pop('ax')
- else:
+ if ax is None:
import matplotlib.pyplot as plt
ax = plt.gca()
- freq = _get_freq(ax, series)
- # resample against axes freq if necessary
- if freq is None: # pragma: no cover
- raise ValueError('Cannot use dynamic axis without frequency info')
- else:
- # Convert DatetimeIndex to PeriodIndex
- if isinstance(series.index, DatetimeIndex):
- series = series.to_period(freq=freq)
- freq, ax_freq, series = _maybe_resample(series, ax, freq, plotf,
- kwargs)
+ freq, series = _maybe_resample(series, ax, kwargs)
# Set ax with freq info
_decorate_axes(ax, freq, kwargs)
-
- # how to make sure ax.clear() flows through?
- if not hasattr(ax, '_plot_data'):
- ax._plot_data = []
ax._plot_data.append((series, plotf, kwargs))
lines = plotf(ax, series.index._mpl_repr(), series.values, **kwargs)
# set date formatter, locators and rescale limits
format_dateaxis(ax, ax.freq)
+ return lines
- # x and y coord info
- ax.format_coord = lambda t, y: ("t = {0} "
- "y = {1:8f}".format(Period(ordinal=int(t),
- freq=ax.freq),
- y))
- return lines
+def _maybe_resample(series, ax, kwargs):
+ # resample against axes freq if necessary
+ freq, ax_freq = _get_freq(ax, series)
+
+ if freq is None: # pragma: no cover
+ raise ValueError('Cannot use dynamic axis without frequency info')
+ # Convert DatetimeIndex to PeriodIndex
+ if isinstance(series.index, DatetimeIndex):
+ series = series.to_period(freq=freq)
-def _maybe_resample(series, ax, freq, plotf, kwargs):
- ax_freq = _get_ax_freq(ax)
if ax_freq is not None and freq != ax_freq:
if frequencies.is_superperiod(freq, ax_freq): # upsample input
series = series.copy()
@@ -84,21 +75,11 @@ def _maybe_resample(series, ax, freq, plotf, kwargs):
series = series.resample(ax_freq, how=how).dropna()
freq = ax_freq
elif frequencies.is_subperiod(freq, ax_freq) or _is_sub(freq, ax_freq):
- _upsample_others(ax, freq, plotf, kwargs)
+ _upsample_others(ax, freq, kwargs)
ax_freq = freq
else: # pragma: no cover
raise ValueError('Incompatible frequency conversion')
- return freq, ax_freq, series
-
-
-def _get_ax_freq(ax):
- ax_freq = getattr(ax, 'freq', None)
- if ax_freq is None:
- if hasattr(ax, 'left_ax'):
- ax_freq = getattr(ax.left_ax, 'freq', None)
- elif hasattr(ax, 'right_ax'):
- ax_freq = getattr(ax.right_ax, 'freq', None)
- return ax_freq
+ return freq, series
def _is_sub(f1, f2):
@@ -111,9 +92,10 @@ def _is_sup(f1, f2):
(f2.startswith('W') and frequencies.is_superperiod(f1, 'D')))
-def _upsample_others(ax, freq, plotf, kwargs):
+def _upsample_others(ax, freq, kwargs):
legend = ax.get_legend()
lines, labels = _replot_ax(ax, freq, kwargs)
+ _replot_ax(ax, freq, kwargs)
other_ax = None
if hasattr(ax, 'left_ax'):
@@ -136,8 +118,11 @@ def _upsample_others(ax, freq, plotf, kwargs):
def _replot_ax(ax, freq, kwargs):
data = getattr(ax, '_plot_data', None)
+
+ # clear current axes and data
ax._plot_data = []
ax.clear()
+
_decorate_axes(ax, freq, kwargs)
lines = []
@@ -147,7 +132,13 @@ def _replot_ax(ax, freq, kwargs):
series = series.copy()
idx = series.index.asfreq(freq, how='S')
series.index = idx
- ax._plot_data.append(series)
+ ax._plot_data.append((series, plotf, kwds))
+
+ # for tsplot
+ if isinstance(plotf, compat.string_types):
+ from pandas.tools.plotting import _plot_klass
+ plotf = _plot_klass[plotf]._plot
+
lines.append(plotf(ax, series.index._mpl_repr(), series.values, **kwds)[0])
labels.append(com.pprint_thing(series.name))
@@ -155,6 +146,10 @@ def _replot_ax(ax, freq, kwargs):
def _decorate_axes(ax, freq, kwargs):
+ """Initialize axes for time-series plotting"""
+ if not hasattr(ax, '_plot_data'):
+ ax._plot_data = []
+
ax.freq = freq
xaxis = ax.get_xaxis()
xaxis.freq = freq
@@ -173,6 +168,11 @@ def _get_freq(ax, series):
freq = getattr(series.index, 'inferred_freq', None)
ax_freq = getattr(ax, 'freq', None)
+ if ax_freq is None:
+ if hasattr(ax, 'left_ax'):
+ ax_freq = getattr(ax.left_ax, 'freq', None)
+ elif hasattr(ax, 'right_ax'):
+ ax_freq = getattr(ax.right_ax, 'freq', None)
# use axes freq if no data freq
if freq is None:
@@ -185,10 +185,76 @@ def _get_freq(ax, series):
freq = frequencies.get_base_alias(freq)
freq = frequencies.get_period_alias(freq)
+ return freq, ax_freq
+
+
+def _use_dynamic_x(ax, data):
+ freq = _get_index_freq(data)
+ ax_freq = getattr(ax, 'freq', None)
+
+ if freq is None: # convert irregular if axes has freq info
+ freq = ax_freq
+ else: # do not use tsplot if irregular was plotted first
+ if (ax_freq is None) and (len(ax.get_lines()) > 0):
+ return False
+
+ if freq is None:
+ return False
+
+ if isinstance(freq, DateOffset):
+ freq = freq.rule_code
+ else:
+ freq = frequencies.get_base_alias(freq)
+ freq = frequencies.get_period_alias(freq)
+ if freq is None:
+ return False
+
+ # hack this for 0.10.1, creating more technical debt...sigh
+ if isinstance(data.index, DatetimeIndex):
+ base = frequencies.get_freq(freq)
+ x = data.index
+ if (base <= frequencies.FreqGroup.FR_DAY):
+ return x[:1].is_normalized
+ return Period(x[0], freq).to_timestamp(tz=x.tz) == x[0]
+ return True
+
+
+def _get_index_freq(data):
+ freq = getattr(data.index, 'freq', None)
+ if freq is None:
+ freq = getattr(data.index, 'inferred_freq', None)
+ if freq == 'B':
+ weekdays = np.unique(data.index.dayofweek)
+ if (5 in weekdays) or (6 in weekdays):
+ freq = None
return freq
+def _maybe_convert_index(ax, data):
+ # tsplot converts automatically, but don't want to convert index
+ # over and over for DataFrames
+ if isinstance(data.index, DatetimeIndex):
+ freq = getattr(data.index, 'freq', None)
+
+ if freq is None:
+ freq = getattr(data.index, 'inferred_freq', None)
+ if isinstance(freq, DateOffset):
+ freq = freq.rule_code
+
+ if freq is None:
+ freq = getattr(ax, 'freq', None)
+
+ if freq is None:
+ raise ValueError('Could not get frequency alias for plotting')
+
+ freq = frequencies.get_base_alias(freq)
+ freq = frequencies.get_period_alias(freq)
+
+ data = data.to_period(freq=freq)
+ return data
+
+
# Patch methods for subplot. Only format_dateaxis is currently used.
# Do we need the rest for convenience?
@@ -219,4 +285,9 @@ def format_dateaxis(subplot, freq):
plot_obj=subplot)
subplot.xaxis.set_major_formatter(majformatter)
subplot.xaxis.set_minor_formatter(minformatter)
+
+ # x and y coord info
+ subplot.format_coord = lambda t, y: ("t = {0} "
+ "y = {1:8f}".format(Period(ordinal=int(t), freq=freq), y))
+
pylab.draw_if_interactive()
diff --git a/pandas/tseries/tests/test_plotting.py b/pandas/tseries/tests/test_plotting.py
index 2ba65c07aa114..74f2a4550780b 100644
--- a/pandas/tseries/tests/test_plotting.py
+++ b/pandas/tseries/tests/test_plotting.py
@@ -105,6 +105,12 @@ def test_tsplot(self):
for s in self.datetime_ser:
_check_plot_works(f, s.index.freq.rule_code, ax=ax, series=s)
+ for s in self.period_ser:
+ _check_plot_works(s.plot, ax=ax)
+
+ for s in self.datetime_ser:
+ _check_plot_works(s.plot, ax=ax)
+
ax = ts.plot(style='k')
self.assertEqual((0., 0., 0.), ax.get_lines()[0].get_color())
@@ -151,6 +157,15 @@ def check_format_of_first_point(ax, expected_string):
# note this is added to the annual plot already in existence, and changes its freq field
daily = Series(1, index=date_range('2014-01-01', periods=3, freq='D'))
check_format_of_first_point(daily.plot(), 't = 2014-01-01 y = 1.000000')
+ tm.close()
+
+ # tsplot
+ import matplotlib.pyplot as plt
+ from pandas.tseries.plotting import tsplot
+ tsplot(annual, plt.Axes.plot)
+ check_format_of_first_point(plt.gca(), 't = 2014 y = 1.000000')
+ tsplot(daily, plt.Axes.plot)
+ check_format_of_first_point(plt.gca(), 't = 2014-01-01 y = 1.000000')
@slow
def test_line_plot_period_series(self):
@@ -746,6 +761,15 @@ def test_to_weekly_resampling(self):
for l in ax.get_lines():
self.assertTrue(PeriodIndex(data=l.get_xdata()).freq.startswith('W'))
+ # tsplot
+ from pandas.tseries.plotting import tsplot
+ import matplotlib.pyplot as plt
+
+ tsplot(high, plt.Axes.plot)
+ lines = tsplot(low, plt.Axes.plot)
+ for l in lines:
+ self.assertTrue(PeriodIndex(data=l.get_xdata()).freq.startswith('W'))
+
@slow
def test_from_weekly_resampling(self):
idxh = date_range('1/1/1999', periods=52, freq='W')
@@ -760,7 +784,22 @@ def test_from_weekly_resampling(self):
1553, 1558, 1562])
for l in ax.get_lines():
self.assertTrue(PeriodIndex(data=l.get_xdata()).freq.startswith('W'))
+ xdata = l.get_xdata(orig=False)
+ if len(xdata) == 12: # idxl lines
+ self.assert_numpy_array_equal(xdata, expected_l)
+ else:
+ self.assert_numpy_array_equal(xdata, expected_h)
+ tm.close()
+
+ # tsplot
+ from pandas.tseries.plotting import tsplot
+ import matplotlib.pyplot as plt
+
+ tsplot(low, plt.Axes.plot)
+ lines = tsplot(high, plt.Axes.plot)
+ for l in lines:
+ self.assertTrue(PeriodIndex(data=l.get_xdata()).freq.startswith('W'))
xdata = l.get_xdata(orig=False)
if len(xdata) == 12: # idxl lines
self.assert_numpy_array_equal(xdata, expected_l)
| Closes #9003, Closes #9307.
- Not to clutter plot functions outside of classes.
- Changed to use classmethods rather than closures for plot funcs.
- Not cache plot function itself on `ax._plot_data`. Changed to store `str` indicates plot kind.
- Moved `tsplot` related codes to `tseries.plotting.py`.
Because the change is little big, I think it is better to wait until 0.17. Further simplification seems to be possible if we can remove `tsplot` as not public function.
CC: @qwhelan, @TomAugspurger
| https://api.github.com/repos/pandas-dev/pandas/pulls/9814 | 2015-04-05T09:55:45Z | 2015-07-29T14:05:50Z | 2015-07-29T14:05:50Z | 2015-08-03T13:23:33Z |
TST: Split graphics_test to main and others | diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index d72bc420b2388..dd526720d2605 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -30,13 +30,11 @@
import pandas.tools.plotting as plotting
-def _skip_if_mpl_14_or_dev_boxplot():
- # GH 8382
- # Boxplot failures on 1.4 and 1.4.1
- # Don't need try / except since that's done at class level
- import matplotlib
- if str(matplotlib.__version__) >= LooseVersion('1.4'):
- raise nose.SkipTest("Matplotlib Regression in 1.4 and current dev.")
+"""
+These tests are for ``Dataframe.plot`` and ``Series.plot``.
+Other plot methods such as ``.hist``, ``.boxplot`` and other miscellaneous
+are tested in test_graphics_others.py
+"""
def _skip_if_no_scipy_gaussian_kde():
@@ -46,6 +44,7 @@ def _skip_if_no_scipy_gaussian_kde():
except ImportError:
raise nose.SkipTest("scipy version doesn't support gaussian_kde")
+
def _ok_for_gaussian_kde(kind):
if kind in ['kde','density']:
try:
@@ -55,6 +54,7 @@ def _ok_for_gaussian_kde(kind):
return False
return True
+
@tm.mplskip
class TestPlotBase(tm.TestCase):
@@ -943,20 +943,6 @@ def test_plot_fails_with_dupe_color_and_style(self):
with tm.assertRaises(ValueError):
x.plot(style='k--', color='k')
- @slow
- def test_hist_by_no_extra_plots(self):
- df = self.hist_df
- axes = df.height.hist(by=df.gender)
- self.assertEqual(len(self.plt.get_fignums()), 1)
-
- def test_plot_fails_when_ax_differs_from_figure(self):
- from pylab import figure
- fig1 = figure()
- fig2 = figure()
- ax1 = fig1.add_subplot(111)
- with tm.assertRaises(AssertionError):
- self.ts.hist(ax=ax1, figure=fig2)
-
@slow
def test_hist_kde(self):
ax = self.ts.plot(kind='hist', logy=True)
@@ -1037,25 +1023,6 @@ def test_boxplot_series(self):
self._check_text_labels(ylabels, [''] * len(ylabels))
@slow
- def test_autocorrelation_plot(self):
- from pandas.tools.plotting import autocorrelation_plot
- _check_plot_works(autocorrelation_plot, self.ts)
- _check_plot_works(autocorrelation_plot, self.ts.values)
-
- ax = autocorrelation_plot(self.ts, label='Test')
- self._check_legend_labels(ax, labels=['Test'])
-
- @slow
- def test_lag_plot(self):
- from pandas.tools.plotting import lag_plot
- _check_plot_works(lag_plot, self.ts)
- _check_plot_works(lag_plot, self.ts, lag=5)
-
- @slow
- def test_bootstrap_plot(self):
- from pandas.tools.plotting import bootstrap_plot
- _check_plot_works(bootstrap_plot, self.ts, size=10)
-
def test_invalid_plot_data(self):
s = Series(list('abcd'))
for kind in plotting._common_kinds:
@@ -1193,6 +1160,30 @@ def test_standard_colors_all(self):
result = plotting._get_standard_colors(num_colors=3, color=[c])
self.assertEqual(result, [c] * 3)
+ def test_series_plot_color_kwargs(self):
+ # GH1890
+ ax = Series(np.arange(12) + 1).plot(color='green')
+ self._check_colors(ax.get_lines(), linecolors=['green'])
+
+ def test_time_series_plot_color_kwargs(self):
+ # #1890
+ ax = Series(np.arange(12) + 1, index=date_range(
+ '1/1/2000', periods=12)).plot(color='green')
+ self._check_colors(ax.get_lines(), linecolors=['green'])
+
+ def test_time_series_plot_color_with_empty_kwargs(self):
+ import matplotlib as mpl
+
+ def_colors = mpl.rcParams['axes.color_cycle']
+ index = date_range('1/1/2000', periods=12)
+ s = Series(np.arange(1, 13), index=index)
+
+ ncolors = 3
+
+ for i in range(ncolors):
+ ax = s.plot()
+ self._check_colors(ax.get_lines(), linecolors=def_colors[:ncolors])
+
@tm.mplskip
class TestDataFramePlots(TestPlotBase):
@@ -2276,112 +2267,6 @@ def test_boxplot_subplots_return_type(self):
expected_keys=['height', 'weight', 'category'],
check_ax_title=False)
- @slow
- def test_boxplot_legacy(self):
- df = DataFrame(randn(6, 4),
- index=list(string.ascii_letters[:6]),
- columns=['one', 'two', 'three', 'four'])
- df['indic'] = ['foo', 'bar'] * 3
- df['indic2'] = ['foo', 'bar', 'foo'] * 2
-
- _check_plot_works(df.boxplot, return_type='dict')
- _check_plot_works(df.boxplot, column=['one', 'two'], return_type='dict')
- _check_plot_works(df.boxplot, column=['one', 'two'], by='indic')
- _check_plot_works(df.boxplot, column='one', by=['indic', 'indic2'])
- _check_plot_works(df.boxplot, by='indic')
- _check_plot_works(df.boxplot, by=['indic', 'indic2'])
- _check_plot_works(plotting.boxplot, df['one'], return_type='dict')
- _check_plot_works(df.boxplot, notch=1, return_type='dict')
- _check_plot_works(df.boxplot, by='indic', notch=1)
-
- df = DataFrame(np.random.rand(10, 2), columns=['Col1', 'Col2'])
- df['X'] = Series(['A', 'A', 'A', 'A', 'A', 'B', 'B', 'B', 'B', 'B'])
- df['Y'] = Series(['A'] * 10)
- _check_plot_works(df.boxplot, by='X')
-
- # When ax is supplied and required number of axes is 1,
- # passed ax should be used:
- fig, ax = self.plt.subplots()
- axes = df.boxplot('Col1', by='X', ax=ax)
- self.assertIs(ax.get_axes(), axes)
-
- fig, ax = self.plt.subplots()
- axes = df.groupby('Y').boxplot(ax=ax, return_type='axes')
- self.assertIs(ax.get_axes(), axes['A'])
-
- # Multiple columns with an ax argument should use same figure
- fig, ax = self.plt.subplots()
- axes = df.boxplot(column=['Col1', 'Col2'], by='X', ax=ax, return_type='axes')
- self.assertIs(axes['Col1'].get_figure(), fig)
-
- # When by is None, check that all relevant lines are present in the dict
- fig, ax = self.plt.subplots()
- d = df.boxplot(ax=ax, return_type='dict')
- lines = list(itertools.chain.from_iterable(d.values()))
- self.assertEqual(len(ax.get_lines()), len(lines))
-
- @slow
- def test_boxplot_return_type_legacy(self):
- # API change in https://github.com/pydata/pandas/pull/7096
- import matplotlib as mpl
-
- df = DataFrame(randn(6, 4),
- index=list(string.ascii_letters[:6]),
- columns=['one', 'two', 'three', 'four'])
- with tm.assertRaises(ValueError):
- df.boxplot(return_type='NOTATYPE')
-
- with tm.assert_produces_warning(FutureWarning):
- result = df.boxplot()
- # change to Axes in future
- self._check_box_return_type(result, 'dict')
-
- with tm.assert_produces_warning(False):
- result = df.boxplot(return_type='dict')
- self._check_box_return_type(result, 'dict')
-
- with tm.assert_produces_warning(False):
- result = df.boxplot(return_type='axes')
- self._check_box_return_type(result, 'axes')
-
- with tm.assert_produces_warning(False):
- result = df.boxplot(return_type='both')
- self._check_box_return_type(result, 'both')
-
- @slow
- def test_boxplot_axis_limits(self):
-
- def _check_ax_limits(col, ax):
- y_min, y_max = ax.get_ylim()
- self.assertTrue(y_min <= col.min())
- self.assertTrue(y_max >= col.max())
-
- df = self.hist_df.copy()
- df['age'] = np.random.randint(1, 20, df.shape[0])
- # One full row
- height_ax, weight_ax = df.boxplot(['height', 'weight'], by='category')
- _check_ax_limits(df['height'], height_ax)
- _check_ax_limits(df['weight'], weight_ax)
- self.assertEqual(weight_ax._sharey, height_ax)
-
- # Two rows, one partial
- p = df.boxplot(['height', 'weight', 'age'], by='category')
- height_ax, weight_ax, age_ax = p[0, 0], p[0, 1], p[1, 0]
- dummy_ax = p[1, 1]
- _check_ax_limits(df['height'], height_ax)
- _check_ax_limits(df['weight'], weight_ax)
- _check_ax_limits(df['age'], age_ax)
- self.assertEqual(weight_ax._sharey, height_ax)
- self.assertEqual(age_ax._sharey, height_ax)
- self.assertIsNone(dummy_ax._sharey)
-
- @slow
- def test_boxplot_empty_column(self):
- _skip_if_mpl_14_or_dev_boxplot()
- df = DataFrame(np.random.randn(20, 4))
- df.loc[:, 0] = np.nan
- _check_plot_works(df.boxplot, return_type='axes')
-
@slow
def test_kde_df(self):
tm._skip_if_no_scipy()
@@ -2529,251 +2414,6 @@ def test_hist_df_coord(self):
self._check_box_coord(axes[2].patches, expected_x=np.array([0, 0, 0, 0, 0]),
expected_w=np.array([6, 7, 8, 9, 10]))
- @slow
- def test_hist_df_legacy(self):
- _check_plot_works(self.hist_df.hist)
-
- # make sure layout is handled
- df = DataFrame(randn(100, 3))
- axes = _check_plot_works(df.hist, grid=False)
- self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
- self.assertFalse(axes[1, 1].get_visible())
-
- df = DataFrame(randn(100, 1))
- _check_plot_works(df.hist)
-
- # make sure layout is handled
- df = DataFrame(randn(100, 6))
- axes = _check_plot_works(df.hist, layout=(4, 2))
- self._check_axes_shape(axes, axes_num=6, layout=(4, 2))
-
- # make sure sharex, sharey is handled
- _check_plot_works(df.hist, sharex=True, sharey=True)
-
- # handle figsize arg
- _check_plot_works(df.hist, figsize=(8, 10))
-
- # check bins argument
- _check_plot_works(df.hist, bins=5)
-
- # make sure xlabelsize and xrot are handled
- ser = df[0]
- xf, yf = 20, 18
- xrot, yrot = 30, 40
- axes = ser.hist(xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
- self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
- ylabelsize=yf, yrot=yrot)
-
- xf, yf = 20, 18
- xrot, yrot = 30, 40
- axes = df.hist(xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
- self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
- ylabelsize=yf, yrot=yrot)
-
- tm.close()
- # make sure kwargs to hist are handled
- ax = ser.hist(normed=True, cumulative=True, bins=4)
- # height of last bin (index 5) must be 1.0
- self.assertAlmostEqual(ax.get_children()[5].get_height(), 1.0)
-
- tm.close()
- ax = ser.hist(log=True)
- # scale of y must be 'log'
- self._check_ax_scales(ax, yaxis='log')
-
- tm.close()
-
- # propagate attr exception from matplotlib.Axes.hist
- with tm.assertRaises(AttributeError):
- ser.hist(foo='bar')
-
- @slow
- def test_hist_layout(self):
- df = DataFrame(randn(100, 3))
-
- layout_to_expected_size = (
- {'layout': None, 'expected_size': (2, 2)}, # default is 2x2
- {'layout': (2, 2), 'expected_size': (2, 2)},
- {'layout': (4, 1), 'expected_size': (4, 1)},
- {'layout': (1, 4), 'expected_size': (1, 4)},
- {'layout': (3, 3), 'expected_size': (3, 3)},
- {'layout': (-1, 4), 'expected_size': (1, 4)},
- {'layout': (4, -1), 'expected_size': (4, 1)},
- {'layout': (-1, 2), 'expected_size': (2, 2)},
- {'layout': (2, -1), 'expected_size': (2, 2)}
- )
-
- for layout_test in layout_to_expected_size:
- axes = df.hist(layout=layout_test['layout'])
- expected = layout_test['expected_size']
- self._check_axes_shape(axes, axes_num=3, layout=expected)
-
- # layout too small for all 4 plots
- with tm.assertRaises(ValueError):
- df.hist(layout=(1, 1))
-
- # invalid format for layout
- with tm.assertRaises(ValueError):
- df.hist(layout=(1,))
- with tm.assertRaises(ValueError):
- df.hist(layout=(-1, -1))
-
-
- @slow
- def test_scatter(self):
- tm._skip_if_no_scipy()
-
- df = DataFrame(randn(100, 2))
-
- def scat(**kwds):
- return plotting.scatter_matrix(df, **kwds)
-
- _check_plot_works(scat)
- _check_plot_works(scat, marker='+')
- _check_plot_works(scat, vmin=0)
- if _ok_for_gaussian_kde('kde'):
- _check_plot_works(scat, diagonal='kde')
- if _ok_for_gaussian_kde('density'):
- _check_plot_works(scat, diagonal='density')
- _check_plot_works(scat, diagonal='hist')
- _check_plot_works(scat, range_padding=.1)
-
- def scat2(x, y, by=None, ax=None, figsize=None):
- return plotting.scatter_plot(df, x, y, by, ax, figsize=None)
-
- _check_plot_works(scat2, 0, 1)
- grouper = Series(np.repeat([1, 2, 3, 4, 5], 20), df.index)
- _check_plot_works(scat2, 0, 1, by=grouper)
-
- def test_scatter_matrix_axis(self):
- tm._skip_if_no_scipy()
- scatter_matrix = plotting.scatter_matrix
-
- with tm.RNGContext(42):
- df = DataFrame(randn(100, 3))
-
- axes = _check_plot_works(scatter_matrix, df, range_padding=.1)
- axes0_labels = axes[0][0].yaxis.get_majorticklabels()
- # GH 5662
- expected = ['-2', '-1', '0', '1', '2']
- self._check_text_labels(axes0_labels, expected)
- self._check_ticks_props(axes, xlabelsize=8, xrot=90, ylabelsize=8, yrot=0)
-
- df[0] = ((df[0] - 2) / 3)
- axes = _check_plot_works(scatter_matrix, df, range_padding=.1)
- axes0_labels = axes[0][0].yaxis.get_majorticklabels()
- expected = ['-1.2', '-1.0', '-0.8', '-0.6', '-0.4', '-0.2', '0.0']
- self._check_text_labels(axes0_labels, expected)
- self._check_ticks_props(axes, xlabelsize=8, xrot=90, ylabelsize=8, yrot=0)
-
- @slow
- def test_andrews_curves(self):
- from pandas.tools.plotting import andrews_curves
- from matplotlib import cm
-
- df = self.iris
-
- _check_plot_works(andrews_curves, df, 'Name')
-
- rgba = ('#556270', '#4ECDC4', '#C7F464')
- ax = _check_plot_works(andrews_curves, df, 'Name', color=rgba)
- self._check_colors(ax.get_lines()[:10], linecolors=rgba, mapping=df['Name'][:10])
-
- cnames = ['dodgerblue', 'aquamarine', 'seagreen']
- ax = _check_plot_works(andrews_curves, df, 'Name', color=cnames)
- self._check_colors(ax.get_lines()[:10], linecolors=cnames, mapping=df['Name'][:10])
-
- ax = _check_plot_works(andrews_curves, df, 'Name', colormap=cm.jet)
- cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
- self._check_colors(ax.get_lines()[:10], linecolors=cmaps, mapping=df['Name'][:10])
-
- colors = ['b', 'g', 'r']
- df = DataFrame({"A": [1, 2, 3],
- "B": [1, 2, 3],
- "C": [1, 2, 3],
- "Name": colors})
- ax = andrews_curves(df, 'Name', color=colors)
- handles, labels = ax.get_legend_handles_labels()
- self._check_colors(handles, linecolors=colors)
-
- with tm.assert_produces_warning(FutureWarning):
- andrews_curves(data=df, class_column='Name')
-
- @slow
- def test_parallel_coordinates(self):
- from pandas.tools.plotting import parallel_coordinates
- from matplotlib import cm
-
- df = self.iris
-
- ax = _check_plot_works(parallel_coordinates, df, 'Name')
- nlines = len(ax.get_lines())
- nxticks = len(ax.xaxis.get_ticklabels())
-
- rgba = ('#556270', '#4ECDC4', '#C7F464')
- ax = _check_plot_works(parallel_coordinates, df, 'Name', color=rgba)
- self._check_colors(ax.get_lines()[:10], linecolors=rgba, mapping=df['Name'][:10])
-
- cnames = ['dodgerblue', 'aquamarine', 'seagreen']
- ax = _check_plot_works(parallel_coordinates, df, 'Name', color=cnames)
- self._check_colors(ax.get_lines()[:10], linecolors=cnames, mapping=df['Name'][:10])
-
- ax = _check_plot_works(parallel_coordinates, df, 'Name', colormap=cm.jet)
- cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
- self._check_colors(ax.get_lines()[:10], linecolors=cmaps, mapping=df['Name'][:10])
-
- ax = _check_plot_works(parallel_coordinates, df, 'Name', axvlines=False)
- assert len(ax.get_lines()) == (nlines - nxticks)
-
- colors = ['b', 'g', 'r']
- df = DataFrame({"A": [1, 2, 3],
- "B": [1, 2, 3],
- "C": [1, 2, 3],
- "Name": colors})
- ax = parallel_coordinates(df, 'Name', color=colors)
- handles, labels = ax.get_legend_handles_labels()
- self._check_colors(handles, linecolors=colors)
-
- with tm.assert_produces_warning(FutureWarning):
- parallel_coordinates(data=df, class_column='Name')
- with tm.assert_produces_warning(FutureWarning):
- parallel_coordinates(df, 'Name', colors=colors)
-
- @slow
- def test_radviz(self):
- from pandas.tools.plotting import radviz
- from matplotlib import cm
-
- df = self.iris
- _check_plot_works(radviz, df, 'Name')
-
- rgba = ('#556270', '#4ECDC4', '#C7F464')
- ax = _check_plot_works(radviz, df, 'Name', color=rgba)
- # skip Circle drawn as ticks
- patches = [p for p in ax.patches[:20] if p.get_label() != '']
- self._check_colors(patches[:10], facecolors=rgba, mapping=df['Name'][:10])
-
- cnames = ['dodgerblue', 'aquamarine', 'seagreen']
- _check_plot_works(radviz, df, 'Name', color=cnames)
- patches = [p for p in ax.patches[:20] if p.get_label() != '']
- self._check_colors(patches, facecolors=cnames, mapping=df['Name'][:10])
-
- _check_plot_works(radviz, df, 'Name', colormap=cm.jet)
- cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
- patches = [p for p in ax.patches[:20] if p.get_label() != '']
- self._check_colors(patches, facecolors=cmaps, mapping=df['Name'][:10])
-
- colors = [[0., 0., 1., 1.],
- [0., 0.5, 1., 1.],
- [1., 0., 0., 1.]]
- df = DataFrame({"A": [1, 2, 3],
- "B": [2, 1, 3],
- "C": [3, 2, 1],
- "Name": ['b', 'g', 'r']})
- ax = radviz(df, 'Name', color=colors)
- handles, labels = ax.get_legend_handles_labels()
- self._check_colors(handles, facecolors=colors)
-
@slow
def test_plot_int_columns(self):
df = DataFrame(randn(100, 4)).cumsum()
@@ -3522,399 +3162,12 @@ def test_sharey_and_ax(self):
self.assertTrue(ax.yaxis.get_label().get_visible(),
"y label is invisible but shouldn't")
-
@slow
def test_df_grid_settings(self):
# Make sure plot defaults to rcParams['axes.grid'] setting, GH 9792
self._check_grid_settings(DataFrame({'a':[1,2,3],'b':[2,3,4]}),
plotting._dataframe_kinds, kws={'x':'a','y':'b'})
-
-@tm.mplskip
-class TestDataFrameGroupByPlots(TestPlotBase):
-
- @slow
- def test_boxplot(self):
- grouped = self.hist_df.groupby(by='gender')
- with warnings.catch_warnings():
- warnings.simplefilter('ignore')
- axes = _check_plot_works(grouped.boxplot, return_type='axes')
- self._check_axes_shape(list(axes.values()), axes_num=2, layout=(1, 2))
-
- axes = _check_plot_works(grouped.boxplot, subplots=False,
- return_type='axes')
- self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
- tuples = lzip(string.ascii_letters[:10], range(10))
- df = DataFrame(np.random.rand(10, 3),
- index=MultiIndex.from_tuples(tuples))
-
- grouped = df.groupby(level=1)
- axes = _check_plot_works(grouped.boxplot, return_type='axes')
- self._check_axes_shape(list(axes.values()), axes_num=10, layout=(4, 3))
-
- axes = _check_plot_works(grouped.boxplot, subplots=False,
- return_type='axes')
- self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
-
- grouped = df.unstack(level=1).groupby(level=0, axis=1)
- axes = _check_plot_works(grouped.boxplot, return_type='axes')
- self._check_axes_shape(list(axes.values()), axes_num=3, layout=(2, 2))
-
- axes = _check_plot_works(grouped.boxplot, subplots=False,
- return_type='axes')
- self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
-
- @slow
- def test_grouped_plot_fignums(self):
- n = 10
- weight = Series(np.random.normal(166, 20, size=n))
- height = Series(np.random.normal(60, 10, size=n))
- with tm.RNGContext(42):
- gender = tm.choice(['male', 'female'], size=n)
- df = DataFrame({'height': height, 'weight': weight, 'gender': gender})
- gb = df.groupby('gender')
-
- res = gb.plot()
- self.assertEqual(len(self.plt.get_fignums()), 2)
- self.assertEqual(len(res), 2)
- tm.close()
-
- res = gb.boxplot(return_type='axes')
- self.assertEqual(len(self.plt.get_fignums()), 1)
- self.assertEqual(len(res), 2)
- tm.close()
-
- # now works with GH 5610 as gender is excluded
- res = df.groupby('gender').hist()
- tm.close()
-
- def test_series_plot_color_kwargs(self):
- # GH1890
- ax = Series(np.arange(12) + 1).plot(color='green')
- self._check_colors(ax.get_lines(), linecolors=['green'])
-
- def test_time_series_plot_color_kwargs(self):
- # #1890
- ax = Series(np.arange(12) + 1, index=date_range(
- '1/1/2000', periods=12)).plot(color='green')
- self._check_colors(ax.get_lines(), linecolors=['green'])
-
- def test_time_series_plot_color_with_empty_kwargs(self):
- import matplotlib as mpl
-
- def_colors = mpl.rcParams['axes.color_cycle']
- index = date_range('1/1/2000', periods=12)
- s = Series(np.arange(1, 13), index=index)
-
- ncolors = 3
-
- for i in range(ncolors):
- ax = s.plot()
- self._check_colors(ax.get_lines(), linecolors=def_colors[:ncolors])
-
- @slow
- def test_grouped_hist(self):
- df = DataFrame(randn(500, 2), columns=['A', 'B'])
- df['C'] = np.random.randint(0, 4, 500)
- df['D'] = ['X'] * 500
-
- axes = plotting.grouped_hist(df.A, by=df.C)
- self._check_axes_shape(axes, axes_num=4, layout=(2, 2))
-
- tm.close()
- axes = df.hist(by=df.C)
- self._check_axes_shape(axes, axes_num=4, layout=(2, 2))
-
- tm.close()
- # group by a key with single value
- axes = df.hist(by='D', rot=30)
- self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
- self._check_ticks_props(axes, xrot=30)
-
- tm.close()
- # make sure kwargs to hist are handled
- xf, yf = 20, 18
- xrot, yrot = 30, 40
- axes = plotting.grouped_hist(df.A, by=df.C, normed=True,
- cumulative=True, bins=4,
- xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
- # height of last bin (index 5) must be 1.0
- for ax in axes.ravel():
- height = ax.get_children()[5].get_height()
- self.assertAlmostEqual(height, 1.0)
- self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
- ylabelsize=yf, yrot=yrot)
-
- tm.close()
- axes = plotting.grouped_hist(df.A, by=df.C, log=True)
- # scale of y must be 'log'
- self._check_ax_scales(axes, yaxis='log')
-
- tm.close()
- # propagate attr exception from matplotlib.Axes.hist
- with tm.assertRaises(AttributeError):
- plotting.grouped_hist(df.A, by=df.C, foo='bar')
-
- with tm.assert_produces_warning(FutureWarning):
- df.hist(by='C', figsize='default')
-
- @slow
- def test_grouped_hist2(self):
- n = 10
- weight = Series(np.random.normal(166, 20, size=n))
- height = Series(np.random.normal(60, 10, size=n))
- with tm.RNGContext(42):
- gender_int = tm.choice([0, 1], size=n)
- df_int = DataFrame({'height': height, 'weight': weight,
- 'gender': gender_int})
- gb = df_int.groupby('gender')
- axes = gb.hist()
- self.assertEqual(len(axes), 2)
- self.assertEqual(len(self.plt.get_fignums()), 2)
- tm.close()
-
- @slow
- def test_grouped_box_return_type(self):
- df = self.hist_df
-
- # old style: return_type=None
- result = df.boxplot(by='gender')
- self.assertIsInstance(result, np.ndarray)
- self._check_box_return_type(result, None,
- expected_keys=['height', 'weight', 'category'])
-
- # now for groupby
- with tm.assert_produces_warning(FutureWarning):
- result = df.groupby('gender').boxplot()
- self._check_box_return_type(result, 'dict', expected_keys=['Male', 'Female'])
-
- columns2 = 'X B C D A G Y N Q O'.split()
- df2 = DataFrame(random.randn(50, 10), columns=columns2)
- categories2 = 'A B C D E F G H I J'.split()
- df2['category'] = categories2 * 5
-
- for t in ['dict', 'axes', 'both']:
- returned = df.groupby('classroom').boxplot(return_type=t)
- self._check_box_return_type(returned, t, expected_keys=['A', 'B', 'C'])
-
- returned = df.boxplot(by='classroom', return_type=t)
- self._check_box_return_type(returned, t,
- expected_keys=['height', 'weight', 'category'])
-
- returned = df2.groupby('category').boxplot(return_type=t)
- self._check_box_return_type(returned, t, expected_keys=categories2)
-
- returned = df2.boxplot(by='category', return_type=t)
- self._check_box_return_type(returned, t, expected_keys=columns2)
-
- @slow
- def test_grouped_box_layout(self):
- df = self.hist_df
-
- self.assertRaises(ValueError, df.boxplot, column=['weight', 'height'],
- by=df.gender, layout=(1, 1))
- self.assertRaises(ValueError, df.boxplot, column=['height', 'weight', 'category'],
- layout=(2, 1), return_type='dict')
- self.assertRaises(ValueError, df.boxplot, column=['weight', 'height'],
- by=df.gender, layout=(-1, -1))
-
- box = _check_plot_works(df.groupby('gender').boxplot, column='height',
- return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=2, layout=(1, 2))
-
- box = _check_plot_works(df.groupby('category').boxplot, column='height',
- return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(2, 2))
-
- # GH 6769
- box = _check_plot_works(df.groupby('classroom').boxplot,
- column='height', return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
-
- # GH 5897
- axes = df.boxplot(column=['height', 'weight', 'category'], by='gender',
- return_type='axes')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
- for ax in [axes['height']]:
- self._check_visible(ax.get_xticklabels(), visible=False)
- self._check_visible([ax.xaxis.get_label()], visible=False)
- for ax in [axes['weight'], axes['category']]:
- self._check_visible(ax.get_xticklabels())
- self._check_visible([ax.xaxis.get_label()])
-
- box = df.groupby('classroom').boxplot(
- column=['height', 'weight', 'category'], return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
-
- box = _check_plot_works(df.groupby('category').boxplot, column='height',
- layout=(3, 2), return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(3, 2))
- box = _check_plot_works(df.groupby('category').boxplot, column='height',
- layout=(3, -1), return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(3, 2))
-
- box = df.boxplot(column=['height', 'weight', 'category'], by='gender',
- layout=(4, 1))
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(4, 1))
-
- box = df.boxplot(column=['height', 'weight', 'category'], by='gender',
- layout=(-1, 1))
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(3, 1))
-
- box = df.groupby('classroom').boxplot(
- column=['height', 'weight', 'category'], layout=(1, 4),
- return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(1, 4))
-
- box = df.groupby('classroom').boxplot(
- column=['height', 'weight', 'category'], layout=(1, -1),
- return_type='dict')
- self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(1, 3))
-
-
- @slow
- def test_grouped_box_multiple_axes(self):
- # GH 6970, GH 7069
- df = self.hist_df
-
- # check warning to ignore sharex / sharey
- # this check should be done in the first function which
- # passes multiple axes to plot, hist or boxplot
- # location should be changed if other test is added
- # which has earlier alphabetical order
- with tm.assert_produces_warning(UserWarning):
- fig, axes = self.plt.subplots(2, 2)
- df.groupby('category').boxplot(column='height', return_type='axes', ax=axes)
- self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(2, 2))
-
- fig, axes = self.plt.subplots(2, 3)
- with warnings.catch_warnings():
- warnings.simplefilter('ignore')
- returned = df.boxplot(column=['height', 'weight', 'category'],
- by='gender', return_type='axes', ax=axes[0])
- returned = np.array(list(returned.values()))
- self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
- self.assert_numpy_array_equal(returned, axes[0])
- self.assertIs(returned[0].figure, fig)
-
- # draw on second row
- with warnings.catch_warnings():
- warnings.simplefilter('ignore')
- returned = df.groupby('classroom').boxplot(
- column=['height', 'weight', 'category'],
- return_type='axes', ax=axes[1])
- returned = np.array(list(returned.values()))
- self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
- self.assert_numpy_array_equal(returned, axes[1])
- self.assertIs(returned[0].figure, fig)
-
- with tm.assertRaises(ValueError):
- fig, axes = self.plt.subplots(2, 3)
- # pass different number of axes from required
- axes = df.groupby('classroom').boxplot(ax=axes)
-
- @slow
- def test_grouped_hist_layout(self):
-
- df = self.hist_df
- self.assertRaises(ValueError, df.hist, column='weight', by=df.gender,
- layout=(1, 1))
- self.assertRaises(ValueError, df.hist, column='height', by=df.category,
- layout=(1, 3))
- self.assertRaises(ValueError, df.hist, column='height', by=df.category,
- layout=(-1, -1))
-
- axes = _check_plot_works(df.hist, column='height', by=df.gender,
- layout=(2, 1))
- self._check_axes_shape(axes, axes_num=2, layout=(2, 1))
-
- axes = _check_plot_works(df.hist, column='height', by=df.gender,
- layout=(2, -1))
- self._check_axes_shape(axes, axes_num=2, layout=(2, 1))
-
- axes = df.hist(column='height', by=df.category, layout=(4, 1))
- self._check_axes_shape(axes, axes_num=4, layout=(4, 1))
-
- axes = df.hist(column='height', by=df.category, layout=(-1, 1))
- self._check_axes_shape(axes, axes_num=4, layout=(4, 1))
-
- axes = df.hist(column='height', by=df.category, layout=(4, 2), figsize=(12, 8))
- self._check_axes_shape(axes, axes_num=4, layout=(4, 2), figsize=(12, 8))
- tm.close()
-
- # GH 6769
- axes = _check_plot_works(df.hist, column='height', by='classroom', layout=(2, 2))
- self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
-
- # without column
- axes = _check_plot_works(df.hist, by='classroom')
- self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
-
- axes = df.hist(by='gender', layout=(3, 5))
- self._check_axes_shape(axes, axes_num=2, layout=(3, 5))
-
- axes = df.hist(column=['height', 'weight', 'category'])
- self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
-
- @slow
- def test_grouped_hist_multiple_axes(self):
- # GH 6970, GH 7069
- df = self.hist_df
-
- fig, axes = self.plt.subplots(2, 3)
- returned = df.hist(column=['height', 'weight', 'category'], ax=axes[0])
- self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
- self.assert_numpy_array_equal(returned, axes[0])
- self.assertIs(returned[0].figure, fig)
- returned = df.hist(by='classroom', ax=axes[1])
- self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
- self.assert_numpy_array_equal(returned, axes[1])
- self.assertIs(returned[0].figure, fig)
-
- with tm.assertRaises(ValueError):
- fig, axes = self.plt.subplots(2, 3)
- # pass different number of axes from required
- axes = df.hist(column='height', ax=axes)
- @slow
- def test_axis_share_x(self):
- df = self.hist_df
- # GH4089
- ax1, ax2 = df.hist(column='height', by=df.gender, sharex=True)
-
- # share x
- self.assertTrue(ax1._shared_x_axes.joined(ax1, ax2))
- self.assertTrue(ax2._shared_x_axes.joined(ax1, ax2))
-
- # don't share y
- self.assertFalse(ax1._shared_y_axes.joined(ax1, ax2))
- self.assertFalse(ax2._shared_y_axes.joined(ax1, ax2))
-
- @slow
- def test_axis_share_y(self):
- df = self.hist_df
- ax1, ax2 = df.hist(column='height', by=df.gender, sharey=True)
-
- # share y
- self.assertTrue(ax1._shared_y_axes.joined(ax1, ax2))
- self.assertTrue(ax2._shared_y_axes.joined(ax1, ax2))
-
- # don't share x
- self.assertFalse(ax1._shared_x_axes.joined(ax1, ax2))
- self.assertFalse(ax2._shared_x_axes.joined(ax1, ax2))
-
- @slow
- def test_axis_share_xy(self):
- df = self.hist_df
- ax1, ax2 = df.hist(column='height', by=df.gender, sharex=True,
- sharey=True)
-
- # share both x and y
- self.assertTrue(ax1._shared_x_axes.joined(ax1, ax2))
- self.assertTrue(ax2._shared_x_axes.joined(ax1, ax2))
-
- self.assertTrue(ax1._shared_y_axes.joined(ax1, ax2))
- self.assertTrue(ax2._shared_y_axes.joined(ax1, ax2))
-
def test_option_mpl_style(self):
set_option('display.mpl_style', 'default')
set_option('display.mpl_style', None)
@@ -3929,6 +3182,10 @@ def test_invalid_colormap(self):
with tm.assertRaises(ValueError):
df.plot(colormap='invalid_colormap')
+
+@tm.mplskip
+class TestDataFrameGroupByPlots(TestPlotBase):
+
def test_series_groupby_plotting_nominally_works(self):
n = 10
weight = Series(np.random.normal(166, 20, size=n))
diff --git a/pandas/tests/test_graphics_others.py b/pandas/tests/test_graphics_others.py
new file mode 100644
index 0000000000000..f461a8ab624dc
--- /dev/null
+++ b/pandas/tests/test_graphics_others.py
@@ -0,0 +1,913 @@
+#!/usr/bin/env python
+# coding: utf-8
+
+import nose
+import itertools
+import os
+import string
+import warnings
+from distutils.version import LooseVersion
+
+from datetime import datetime, date
+
+from pandas import (Series, DataFrame, MultiIndex, PeriodIndex, date_range,
+ bdate_range)
+from pandas.compat import (range, lrange, StringIO, lmap, lzip, u, zip,
+ iteritems, OrderedDict, PY3)
+from pandas.util.decorators import cache_readonly
+import pandas.core.common as com
+import pandas.util.testing as tm
+from pandas.util.testing import ensure_clean
+from pandas.core.config import set_option
+
+
+import numpy as np
+from numpy import random
+from numpy.random import rand, randn
+
+from numpy.testing import assert_array_equal, assert_allclose
+from numpy.testing.decorators import slow
+import pandas.tools.plotting as plotting
+
+from pandas.tests.test_graphics import (TestPlotBase, _check_plot_works,
+ curpath, _ok_for_gaussian_kde)
+
+
+"""
+These tests are for ``DataFrame.hist``, ``DataFrame.boxplot`` and
+other miscellaneous plots.
+`Dataframe.plot`` and ``Series.plot`` are tested in test_graphics.py
+"""
+
+
+def _skip_if_mpl_14_or_dev_boxplot():
+ # GH 8382
+ # Boxplot failures on 1.4 and 1.4.1
+ # Don't need try / except since that's done at class level
+ import matplotlib
+ if str(matplotlib.__version__) >= LooseVersion('1.4'):
+ raise nose.SkipTest("Matplotlib Regression in 1.4 and current dev.")
+
+
+@tm.mplskip
+class TestSeriesPlots(TestPlotBase):
+
+ def setUp(self):
+ TestPlotBase.setUp(self)
+ import matplotlib as mpl
+ mpl.rcdefaults()
+
+ self.ts = tm.makeTimeSeries()
+ self.ts.name = 'ts'
+
+ self.series = tm.makeStringSeries()
+ self.series.name = 'series'
+
+ self.iseries = tm.makePeriodSeries()
+ self.iseries.name = 'iseries'
+
+ @slow
+ def test_hist_legacy(self):
+ _check_plot_works(self.ts.hist)
+ _check_plot_works(self.ts.hist, grid=False)
+ _check_plot_works(self.ts.hist, figsize=(8, 10))
+ _check_plot_works(self.ts.hist, by=self.ts.index.month)
+ _check_plot_works(self.ts.hist, by=self.ts.index.month, bins=5)
+
+ fig, ax = self.plt.subplots(1, 1)
+ _check_plot_works(self.ts.hist, ax=ax)
+ _check_plot_works(self.ts.hist, ax=ax, figure=fig)
+ _check_plot_works(self.ts.hist, figure=fig)
+ tm.close()
+
+ fig, (ax1, ax2) = self.plt.subplots(1, 2)
+ _check_plot_works(self.ts.hist, figure=fig, ax=ax1)
+ _check_plot_works(self.ts.hist, figure=fig, ax=ax2)
+
+ with tm.assertRaises(ValueError):
+ self.ts.hist(by=self.ts.index, figure=fig)
+
+ @slow
+ def test_hist_bins_legacy(self):
+ df = DataFrame(np.random.randn(10, 2))
+ ax = df.hist(bins=2)[0][0]
+ self.assertEqual(len(ax.patches), 2)
+
+ @slow
+ def test_hist_layout(self):
+ df = self.hist_df
+ with tm.assertRaises(ValueError):
+ df.height.hist(layout=(1, 1))
+
+ with tm.assertRaises(ValueError):
+ df.height.hist(layout=[1, 1])
+
+ @slow
+ def test_hist_layout_with_by(self):
+ df = self.hist_df
+
+ axes = _check_plot_works(df.height.hist, by=df.gender, layout=(2, 1))
+ self._check_axes_shape(axes, axes_num=2, layout=(2, 1))
+
+ axes = _check_plot_works(df.height.hist, by=df.gender, layout=(3, -1))
+ self._check_axes_shape(axes, axes_num=2, layout=(3, 1))
+
+ axes = _check_plot_works(df.height.hist, by=df.category, layout=(4, 1))
+ self._check_axes_shape(axes, axes_num=4, layout=(4, 1))
+
+ axes = _check_plot_works(df.height.hist, by=df.category, layout=(2, -1))
+ self._check_axes_shape(axes, axes_num=4, layout=(2, 2))
+
+ axes = _check_plot_works(df.height.hist, by=df.category, layout=(3, -1))
+ self._check_axes_shape(axes, axes_num=4, layout=(3, 2))
+
+ axes = _check_plot_works(df.height.hist, by=df.category, layout=(-1, 4))
+ self._check_axes_shape(axes, axes_num=4, layout=(1, 4))
+
+ axes = _check_plot_works(df.height.hist, by=df.classroom, layout=(2, 2))
+ self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
+
+ axes = df.height.hist(by=df.category, layout=(4, 2), figsize=(12, 7))
+ self._check_axes_shape(axes, axes_num=4, layout=(4, 2), figsize=(12, 7))
+
+ @slow
+ def test_hist_no_overlap(self):
+ from matplotlib.pyplot import subplot, gcf
+ x = Series(randn(2))
+ y = Series(randn(2))
+ subplot(121)
+ x.hist()
+ subplot(122)
+ y.hist()
+ fig = gcf()
+ axes = fig.get_axes()
+ self.assertEqual(len(axes), 2)
+
+ @slow
+ def test_hist_by_no_extra_plots(self):
+ df = self.hist_df
+ axes = df.height.hist(by=df.gender)
+ self.assertEqual(len(self.plt.get_fignums()), 1)
+
+ @slow
+ def test_plot_fails_when_ax_differs_from_figure(self):
+ from pylab import figure
+ fig1 = figure()
+ fig2 = figure()
+ ax1 = fig1.add_subplot(111)
+ with tm.assertRaises(AssertionError):
+ self.ts.hist(ax=ax1, figure=fig2)
+
+ @slow
+ def test_autocorrelation_plot(self):
+ from pandas.tools.plotting import autocorrelation_plot
+ _check_plot_works(autocorrelation_plot, self.ts)
+ _check_plot_works(autocorrelation_plot, self.ts.values)
+
+ ax = autocorrelation_plot(self.ts, label='Test')
+ self._check_legend_labels(ax, labels=['Test'])
+
+ @slow
+ def test_lag_plot(self):
+ from pandas.tools.plotting import lag_plot
+ _check_plot_works(lag_plot, self.ts)
+ _check_plot_works(lag_plot, self.ts, lag=5)
+
+ @slow
+ def test_bootstrap_plot(self):
+ from pandas.tools.plotting import bootstrap_plot
+ _check_plot_works(bootstrap_plot, self.ts, size=10)
+
+
+@tm.mplskip
+class TestDataFramePlots(TestPlotBase):
+
+ def setUp(self):
+ TestPlotBase.setUp(self)
+ import matplotlib as mpl
+ mpl.rcdefaults()
+
+ self.tdf = tm.makeTimeDataFrame()
+ self.hexbin_df = DataFrame({"A": np.random.uniform(size=20),
+ "B": np.random.uniform(size=20),
+ "C": np.arange(20) + np.random.uniform(size=20)})
+
+ from pandas import read_csv
+ path = os.path.join(curpath(), 'data', 'iris.csv')
+ self.iris = read_csv(path)
+
+ @slow
+ def test_boxplot_legacy(self):
+ df = DataFrame(randn(6, 4),
+ index=list(string.ascii_letters[:6]),
+ columns=['one', 'two', 'three', 'four'])
+ df['indic'] = ['foo', 'bar'] * 3
+ df['indic2'] = ['foo', 'bar', 'foo'] * 2
+
+ _check_plot_works(df.boxplot, return_type='dict')
+ _check_plot_works(df.boxplot, column=['one', 'two'], return_type='dict')
+ _check_plot_works(df.boxplot, column=['one', 'two'], by='indic')
+ _check_plot_works(df.boxplot, column='one', by=['indic', 'indic2'])
+ _check_plot_works(df.boxplot, by='indic')
+ _check_plot_works(df.boxplot, by=['indic', 'indic2'])
+ _check_plot_works(plotting.boxplot, df['one'], return_type='dict')
+ _check_plot_works(df.boxplot, notch=1, return_type='dict')
+ _check_plot_works(df.boxplot, by='indic', notch=1)
+
+ df = DataFrame(np.random.rand(10, 2), columns=['Col1', 'Col2'])
+ df['X'] = Series(['A', 'A', 'A', 'A', 'A', 'B', 'B', 'B', 'B', 'B'])
+ df['Y'] = Series(['A'] * 10)
+ _check_plot_works(df.boxplot, by='X')
+
+ # When ax is supplied and required number of axes is 1,
+ # passed ax should be used:
+ fig, ax = self.plt.subplots()
+ axes = df.boxplot('Col1', by='X', ax=ax)
+ self.assertIs(ax.get_axes(), axes)
+
+ fig, ax = self.plt.subplots()
+ axes = df.groupby('Y').boxplot(ax=ax, return_type='axes')
+ self.assertIs(ax.get_axes(), axes['A'])
+
+ # Multiple columns with an ax argument should use same figure
+ fig, ax = self.plt.subplots()
+ axes = df.boxplot(column=['Col1', 'Col2'], by='X', ax=ax, return_type='axes')
+ self.assertIs(axes['Col1'].get_figure(), fig)
+
+ # When by is None, check that all relevant lines are present in the dict
+ fig, ax = self.plt.subplots()
+ d = df.boxplot(ax=ax, return_type='dict')
+ lines = list(itertools.chain.from_iterable(d.values()))
+ self.assertEqual(len(ax.get_lines()), len(lines))
+
+ @slow
+ def test_boxplot_return_type_legacy(self):
+ # API change in https://github.com/pydata/pandas/pull/7096
+ import matplotlib as mpl
+
+ df = DataFrame(randn(6, 4),
+ index=list(string.ascii_letters[:6]),
+ columns=['one', 'two', 'three', 'four'])
+ with tm.assertRaises(ValueError):
+ df.boxplot(return_type='NOTATYPE')
+
+ with tm.assert_produces_warning(FutureWarning):
+ result = df.boxplot()
+ # change to Axes in future
+ self._check_box_return_type(result, 'dict')
+
+ with tm.assert_produces_warning(False):
+ result = df.boxplot(return_type='dict')
+ self._check_box_return_type(result, 'dict')
+
+ with tm.assert_produces_warning(False):
+ result = df.boxplot(return_type='axes')
+ self._check_box_return_type(result, 'axes')
+
+ with tm.assert_produces_warning(False):
+ result = df.boxplot(return_type='both')
+ self._check_box_return_type(result, 'both')
+
+ @slow
+ def test_boxplot_axis_limits(self):
+
+ def _check_ax_limits(col, ax):
+ y_min, y_max = ax.get_ylim()
+ self.assertTrue(y_min <= col.min())
+ self.assertTrue(y_max >= col.max())
+
+ df = self.hist_df.copy()
+ df['age'] = np.random.randint(1, 20, df.shape[0])
+ # One full row
+ height_ax, weight_ax = df.boxplot(['height', 'weight'], by='category')
+ _check_ax_limits(df['height'], height_ax)
+ _check_ax_limits(df['weight'], weight_ax)
+ self.assertEqual(weight_ax._sharey, height_ax)
+
+ # Two rows, one partial
+ p = df.boxplot(['height', 'weight', 'age'], by='category')
+ height_ax, weight_ax, age_ax = p[0, 0], p[0, 1], p[1, 0]
+ dummy_ax = p[1, 1]
+ _check_ax_limits(df['height'], height_ax)
+ _check_ax_limits(df['weight'], weight_ax)
+ _check_ax_limits(df['age'], age_ax)
+ self.assertEqual(weight_ax._sharey, height_ax)
+ self.assertEqual(age_ax._sharey, height_ax)
+ self.assertIsNone(dummy_ax._sharey)
+
+ @slow
+ def test_boxplot_empty_column(self):
+ _skip_if_mpl_14_or_dev_boxplot()
+ df = DataFrame(np.random.randn(20, 4))
+ df.loc[:, 0] = np.nan
+ _check_plot_works(df.boxplot, return_type='axes')
+
+ @slow
+ def test_hist_df_legacy(self):
+ _check_plot_works(self.hist_df.hist)
+
+ # make sure layout is handled
+ df = DataFrame(randn(100, 3))
+ axes = _check_plot_works(df.hist, grid=False)
+ self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
+ self.assertFalse(axes[1, 1].get_visible())
+
+ df = DataFrame(randn(100, 1))
+ _check_plot_works(df.hist)
+
+ # make sure layout is handled
+ df = DataFrame(randn(100, 6))
+ axes = _check_plot_works(df.hist, layout=(4, 2))
+ self._check_axes_shape(axes, axes_num=6, layout=(4, 2))
+
+ # make sure sharex, sharey is handled
+ _check_plot_works(df.hist, sharex=True, sharey=True)
+
+ # handle figsize arg
+ _check_plot_works(df.hist, figsize=(8, 10))
+
+ # check bins argument
+ _check_plot_works(df.hist, bins=5)
+
+ # make sure xlabelsize and xrot are handled
+ ser = df[0]
+ xf, yf = 20, 18
+ xrot, yrot = 30, 40
+ axes = ser.hist(xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
+ self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
+ ylabelsize=yf, yrot=yrot)
+
+ xf, yf = 20, 18
+ xrot, yrot = 30, 40
+ axes = df.hist(xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
+ self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
+ ylabelsize=yf, yrot=yrot)
+
+ tm.close()
+ # make sure kwargs to hist are handled
+ ax = ser.hist(normed=True, cumulative=True, bins=4)
+ # height of last bin (index 5) must be 1.0
+ self.assertAlmostEqual(ax.get_children()[5].get_height(), 1.0)
+
+ tm.close()
+ ax = ser.hist(log=True)
+ # scale of y must be 'log'
+ self._check_ax_scales(ax, yaxis='log')
+
+ tm.close()
+
+ # propagate attr exception from matplotlib.Axes.hist
+ with tm.assertRaises(AttributeError):
+ ser.hist(foo='bar')
+
+ @slow
+ def test_hist_layout(self):
+ df = DataFrame(randn(100, 3))
+
+ layout_to_expected_size = (
+ {'layout': None, 'expected_size': (2, 2)}, # default is 2x2
+ {'layout': (2, 2), 'expected_size': (2, 2)},
+ {'layout': (4, 1), 'expected_size': (4, 1)},
+ {'layout': (1, 4), 'expected_size': (1, 4)},
+ {'layout': (3, 3), 'expected_size': (3, 3)},
+ {'layout': (-1, 4), 'expected_size': (1, 4)},
+ {'layout': (4, -1), 'expected_size': (4, 1)},
+ {'layout': (-1, 2), 'expected_size': (2, 2)},
+ {'layout': (2, -1), 'expected_size': (2, 2)}
+ )
+
+ for layout_test in layout_to_expected_size:
+ axes = df.hist(layout=layout_test['layout'])
+ expected = layout_test['expected_size']
+ self._check_axes_shape(axes, axes_num=3, layout=expected)
+
+ # layout too small for all 4 plots
+ with tm.assertRaises(ValueError):
+ df.hist(layout=(1, 1))
+
+ # invalid format for layout
+ with tm.assertRaises(ValueError):
+ df.hist(layout=(1,))
+ with tm.assertRaises(ValueError):
+ df.hist(layout=(-1, -1))
+
+ @slow
+ def test_scatter_plot_legacy(self):
+ tm._skip_if_no_scipy()
+
+ df = DataFrame(randn(100, 2))
+
+ def scat(**kwds):
+ return plotting.scatter_matrix(df, **kwds)
+
+ _check_plot_works(scat)
+ _check_plot_works(scat, marker='+')
+ _check_plot_works(scat, vmin=0)
+ if _ok_for_gaussian_kde('kde'):
+ _check_plot_works(scat, diagonal='kde')
+ if _ok_for_gaussian_kde('density'):
+ _check_plot_works(scat, diagonal='density')
+ _check_plot_works(scat, diagonal='hist')
+ _check_plot_works(scat, range_padding=.1)
+
+ def scat2(x, y, by=None, ax=None, figsize=None):
+ return plotting.scatter_plot(df, x, y, by, ax, figsize=None)
+
+ _check_plot_works(scat2, 0, 1)
+ grouper = Series(np.repeat([1, 2, 3, 4, 5], 20), df.index)
+ _check_plot_works(scat2, 0, 1, by=grouper)
+
+ def test_scatter_matrix_axis(self):
+ tm._skip_if_no_scipy()
+ scatter_matrix = plotting.scatter_matrix
+
+ with tm.RNGContext(42):
+ df = DataFrame(randn(100, 3))
+
+ axes = _check_plot_works(scatter_matrix, df, range_padding=.1)
+ axes0_labels = axes[0][0].yaxis.get_majorticklabels()
+ # GH 5662
+ expected = ['-2', '-1', '0', '1', '2']
+ self._check_text_labels(axes0_labels, expected)
+ self._check_ticks_props(axes, xlabelsize=8, xrot=90, ylabelsize=8, yrot=0)
+
+ df[0] = ((df[0] - 2) / 3)
+ axes = _check_plot_works(scatter_matrix, df, range_padding=.1)
+ axes0_labels = axes[0][0].yaxis.get_majorticklabels()
+ expected = ['-1.2', '-1.0', '-0.8', '-0.6', '-0.4', '-0.2', '0.0']
+ self._check_text_labels(axes0_labels, expected)
+ self._check_ticks_props(axes, xlabelsize=8, xrot=90, ylabelsize=8, yrot=0)
+
+ @slow
+ def test_andrews_curves(self):
+ from pandas.tools.plotting import andrews_curves
+ from matplotlib import cm
+
+ df = self.iris
+
+ _check_plot_works(andrews_curves, df, 'Name')
+
+ rgba = ('#556270', '#4ECDC4', '#C7F464')
+ ax = _check_plot_works(andrews_curves, df, 'Name', color=rgba)
+ self._check_colors(ax.get_lines()[:10], linecolors=rgba, mapping=df['Name'][:10])
+
+ cnames = ['dodgerblue', 'aquamarine', 'seagreen']
+ ax = _check_plot_works(andrews_curves, df, 'Name', color=cnames)
+ self._check_colors(ax.get_lines()[:10], linecolors=cnames, mapping=df['Name'][:10])
+
+ ax = _check_plot_works(andrews_curves, df, 'Name', colormap=cm.jet)
+ cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
+ self._check_colors(ax.get_lines()[:10], linecolors=cmaps, mapping=df['Name'][:10])
+
+ colors = ['b', 'g', 'r']
+ df = DataFrame({"A": [1, 2, 3],
+ "B": [1, 2, 3],
+ "C": [1, 2, 3],
+ "Name": colors})
+ ax = andrews_curves(df, 'Name', color=colors)
+ handles, labels = ax.get_legend_handles_labels()
+ self._check_colors(handles, linecolors=colors)
+
+ with tm.assert_produces_warning(FutureWarning):
+ andrews_curves(data=df, class_column='Name')
+
+ @slow
+ def test_parallel_coordinates(self):
+ from pandas.tools.plotting import parallel_coordinates
+ from matplotlib import cm
+
+ df = self.iris
+
+ ax = _check_plot_works(parallel_coordinates, df, 'Name')
+ nlines = len(ax.get_lines())
+ nxticks = len(ax.xaxis.get_ticklabels())
+
+ rgba = ('#556270', '#4ECDC4', '#C7F464')
+ ax = _check_plot_works(parallel_coordinates, df, 'Name', color=rgba)
+ self._check_colors(ax.get_lines()[:10], linecolors=rgba, mapping=df['Name'][:10])
+
+ cnames = ['dodgerblue', 'aquamarine', 'seagreen']
+ ax = _check_plot_works(parallel_coordinates, df, 'Name', color=cnames)
+ self._check_colors(ax.get_lines()[:10], linecolors=cnames, mapping=df['Name'][:10])
+
+ ax = _check_plot_works(parallel_coordinates, df, 'Name', colormap=cm.jet)
+ cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
+ self._check_colors(ax.get_lines()[:10], linecolors=cmaps, mapping=df['Name'][:10])
+
+ ax = _check_plot_works(parallel_coordinates, df, 'Name', axvlines=False)
+ assert len(ax.get_lines()) == (nlines - nxticks)
+
+ colors = ['b', 'g', 'r']
+ df = DataFrame({"A": [1, 2, 3],
+ "B": [1, 2, 3],
+ "C": [1, 2, 3],
+ "Name": colors})
+ ax = parallel_coordinates(df, 'Name', color=colors)
+ handles, labels = ax.get_legend_handles_labels()
+ self._check_colors(handles, linecolors=colors)
+
+ with tm.assert_produces_warning(FutureWarning):
+ parallel_coordinates(data=df, class_column='Name')
+ with tm.assert_produces_warning(FutureWarning):
+ parallel_coordinates(df, 'Name', colors=colors)
+
+ @slow
+ def test_radviz(self):
+ from pandas.tools.plotting import radviz
+ from matplotlib import cm
+
+ df = self.iris
+ _check_plot_works(radviz, df, 'Name')
+
+ rgba = ('#556270', '#4ECDC4', '#C7F464')
+ ax = _check_plot_works(radviz, df, 'Name', color=rgba)
+ # skip Circle drawn as ticks
+ patches = [p for p in ax.patches[:20] if p.get_label() != '']
+ self._check_colors(patches[:10], facecolors=rgba, mapping=df['Name'][:10])
+
+ cnames = ['dodgerblue', 'aquamarine', 'seagreen']
+ _check_plot_works(radviz, df, 'Name', color=cnames)
+ patches = [p for p in ax.patches[:20] if p.get_label() != '']
+ self._check_colors(patches, facecolors=cnames, mapping=df['Name'][:10])
+
+ _check_plot_works(radviz, df, 'Name', colormap=cm.jet)
+ cmaps = lmap(cm.jet, np.linspace(0, 1, df['Name'].nunique()))
+ patches = [p for p in ax.patches[:20] if p.get_label() != '']
+ self._check_colors(patches, facecolors=cmaps, mapping=df['Name'][:10])
+
+ colors = [[0., 0., 1., 1.],
+ [0., 0.5, 1., 1.],
+ [1., 0., 0., 1.]]
+ df = DataFrame({"A": [1, 2, 3],
+ "B": [2, 1, 3],
+ "C": [3, 2, 1],
+ "Name": ['b', 'g', 'r']})
+ ax = radviz(df, 'Name', color=colors)
+ handles, labels = ax.get_legend_handles_labels()
+ self._check_colors(handles, facecolors=colors)
+
+
+@tm.mplskip
+class TestDataFrameGroupByPlots(TestPlotBase):
+
+ @slow
+ def test_boxplot_legacy(self):
+ grouped = self.hist_df.groupby(by='gender')
+ with warnings.catch_warnings():
+ warnings.simplefilter('ignore')
+ axes = _check_plot_works(grouped.boxplot, return_type='axes')
+ self._check_axes_shape(list(axes.values()), axes_num=2, layout=(1, 2))
+
+ axes = _check_plot_works(grouped.boxplot, subplots=False,
+ return_type='axes')
+ self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
+ tuples = lzip(string.ascii_letters[:10], range(10))
+ df = DataFrame(np.random.rand(10, 3),
+ index=MultiIndex.from_tuples(tuples))
+
+ grouped = df.groupby(level=1)
+ axes = _check_plot_works(grouped.boxplot, return_type='axes')
+ self._check_axes_shape(list(axes.values()), axes_num=10, layout=(4, 3))
+
+ axes = _check_plot_works(grouped.boxplot, subplots=False,
+ return_type='axes')
+ self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
+
+ grouped = df.unstack(level=1).groupby(level=0, axis=1)
+ axes = _check_plot_works(grouped.boxplot, return_type='axes')
+ self._check_axes_shape(list(axes.values()), axes_num=3, layout=(2, 2))
+
+ axes = _check_plot_works(grouped.boxplot, subplots=False,
+ return_type='axes')
+ self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
+
+ @slow
+ def test_grouped_plot_fignums(self):
+ n = 10
+ weight = Series(np.random.normal(166, 20, size=n))
+ height = Series(np.random.normal(60, 10, size=n))
+ with tm.RNGContext(42):
+ gender = tm.choice(['male', 'female'], size=n)
+ df = DataFrame({'height': height, 'weight': weight, 'gender': gender})
+ gb = df.groupby('gender')
+
+ res = gb.plot()
+ self.assertEqual(len(self.plt.get_fignums()), 2)
+ self.assertEqual(len(res), 2)
+ tm.close()
+
+ res = gb.boxplot(return_type='axes')
+ self.assertEqual(len(self.plt.get_fignums()), 1)
+ self.assertEqual(len(res), 2)
+ tm.close()
+
+ # now works with GH 5610 as gender is excluded
+ res = df.groupby('gender').hist()
+ tm.close()
+
+ @slow
+ def test_grouped_hist_legacy(self):
+ df = DataFrame(randn(500, 2), columns=['A', 'B'])
+ df['C'] = np.random.randint(0, 4, 500)
+ df['D'] = ['X'] * 500
+
+ axes = plotting.grouped_hist(df.A, by=df.C)
+ self._check_axes_shape(axes, axes_num=4, layout=(2, 2))
+
+ tm.close()
+ axes = df.hist(by=df.C)
+ self._check_axes_shape(axes, axes_num=4, layout=(2, 2))
+
+ tm.close()
+ # group by a key with single value
+ axes = df.hist(by='D', rot=30)
+ self._check_axes_shape(axes, axes_num=1, layout=(1, 1))
+ self._check_ticks_props(axes, xrot=30)
+
+ tm.close()
+ # make sure kwargs to hist are handled
+ xf, yf = 20, 18
+ xrot, yrot = 30, 40
+ axes = plotting.grouped_hist(df.A, by=df.C, normed=True,
+ cumulative=True, bins=4,
+ xlabelsize=xf, xrot=xrot, ylabelsize=yf, yrot=yrot)
+ # height of last bin (index 5) must be 1.0
+ for ax in axes.ravel():
+ height = ax.get_children()[5].get_height()
+ self.assertAlmostEqual(height, 1.0)
+ self._check_ticks_props(axes, xlabelsize=xf, xrot=xrot,
+ ylabelsize=yf, yrot=yrot)
+
+ tm.close()
+ axes = plotting.grouped_hist(df.A, by=df.C, log=True)
+ # scale of y must be 'log'
+ self._check_ax_scales(axes, yaxis='log')
+
+ tm.close()
+ # propagate attr exception from matplotlib.Axes.hist
+ with tm.assertRaises(AttributeError):
+ plotting.grouped_hist(df.A, by=df.C, foo='bar')
+
+ with tm.assert_produces_warning(FutureWarning):
+ df.hist(by='C', figsize='default')
+
+ @slow
+ def test_grouped_hist_legacy2(self):
+ n = 10
+ weight = Series(np.random.normal(166, 20, size=n))
+ height = Series(np.random.normal(60, 10, size=n))
+ with tm.RNGContext(42):
+ gender_int = tm.choice([0, 1], size=n)
+ df_int = DataFrame({'height': height, 'weight': weight,
+ 'gender': gender_int})
+ gb = df_int.groupby('gender')
+ axes = gb.hist()
+ self.assertEqual(len(axes), 2)
+ self.assertEqual(len(self.plt.get_fignums()), 2)
+ tm.close()
+
+ @slow
+ def test_grouped_box_return_type(self):
+ df = self.hist_df
+
+ # old style: return_type=None
+ result = df.boxplot(by='gender')
+ self.assertIsInstance(result, np.ndarray)
+ self._check_box_return_type(result, None,
+ expected_keys=['height', 'weight', 'category'])
+
+ # now for groupby
+ with tm.assert_produces_warning(FutureWarning):
+ result = df.groupby('gender').boxplot()
+ self._check_box_return_type(result, 'dict', expected_keys=['Male', 'Female'])
+
+ columns2 = 'X B C D A G Y N Q O'.split()
+ df2 = DataFrame(random.randn(50, 10), columns=columns2)
+ categories2 = 'A B C D E F G H I J'.split()
+ df2['category'] = categories2 * 5
+
+ for t in ['dict', 'axes', 'both']:
+ returned = df.groupby('classroom').boxplot(return_type=t)
+ self._check_box_return_type(returned, t, expected_keys=['A', 'B', 'C'])
+
+ returned = df.boxplot(by='classroom', return_type=t)
+ self._check_box_return_type(returned, t,
+ expected_keys=['height', 'weight', 'category'])
+
+ returned = df2.groupby('category').boxplot(return_type=t)
+ self._check_box_return_type(returned, t, expected_keys=categories2)
+
+ returned = df2.boxplot(by='category', return_type=t)
+ self._check_box_return_type(returned, t, expected_keys=columns2)
+
+ @slow
+ def test_grouped_box_layout(self):
+ df = self.hist_df
+
+ self.assertRaises(ValueError, df.boxplot, column=['weight', 'height'],
+ by=df.gender, layout=(1, 1))
+ self.assertRaises(ValueError, df.boxplot, column=['height', 'weight', 'category'],
+ layout=(2, 1), return_type='dict')
+ self.assertRaises(ValueError, df.boxplot, column=['weight', 'height'],
+ by=df.gender, layout=(-1, -1))
+
+ box = _check_plot_works(df.groupby('gender').boxplot, column='height',
+ return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=2, layout=(1, 2))
+
+ box = _check_plot_works(df.groupby('category').boxplot, column='height',
+ return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(2, 2))
+
+ # GH 6769
+ box = _check_plot_works(df.groupby('classroom').boxplot,
+ column='height', return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
+
+ # GH 5897
+ axes = df.boxplot(column=['height', 'weight', 'category'], by='gender',
+ return_type='axes')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
+ for ax in [axes['height']]:
+ self._check_visible(ax.get_xticklabels(), visible=False)
+ self._check_visible([ax.xaxis.get_label()], visible=False)
+ for ax in [axes['weight'], axes['category']]:
+ self._check_visible(ax.get_xticklabels())
+ self._check_visible([ax.xaxis.get_label()])
+
+ box = df.groupby('classroom').boxplot(
+ column=['height', 'weight', 'category'], return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(2, 2))
+
+ box = _check_plot_works(df.groupby('category').boxplot, column='height',
+ layout=(3, 2), return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(3, 2))
+ box = _check_plot_works(df.groupby('category').boxplot, column='height',
+ layout=(3, -1), return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(3, 2))
+
+ box = df.boxplot(column=['height', 'weight', 'category'], by='gender',
+ layout=(4, 1))
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(4, 1))
+
+ box = df.boxplot(column=['height', 'weight', 'category'], by='gender',
+ layout=(-1, 1))
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(3, 1))
+
+ box = df.groupby('classroom').boxplot(
+ column=['height', 'weight', 'category'], layout=(1, 4),
+ return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(1, 4))
+
+ box = df.groupby('classroom').boxplot(
+ column=['height', 'weight', 'category'], layout=(1, -1),
+ return_type='dict')
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=3, layout=(1, 3))
+
+ @slow
+ def test_grouped_box_multiple_axes(self):
+ # GH 6970, GH 7069
+ df = self.hist_df
+
+ # check warning to ignore sharex / sharey
+ # this check should be done in the first function which
+ # passes multiple axes to plot, hist or boxplot
+ # location should be changed if other test is added
+ # which has earlier alphabetical order
+ with tm.assert_produces_warning(UserWarning):
+ fig, axes = self.plt.subplots(2, 2)
+ df.groupby('category').boxplot(column='height', return_type='axes', ax=axes)
+ self._check_axes_shape(self.plt.gcf().axes, axes_num=4, layout=(2, 2))
+
+ fig, axes = self.plt.subplots(2, 3)
+ with warnings.catch_warnings():
+ warnings.simplefilter('ignore')
+ returned = df.boxplot(column=['height', 'weight', 'category'],
+ by='gender', return_type='axes', ax=axes[0])
+ returned = np.array(list(returned.values()))
+ self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
+ self.assert_numpy_array_equal(returned, axes[0])
+ self.assertIs(returned[0].figure, fig)
+
+ # draw on second row
+ with warnings.catch_warnings():
+ warnings.simplefilter('ignore')
+ returned = df.groupby('classroom').boxplot(
+ column=['height', 'weight', 'category'],
+ return_type='axes', ax=axes[1])
+ returned = np.array(list(returned.values()))
+ self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
+ self.assert_numpy_array_equal(returned, axes[1])
+ self.assertIs(returned[0].figure, fig)
+
+ with tm.assertRaises(ValueError):
+ fig, axes = self.plt.subplots(2, 3)
+ # pass different number of axes from required
+ axes = df.groupby('classroom').boxplot(ax=axes)
+
+ @slow
+ def test_grouped_hist_layout(self):
+ df = self.hist_df
+ self.assertRaises(ValueError, df.hist, column='weight', by=df.gender,
+ layout=(1, 1))
+ self.assertRaises(ValueError, df.hist, column='height', by=df.category,
+ layout=(1, 3))
+ self.assertRaises(ValueError, df.hist, column='height', by=df.category,
+ layout=(-1, -1))
+
+ axes = _check_plot_works(df.hist, column='height', by=df.gender,
+ layout=(2, 1))
+ self._check_axes_shape(axes, axes_num=2, layout=(2, 1))
+
+ axes = _check_plot_works(df.hist, column='height', by=df.gender,
+ layout=(2, -1))
+ self._check_axes_shape(axes, axes_num=2, layout=(2, 1))
+
+ axes = df.hist(column='height', by=df.category, layout=(4, 1))
+ self._check_axes_shape(axes, axes_num=4, layout=(4, 1))
+
+ axes = df.hist(column='height', by=df.category, layout=(-1, 1))
+ self._check_axes_shape(axes, axes_num=4, layout=(4, 1))
+
+ axes = df.hist(column='height', by=df.category, layout=(4, 2), figsize=(12, 8))
+ self._check_axes_shape(axes, axes_num=4, layout=(4, 2), figsize=(12, 8))
+ tm.close()
+
+ # GH 6769
+ axes = _check_plot_works(df.hist, column='height', by='classroom', layout=(2, 2))
+ self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
+
+ # without column
+ axes = _check_plot_works(df.hist, by='classroom')
+ self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
+
+ axes = df.hist(by='gender', layout=(3, 5))
+ self._check_axes_shape(axes, axes_num=2, layout=(3, 5))
+
+ axes = df.hist(column=['height', 'weight', 'category'])
+ self._check_axes_shape(axes, axes_num=3, layout=(2, 2))
+
+ @slow
+ def test_grouped_hist_multiple_axes(self):
+ # GH 6970, GH 7069
+ df = self.hist_df
+
+ fig, axes = self.plt.subplots(2, 3)
+ returned = df.hist(column=['height', 'weight', 'category'], ax=axes[0])
+ self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
+ self.assert_numpy_array_equal(returned, axes[0])
+ self.assertIs(returned[0].figure, fig)
+ returned = df.hist(by='classroom', ax=axes[1])
+ self._check_axes_shape(returned, axes_num=3, layout=(1, 3))
+ self.assert_numpy_array_equal(returned, axes[1])
+ self.assertIs(returned[0].figure, fig)
+
+ with tm.assertRaises(ValueError):
+ fig, axes = self.plt.subplots(2, 3)
+ # pass different number of axes from required
+ axes = df.hist(column='height', ax=axes)
+
+ @slow
+ def test_axis_share_x(self):
+ df = self.hist_df
+ # GH4089
+ ax1, ax2 = df.hist(column='height', by=df.gender, sharex=True)
+
+ # share x
+ self.assertTrue(ax1._shared_x_axes.joined(ax1, ax2))
+ self.assertTrue(ax2._shared_x_axes.joined(ax1, ax2))
+
+ # don't share y
+ self.assertFalse(ax1._shared_y_axes.joined(ax1, ax2))
+ self.assertFalse(ax2._shared_y_axes.joined(ax1, ax2))
+
+ @slow
+ def test_axis_share_y(self):
+ df = self.hist_df
+ ax1, ax2 = df.hist(column='height', by=df.gender, sharey=True)
+
+ # share y
+ self.assertTrue(ax1._shared_y_axes.joined(ax1, ax2))
+ self.assertTrue(ax2._shared_y_axes.joined(ax1, ax2))
+
+ # don't share x
+ self.assertFalse(ax1._shared_x_axes.joined(ax1, ax2))
+ self.assertFalse(ax2._shared_x_axes.joined(ax1, ax2))
+
+ @slow
+ def test_axis_share_xy(self):
+ df = self.hist_df
+ ax1, ax2 = df.hist(column='height', by=df.gender, sharex=True,
+ sharey=True)
+
+ # share both x and y
+ self.assertTrue(ax1._shared_x_axes.joined(ax1, ax2))
+ self.assertTrue(ax2._shared_x_axes.joined(ax1, ax2))
+
+ self.assertTrue(ax1._shared_y_axes.joined(ax1, ax2))
+ self.assertTrue(ax2._shared_y_axes.joined(ax1, ax2))
+
+
+if __name__ == '__main__':
+ nose.runmodule(argv=[__file__, '-vvs', '-x', '--pdb', '--pdb-failure'],
+ exit=False)
| Because `test_graphics.py` gets little longer, I've splitted it to 2 files. Test methods itself are not changed.
- `test_graphics.py` is for `.plot()` methods.
- `test_graphics_others.py` is for other plots, such as `.hist()`, `.boxplot` and miscs.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9813 | 2015-04-05T09:41:23Z | 2015-07-15T14:31:09Z | 2015-07-15T14:31:09Z | 2015-07-15T14:33:52Z |
BUG: secondary_y may not show legend properly | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 5e75d9ed011a2..05c762b91b925 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -75,7 +75,7 @@ Bug Fixes
- Bug in ``DataFrame`` slicing may not retain metadata (:issue:`9776`)
- Bug where ``TimdeltaIndex`` were not properly serialized in fixed ``HDFStore`` (:issue:`9635`)
-
+- Bug in plotting continuously using ``secondary_y`` may not show legend properly. (:issue:`9610`, :issue:`9779`)
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 04e43fabcc1cc..3ce4e150326a2 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -755,6 +755,101 @@ def test_hist_no_overlap(self):
axes = fig.get_axes()
self.assertEqual(len(axes), 2)
+ @slow
+ def test_hist_secondary_legend(self):
+ # GH 9610
+ df = DataFrame(np.random.randn(30, 4), columns=list('abcd'))
+
+ # primary -> secondary
+ ax = df['a'].plot(kind='hist', legend=True)
+ df['b'].plot(kind='hist', ax=ax, legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left and right axis must be visible
+ self._check_legend_labels(ax, labels=['a', 'b (right)'])
+ self.assertTrue(ax.get_yaxis().get_visible())
+ self.assertTrue(ax.right_ax.get_yaxis().get_visible())
+ tm.close()
+
+ # secondary -> secondary
+ ax = df['a'].plot(kind='hist', legend=True, secondary_y=True)
+ df['b'].plot(kind='hist', ax=ax, legend=True, secondary_y=True)
+ # both legends are draw on left ax
+ # left axis must be invisible, right axis must be visible
+ self._check_legend_labels(ax.left_ax, labels=['a (right)', 'b (right)'])
+ self.assertFalse(ax.left_ax.get_yaxis().get_visible())
+ self.assertTrue(ax.get_yaxis().get_visible())
+ tm.close()
+
+ # secondary -> primary
+ ax = df['a'].plot(kind='hist', legend=True, secondary_y=True)
+ # right axes is returned
+ df['b'].plot(kind='hist', ax=ax, legend=True)
+ # both legends are draw on left ax
+ # left and right axis must be visible
+ self._check_legend_labels(ax.left_ax, labels=['a (right)', 'b'])
+ self.assertTrue(ax.left_ax.get_yaxis().get_visible())
+ self.assertTrue(ax.get_yaxis().get_visible())
+ tm.close()
+
+ @slow
+ def test_df_series_secondary_legend(self):
+ # GH 9779
+ df = DataFrame(np.random.randn(30, 3), columns=list('abc'))
+ s = Series(np.random.randn(30), name='x')
+
+ # primary -> secondary (without passing ax)
+ ax = df.plot()
+ s.plot(legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left and right axis must be visible
+ self._check_legend_labels(ax, labels=['a', 'b', 'c', 'x (right)'])
+ self.assertTrue(ax.get_yaxis().get_visible())
+ self.assertTrue(ax.right_ax.get_yaxis().get_visible())
+ tm.close()
+
+ # primary -> secondary (with passing ax)
+ ax = df.plot()
+ s.plot(ax=ax, legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left and right axis must be visible
+ self._check_legend_labels(ax, labels=['a', 'b', 'c', 'x (right)'])
+ self.assertTrue(ax.get_yaxis().get_visible())
+ self.assertTrue(ax.right_ax.get_yaxis().get_visible())
+ tm.close()
+
+ # seconcary -> secondary (without passing ax)
+ ax = df.plot(secondary_y=True)
+ s.plot(legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left axis must be invisible and right axis must be visible
+ expected = ['a (right)', 'b (right)', 'c (right)', 'x (right)']
+ self._check_legend_labels(ax.left_ax, labels=expected)
+ self.assertFalse(ax.left_ax.get_yaxis().get_visible())
+ self.assertTrue(ax.get_yaxis().get_visible())
+ tm.close()
+
+ # secondary -> secondary (with passing ax)
+ ax = df.plot(secondary_y=True)
+ s.plot(ax=ax, legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left axis must be invisible and right axis must be visible
+ expected = ['a (right)', 'b (right)', 'c (right)', 'x (right)']
+ self._check_legend_labels(ax.left_ax, expected)
+ self.assertFalse(ax.left_ax.get_yaxis().get_visible())
+ self.assertTrue(ax.get_yaxis().get_visible())
+ tm.close()
+
+ # secondary -> secondary (with passing ax)
+ ax = df.plot(secondary_y=True, mark_right=False)
+ s.plot(ax=ax, legend=True, secondary_y=True)
+ # both legends are dran on left ax
+ # left axis must be invisible and right axis must be visible
+ expected = ['a', 'b', 'c', 'x (right)']
+ self._check_legend_labels(ax.left_ax, expected)
+ self.assertFalse(ax.left_ax.get_yaxis().get_visible())
+ self.assertTrue(ax.get_yaxis().get_visible())
+ tm.close()
+
@slow
def test_plot_fails_with_dupe_color_and_style(self):
x = Series(randn(2))
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index c7130a144adea..0be030d7c2c8e 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -926,7 +926,19 @@ def generate(self):
def _args_adjust(self):
pass
- def _maybe_right_yaxis(self, ax):
+ def _has_plotted_object(self, ax):
+ """check whether ax has data"""
+ return (len(ax.lines) != 0 or
+ len(ax.artists) != 0 or
+ len(ax.containers) != 0)
+
+ def _maybe_right_yaxis(self, ax, axes_num):
+ if not self.on_right(axes_num):
+ if hasattr(ax, 'left_ax'):
+ # secondary axes may be passed as axes
+ return ax.left_ax
+ return ax
+
if hasattr(ax, 'right_ax'):
return ax.right_ax
else:
@@ -936,7 +948,7 @@ def _maybe_right_yaxis(self, ax):
orig_ax.right_ax, new_ax.left_ax = new_ax, orig_ax
new_ax.right_ax = new_ax
- if len(orig_ax.get_lines()) == 0: # no data on left y
+ if not self._has_plotted_object(orig_ax): # no data on left y
orig_ax.get_yaxis().set_visible(False)
return new_ax
@@ -978,7 +990,15 @@ def result(self):
else:
return self.axes
else:
- return self.axes[0]
+ sec_true = isinstance(self.secondary_y, bool) and self.secondary_y
+ all_sec = (com.is_list_like(self.secondary_y) and
+ len(self.secondary_y) == self.nseries)
+ if (sec_true or all_sec):
+ # if all data is plotted on secondary,
+ # return secondary axes
+ return self.axes[0].right_ax
+ else:
+ return self.axes[0]
def _compute_plot_data(self):
numeric_data = self.data.convert_objects()._get_numeric_data()
@@ -1128,8 +1148,8 @@ def _make_legend(self):
def _get_ax_legend(self, ax):
leg = ax.get_legend()
- other_ax = (getattr(ax, 'right_ax', None) or
- getattr(ax, 'left_ax', None))
+ other_ax = (getattr(ax, 'left_ax', None) or
+ getattr(ax, 'right_ax', None))
other_leg = None
if other_ax is not None:
other_leg = other_ax.get_legend()
@@ -1221,20 +1241,11 @@ def _get_ax(self, i):
if self.subplots:
ax = self.axes[i]
- if self.on_right(i):
- ax = self._maybe_right_yaxis(ax)
- self.axes[i] = ax
+ ax = self._maybe_right_yaxis(ax, i)
+ self.axes[i] = ax
else:
ax = self.axes[0]
-
- if self.on_right(i):
- ax = self._maybe_right_yaxis(ax)
-
- sec_true = isinstance(self.secondary_y, bool) and self.secondary_y
- all_sec = (com.is_list_like(self.secondary_y) and
- len(self.secondary_y) == self.nseries)
- if sec_true or all_sec:
- self.axes[0] = ax
+ ax = self._maybe_right_yaxis(ax, i)
ax.get_yaxis().set_visible(True)
return ax
@@ -1971,7 +1982,7 @@ def _make_plot(self):
kwds['style'] = style
artists = plotf(ax, y, column_num=i, **kwds)
- self._add_legend_handle(artists[0], label)
+ self._add_legend_handle(artists[0], label, index=i)
def _post_plot_logic(self):
if self.orientation == 'horizontal':
| Closes #9610, Closes #9779.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9812 | 2015-04-05T00:55:47Z | 2015-04-05T13:52:22Z | 2015-04-05T13:52:22Z | 2015-04-11T23:35:42Z |
DOC: add dev environment creation details to contributing.rst | diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index f7041dbabdad5..d3eeb820a12eb 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -137,6 +137,69 @@ clear what the branch brings to *pandas*. You can have many
shiny-new-features and switch in between them using the git checkout
command.
+### Creating a Development Environment
+
+An easy way to create a *pandas* development environment is as follows.
+
+- Install either Install Anaconda \<install-anaconda\> or
+ Install miniconda \<install-miniconda\>
+- Make sure that you have
+ cloned the repository \<contributing-forking\>
+- `cd` to the pandas source directory
+
+Tell `conda` to create a new environment, named `pandas_dev`, or any
+name you would like for this environment by running:
+
+ conda create -n pandas_dev --file ci/requirements_dev.txt
+
+For a python 3 environment
+
+ conda create -n pandas_dev python=3 --file ci/requirements_dev.txt
+
+If you are on `windows`, then you will need to install the compiler
+linkages:
+
+ conda install -n pandas_dev libpython
+
+This will create the new environment, and not touch any of your existing
+environments, nor any existing python installation. It will install all
+of the basic dependencies of *pandas*, as well as the development and
+testing tools. If you would like to install other dependencies, you can
+install them as follows:
+
+ conda install -n pandas_dev -c pandas pytables scipy
+
+To install *all* pandas dependencies you can do the following:
+
+ conda install -n pandas_dev -c pandas --file ci/requirements_all.txt
+
+To work in this environment, `activate` it as follows:
+
+ activate pandas_dev
+
+At which point, the prompt will change to indicate you are in the new
+development environment.
+
+> **note**
+>
+> The above syntax is for `windows` environments. To work on
+> `macosx/linux`, use:
+>
+> source activate pandas_dev
+
+To view your environments:
+
+ conda info -e
+
+To return to you home root environment:
+
+ deactivate
+
+See the full `conda` docs [here](http://conda.pydata.org/docs).
+
+At this point you can easily do an *in-place* install, as detailed in
+the next section.
+
### Making changes
Before making your code changes, it is often necessary to build the code
@@ -231,13 +294,19 @@ docstrings that follow the Numpy Docstring Standard (see above), but you
don't need to install this because a local copy of `numpydoc` is
included in the *pandas* source code.
+It is easiest to
+create a development environment \<contributing-dev\_env\>, then
+install:
+
+ conda install -n pandas_dev sphinx ipython
+
Furthermore, it is recommended to have all [optional
dependencies](http://pandas.pydata.org/pandas-docs/dev/install.html#optional-dependencies)
-installed. This is not needed, but be aware that you will see some error
-messages. Because all the code in the documentation is executed during
-the doc build, the examples using this optional dependencies will
-generate errors. Run `pd.show_versions()` to get an overview of the
-installed version of all dependencies.
+installed. This is not strictly necessary, but be aware that you will
+see some error messages. Because all the code in the documentation is
+executed during the doc build, the examples using this optional
+dependencies will generate errors. Run `pd.show_versions()` to get an
+overview of the installed version of all dependencies.
> **warning**
>
diff --git a/ci/requirements_all.txt b/ci/requirements_all.txt
new file mode 100644
index 0000000000000..c70efed96a8dd
--- /dev/null
+++ b/ci/requirements_all.txt
@@ -0,0 +1,21 @@
+nose
+sphinx
+ipython
+dateutil
+pytz
+openpyxl
+xlsxwriter
+xlrd
+html5lib
+patsy
+beautiful-soup
+numpy
+cython
+scipy
+numexpr
+pytables
+matplotlib
+lxml
+sqlalchemy
+bottleneck
+pymysql
diff --git a/ci/requirements_dev.txt b/ci/requirements_dev.txt
new file mode 100644
index 0000000000000..b273ca043c4a2
--- /dev/null
+++ b/ci/requirements_dev.txt
@@ -0,0 +1,5 @@
+dateutil
+pytz
+numpy
+cython
+nose
diff --git a/doc/source/contributing.rst b/doc/source/contributing.rst
index b3b2d272e66c6..cc4473e8d355a 100644
--- a/doc/source/contributing.rst
+++ b/doc/source/contributing.rst
@@ -96,6 +96,8 @@ Getting Started with Git
setting up your SSH key, and configuring git. All these steps need to be completed before
working seamlessly with your local repository and GitHub.
+.. _contributing.forking:
+
Forking
-------
@@ -132,6 +134,84 @@ changes in this branch specific to one bug or feature so it is clear
what the branch brings to *pandas*. You can have many shiny-new-features
and switch in between them using the git checkout command.
+.. _contributing.dev_env:
+
+Creating a Development Environment
+----------------------------------
+
+An easy way to create a *pandas* development environment is as follows.
+
+- Install either :ref:`Install Anaconda <install-anaconda>` or :ref:`Install miniconda <install-miniconda>`
+- Make sure that you have :ref:`cloned the repository <contributing-forking>`
+- ``cd`` to the pandas source directory
+
+Tell ``conda`` to create a new environment, named ``pandas_dev``, or any name you would like for this environment by running:
+
+::
+
+ conda create -n pandas_dev --file ci/requirements_dev.txt
+
+
+For a python 3 environment
+
+::
+
+ conda create -n pandas_dev python=3 --file ci/requirements_dev.txt
+
+
+If you are on ``windows``, then you will need to install the compiler linkages:
+
+::
+
+ conda install -n pandas_dev libpython
+
+This will create the new environment, and not touch any of your existing environments, nor any existing python installation. It will install all of the basic dependencies of *pandas*, as well as the development and testing tools. If you would like to install other dependencies, you can install them as follows:
+
+::
+
+ conda install -n pandas_dev -c pandas pytables scipy
+
+To install *all* pandas dependencies you can do the following:
+
+::
+
+ conda install -n pandas_dev -c pandas --file ci/requirements_all.txt
+
+To work in this environment, ``activate`` it as follows:
+
+::
+
+ activate pandas_dev
+
+At which point, the prompt will change to indicate you are in the new development environment.
+
+.. note::
+
+ The above syntax is for ``windows`` environments. To work on ``macosx/linux``, use:
+
+ ::
+
+ source activate pandas_dev
+
+To view your environments:
+
+::
+
+ conda info -e
+
+To return to you home root environment:
+
+::
+
+ deactivate
+
+See the full ``conda`` docs `here
+<http://conda.pydata.org/docs>`_.
+
+At this point you can easily do an *in-place* install, as detailed in the next section.
+
+.. _contributing.getting_source:
+
Making changes
--------------
@@ -237,9 +317,15 @@ follow the Numpy Docstring Standard (see above), but you don't need to install
this because a local copy of ``numpydoc`` is included in the *pandas* source
code.
+It is easiest to :ref:`create a development environment <contributing-dev_env>`, then install:
+
+::
+
+ conda install -n pandas_dev sphinx ipython
+
Furthermore, it is recommended to have all `optional dependencies
<http://pandas.pydata.org/pandas-docs/dev/install.html#optional-dependencies>`_
-installed. This is not needed, but be aware that you will see some error
+installed. This is not strictly necessary, but be aware that you will see some error
messages. Because all the code in the documentation is executed during the doc
build, the examples using this optional dependencies will generate errors.
Run ``pd.show_versions()`` to get an overview of the installed version of all
@@ -572,6 +658,3 @@ branch has not actually been merged.
The branch will still exist on GitHub, so to delete it there do ::
git push origin --delete shiny-new-feature
-
-
-
diff --git a/doc/source/install.rst b/doc/source/install.rst
index dd9021d0439dc..07c88841e5dcb 100644
--- a/doc/source/install.rst
+++ b/doc/source/install.rst
@@ -35,6 +35,8 @@ pandas at all.
Simply create an account, and have access to pandas from within your brower via
an `IPython Notebook <http://ipython.org/notebook.html>`__ in a few minutes.
+.. _install.anaconda
+
Installing pandas with Anaconda
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
@@ -66,6 +68,8 @@ admin rights to install it, it will install in the user's home directory, and
this also makes it trivial to delete Anaconda at a later date (just delete
that folder).
+.. _install.miniconda
+
Installing pandas with Miniconda
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
@@ -173,47 +177,8 @@ Installing using your Linux distribution's package manager.
Installing from source
~~~~~~~~~~~~~~~~~~~~~~
-.. note::
-
- Installing from the git repository requires a recent installation of `Cython
- <http://cython.org>`__ as the cythonized C sources are no longer checked
- into source control. Released source distributions will contain the built C
- files. I recommend installing the latest Cython via ``easy_install -U
- Cython``
-
-The source code is hosted at http://github.com/pydata/pandas, it can be checked
-out using git and compiled / installed like so:
-
-::
-
- git clone git://github.com/pydata/pandas.git
- cd pandas
- python setup.py install
-
-Make sure you have Cython installed when installing from the repository,
-rather then a tarball or pypi.
-On Windows, I suggest installing the MinGW compiler suite following the
-directions linked to above. Once configured property, run the following on the
-command line:
-
-::
-
- python setup.py build --compiler=mingw32
- python setup.py install
-
-Note that you will not be able to import pandas if you open an interpreter in
-the source directory unless you build the C extensions in place:
-
-::
-
- python setup.py build_ext --inplace
-
-The most recent version of MinGW (any installer dated after 2011-08-03)
-has removed the '-mno-cygwin' option but Distutils has not yet been updated to
-reflect that. Thus, you may run into an error like "unrecognized command line
-option '-mno-cygwin'". Until the bug is fixed in Distutils, you may need to
-install a slightly older version of MinGW (2011-08-02 installer).
+See the :ref:`contributing documentation <contributing>` for complete instructions on building from the git source tree. Further, see :ref:`creating a devevlopment environment <contributing-dev_env>` if you wish to create a *pandas* development environment.
Running the test suite
~~~~~~~~~~~~~~~~~~~~~~
@@ -354,4 +319,3 @@ Optional Dependencies
work. Hence, it is highly recommended that you install these. A packaged
distribution like `Enthought Canopy
<http://enthought.com/products/canopy>`__ may be worth considering.
-
| - provides instructions for creating a development on any platform with conda
- cleans up the install.rst a bit
| https://api.github.com/repos/pandas-dev/pandas/pulls/9810 | 2015-04-04T18:13:24Z | 2015-04-06T12:18:51Z | 2015-04-06T12:18:51Z | 2015-04-06T12:54:31Z |
ENH: NDFrame.mask supports same kwds as where | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index f6032a65c32f1..efee559e0e86b 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -19,7 +19,7 @@ Enhancements
- Added ``StringMethods.capitalize()`` and ``swapcase`` which behave as the same as standard ``str`` (:issue:`9766`)
-
+- ``DataFrame.mask()`` and ``Series.mask()`` now support same keywords as ``where`` (:issue:`8801`)
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..908d57e28a0cd 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -3250,16 +3250,14 @@ def _align_series(self, other, join='outer', axis=None, level=None,
return (left_result.__finalize__(self),
right_result.__finalize__(other))
- def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
- try_cast=False, raise_on_error=True):
- """
+ _shared_docs['where'] = ("""
Return an object of same shape as self and whose corresponding
- entries are from self where cond is True and otherwise are from other.
+ entries are from self where cond is %(cond)s and otherwise are from other.
Parameters
----------
- cond : boolean NDFrame or array
- other : scalar or NDFrame
+ cond : boolean %(klass)s or array
+ other : scalar or %(klass)s
inplace : boolean, default False
Whether to perform the operation in place on the data
axis : alignment axis if needed, default None
@@ -3273,7 +3271,11 @@ def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
Returns
-------
wh : same type as caller
- """
+ """)
+ @Appender(_shared_docs['where'] % dict(_shared_doc_kwargs, cond="True"))
+ def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
+ try_cast=False, raise_on_error=True):
+
if isinstance(cond, NDFrame):
cond = cond.reindex(**self._construct_axes_dict())
else:
@@ -3400,20 +3402,11 @@ def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
return self._constructor(new_data).__finalize__(self)
- def mask(self, cond):
- """
- Returns copy whose values are replaced with nan if the
- inverted condition is True
-
- Parameters
- ----------
- cond : boolean NDFrame or array
-
- Returns
- -------
- wh: same as input
- """
- return self.where(~cond, np.nan)
+ @Appender(_shared_docs['where'] % dict(_shared_doc_kwargs, cond="False"))
+ def mask(self, cond, other=np.nan, inplace=False, axis=None, level=None,
+ try_cast=False, raise_on_error=True):
+ return self.where(~cond, other=other, inplace=inplace, axis=axis,
+ level=level, try_cast=try_cast, raise_on_error=raise_on_error)
def shift(self, periods=1, freq=None, axis=0, **kwargs):
"""
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 1acad4cf978a8..d923138489288 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -9775,6 +9775,27 @@ def test_mask(self):
assert_frame_equal(rs, df.mask(df <= 0))
assert_frame_equal(rs, df.mask(~cond))
+ other = DataFrame(np.random.randn(5, 3))
+ rs = df.where(cond, other)
+ assert_frame_equal(rs, df.mask(df <= 0, other))
+ assert_frame_equal(rs, df.mask(~cond, other))
+
+ def test_mask_inplace(self):
+ # GH8801
+ df = DataFrame(np.random.randn(5, 3))
+ cond = df > 0
+
+ rdf = df.copy()
+
+ rdf.where(cond, inplace=True)
+ assert_frame_equal(rdf, df.where(cond))
+ assert_frame_equal(rdf, df.mask(~cond))
+
+ rdf = df.copy()
+ rdf.where(cond, -df, inplace=True)
+ assert_frame_equal(rdf, df.where(cond, -df))
+ assert_frame_equal(rdf, df.mask(~cond, -df))
+
def test_mask_edge_case_1xN_frame(self):
# GH4071
df = DataFrame([[1, 2]])
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index e140ffd97051c..c021bb1bf2fd6 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -1821,6 +1821,10 @@ def test_where_broadcast(self):
for i, use_item in enumerate(selection)])
assert_series_equal(s, expected)
+ s = Series(data)
+ result = s.where(~selection, arr)
+ assert_series_equal(result, expected)
+
def test_where_inplace(self):
s = Series(np.random.randn(5))
cond = s > 0
@@ -1856,11 +1860,69 @@ def test_where_dups(self):
assert_series_equal(comb, expected)
def test_mask(self):
+ # compare with tested results in test_where
+ s = Series(np.random.randn(5))
+ cond = s > 0
+
+ rs = s.where(~cond, np.nan)
+ assert_series_equal(rs, s.mask(cond))
+
+ rs = s.where(~cond)
+ rs2 = s.mask(cond)
+ assert_series_equal(rs, rs2)
+
+ rs = s.where(~cond, -s)
+ rs2 = s.mask(cond, -s)
+ assert_series_equal(rs, rs2)
+
+ cond = Series([True, False, False, True, False], index=s.index)
+ s2 = -(s.abs())
+ rs = s2.where(~cond[:3])
+ rs2 = s2.mask(cond[:3])
+ assert_series_equal(rs, rs2)
+
+ rs = s2.where(~cond[:3], -s2)
+ rs2 = s2.mask(cond[:3], -s2)
+ assert_series_equal(rs, rs2)
+
+ self.assertRaises(ValueError, s.mask, 1)
+ self.assertRaises(ValueError, s.mask, cond[:3].values, -s)
+
+ # dtype changes
+ s = Series([1,2,3,4])
+ result = s.mask(s>2, np.nan)
+ expected = Series([1, 2, np.nan, np.nan])
+ assert_series_equal(result, expected)
+
+ def test_mask_broadcast(self):
+ # GH 8801
+ # copied from test_where_broadcast
+ for size in range(2, 6):
+ for selection in [np.resize([True, False, False, False, False], size), # First element should be set
+ # Set alternating elements]
+ np.resize([True, False], size),
+ np.resize([False], size)]: # No element should be set
+ for item in [2.0, np.nan, np.finfo(np.float).max, np.finfo(np.float).min]:
+ for arr in [np.array([item]), [item], (item,)]:
+ data = np.arange(size, dtype=float)
+ s = Series(data)
+ result = s.mask(selection, arr)
+ expected = Series([item if use_item else data[i]
+ for i, use_item in enumerate(selection)])
+ assert_series_equal(result, expected)
+
+ def test_mask_inplace(self):
s = Series(np.random.randn(5))
cond = s > 0
- rs = s.where(cond, np.nan)
- assert_series_equal(rs, s.mask(~cond))
+ rs = s.copy()
+ rs.mask(cond, inplace=True)
+ assert_series_equal(rs.dropna(), s[~cond])
+ assert_series_equal(rs, s.mask(cond))
+
+ rs = s.copy()
+ rs.mask(cond, -s, inplace=True)
+ assert_series_equal(rs, s.mask(cond, -s))
def test_drop(self):
@@ -6845,7 +6907,7 @@ def test_repeat(self):
def test_unique_data_ownership(self):
# it works! #1807
Series(Series(["a", "c", "b"]).unique()).sort()
-
+
def test_datetime_timedelta_quantiles(self):
# covers #9694
self.assertTrue(pd.isnull(Series([],dtype='M8[ns]').quantile(.5)))
| Closes #8801.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9808 | 2015-04-04T12:57:09Z | 2015-04-04T18:28:30Z | 2015-04-04T18:28:30Z | 2015-04-04T21:27:58Z |
BUG: format small floats correctly (GH9764) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..6fc347cfeb273 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -79,3 +79,4 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
+- Bug in ``FloatArrayFormatter`` where decision boundary for displaying "small" floats in decimal format is off by one order of magnitude for a given display.precision (:issue:`9764`)
diff --git a/pandas/core/format.py b/pandas/core/format.py
index b21ca9050ffd0..7b8a3161b5e05 100644
--- a/pandas/core/format.py
+++ b/pandas/core/format.py
@@ -1996,7 +1996,7 @@ def _format_strings(self):
# this is pretty arbitrary for now
has_large_values = (abs_vals > 1e8).any()
- has_small_values = ((abs_vals < 10 ** (-self.digits)) &
+ has_small_values = ((abs_vals < 10 ** (-self.digits+1)) &
(abs_vals > 0)).any()
if too_long and has_large_values:
diff --git a/pandas/tests/test_format.py b/pandas/tests/test_format.py
index ce32c8af99a73..1dcdbf12a6b59 100644
--- a/pandas/tests/test_format.py
+++ b/pandas/tests/test_format.py
@@ -2986,6 +2986,25 @@ def test_format(self):
self.assertEqual(result[0], " 12")
self.assertEqual(result[1], " 0")
+ def test_output_significant_digits(self):
+ # Issue #9764
+
+ # In case default display precision changes:
+ with pd.option_context('display.precision', 7):
+ # DataFrame example from issue #9764
+ d=pd.DataFrame({'col1':[9.999e-8, 1e-7, 1.0001e-7, 2e-7, 4.999e-7, 5e-7, 5.0001e-7, 6e-7, 9.999e-7, 1e-6, 1.0001e-6, 2e-6, 4.999e-6, 5e-6, 5.0001e-6, 6e-6]})
+
+ expected_output={
+ (0,6):' col1\n0 9.999000e-08\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07',
+ (1,6):' col1\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07',
+ (1,8):' col1\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07\n6 5.000100e-07\n7 6.000000e-07',
+ (8,16):' col1\n8 9.999000e-07\n9 1.000000e-06\n10 1.000100e-06\n11 2.000000e-06\n12 4.999000e-06\n13 5.000000e-06\n14 5.000100e-06\n15 6.000000e-06',
+ (9,16):' col1\n9 0.000001\n10 0.000001\n11 0.000002\n12 0.000005\n13 0.000005\n14 0.000005\n15 0.000006'
+ }
+
+ for (start, stop), v in expected_output.items():
+ self.assertEqual(str(d[start:stop]), v)
+
class TestRepr_timedelta64(tm.TestCase):
| closes #9764
In order to display a number from range (0,1) in decimal format with N significant digits (and not in scientific format), the number needs to be greater than or equal to 1e(-N+1), not 1e-N.
Did not test for range of display.precision, as this does not seem to current practice.
Did not include tests as they would imply an output format which might change in the future.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9806 | 2015-04-03T20:35:07Z | 2015-04-06T00:18:30Z | 2015-04-06T00:18:30Z | 2015-04-06T00:18:43Z |
BUG: bug in json lib when frame has length zero | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..f6032a65c32f1 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -61,6 +61,7 @@ Bug Fixes
~~~~~~~~~
- Fixed bug (:issue:`9542`) where labels did not appear properly in legend of ``DataFrame.plot()``. Passing ``label=`` args also now works, and series indices are no longer mutated.
+- Bug in json serialization when frame has length zero.(:issue:`9805`)
- Bug in ``scatter_matrix`` draws unexpected axis ticklabels (:issue:`5662`)
diff --git a/pandas/io/tests/test_json/test_pandas.py b/pandas/io/tests/test_json/test_pandas.py
index 7fe9cd9ce5cdf..1e8ce7afa9492 100644
--- a/pandas/io/tests/test_json/test_pandas.py
+++ b/pandas/io/tests/test_json/test_pandas.py
@@ -321,6 +321,16 @@ def test_frame_to_json_except(self):
df = DataFrame([1, 2, 3])
self.assertRaises(ValueError, df.to_json, orient="garbage")
+ def test_frame_empty(self):
+ df = DataFrame(columns=['jim', 'joe'])
+ self.assertFalse(df._is_mixed_type)
+ assert_frame_equal(read_json(df.to_json()), df)
+
+ # mixed type
+ df['joe'] = df['joe'].astype('i8')
+ self.assertTrue(df._is_mixed_type)
+ assert_frame_equal(read_json(df.to_json()), df)
+
def test_v12_compat(self):
df = DataFrame(
[[1.56808523, 0.65727391, 1.81021139, -0.17251653],
diff --git a/pandas/src/ujson/python/objToJSON.c b/pandas/src/ujson/python/objToJSON.c
index 75967bce87f76..38ce67e0fc28e 100644
--- a/pandas/src/ujson/python/objToJSON.c
+++ b/pandas/src/ujson/python/objToJSON.c
@@ -457,7 +457,7 @@ static void *PyTimeToJSON(JSOBJ _obj, JSONTypeContext *tc, void *outValue, size_
PyErr_SetString(PyExc_ValueError, "Failed to convert time");
return NULL;
}
- if (PyUnicode_Check(str))
+ if (PyUnicode_Check(str))
{
tmp = str;
str = PyUnicode_AsUTF8String(str);
@@ -479,7 +479,7 @@ static int NpyTypeToJSONType(PyObject* obj, JSONTypeContext* tc, int npyType, vo
{
PRINTMARK();
castfunc = PyArray_GetCastFunc(PyArray_DescrFromType(npyType), NPY_DOUBLE);
- if (!castfunc)
+ if (!castfunc)
{
PyErr_Format (
PyExc_ValueError,
@@ -501,7 +501,7 @@ static int NpyTypeToJSONType(PyObject* obj, JSONTypeContext* tc, int npyType, vo
{
PRINTMARK();
castfunc = PyArray_GetCastFunc(PyArray_DescrFromType(npyType), NPY_INT64);
- if (!castfunc)
+ if (!castfunc)
{
PyErr_Format (
PyExc_ValueError,
@@ -584,7 +584,12 @@ void NpyArr_iterBegin(JSOBJ _obj, JSONTypeContext *tc)
obj = (PyArrayObject *) _obj;
}
- if (PyArray_SIZE(obj) > 0)
+ if (PyArray_SIZE(obj) < 0)
+ {
+ PRINTMARK();
+ GET_TC(tc)->iterNext = NpyArr_iterNextNone;
+ }
+ else
{
PRINTMARK();
npyarr = PyObject_Malloc(sizeof(NpyArrContext));
@@ -624,11 +629,6 @@ void NpyArr_iterBegin(JSOBJ _obj, JSONTypeContext *tc)
npyarr->columnLabels = GET_TC(tc)->columnLabels;
npyarr->rowLabels = GET_TC(tc)->rowLabels;
}
- else
- {
- PRINTMARK();
- GET_TC(tc)->iterNext = NpyArr_iterNextNone;
- }
}
void NpyArr_iterEnd(JSOBJ obj, JSONTypeContext *tc)
@@ -1054,8 +1054,11 @@ void PdBlock_iterBegin(JSOBJ _obj, JSONTypeContext *tc)
npyarr = GET_TC(tc)->npyarr;
// set the dataptr to our desired column and initialise
- npyarr->dataptr += npyarr->stride * idx;
- NpyArr_iterNext(obj, tc);
+ if (npyarr != NULL)
+ {
+ npyarr->dataptr += npyarr->stride * idx;
+ NpyArr_iterNext(obj, tc);
+ }
GET_TC(tc)->itemValue = NULL;
((PyObjectEncoder*) tc->encoder)->npyCtxtPassthru = NULL;
@@ -2624,7 +2627,7 @@ PyObject* objToJSON(PyObject* self, PyObject *args, PyObject *kwargs)
if (odefHandler != NULL && odefHandler != Py_None)
{
- if (!PyCallable_Check(odefHandler))
+ if (!PyCallable_Check(odefHandler))
{
PyErr_SetString (PyExc_TypeError, "Default handler is not callable");
return NULL;
| closes https://github.com/pydata/pandas/issues/9781
on master:
```
>>> df = DataFrame(columns=['jim', 'joe'])
>>> df
Empty DataFrame
Columns: [jim, joe]
Index: []
>>> df.to_json()
'{}'
```
mixed type will segfault:
```
>>> df['joe'] = df['joe'].astype('i8')
>>> df.to_json()
Segmentation fault (core dumped)
```
on branch:
```
>>> df.to_json()
'{"jim":{},"joe":{}}'
>>> df['joe'] = df['joe'].astype('i8')
>>> read_json(df.to_json())
Empty DataFrame
Columns: [jim, joe]
Index: []
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9805 | 2015-04-03T18:19:26Z | 2015-04-03T22:41:42Z | 2015-04-03T22:41:42Z | 2015-05-06T02:50:31Z |
BUG: where behaves badly when dtype of self is datetime or timedelta, and dtype of other is not | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..3949ad4394fb1 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -79,3 +79,4 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
+- Bug in ``where`` when dtype of self is datetime64 or timedelta64, but dtype of other is not
\ No newline at end of file
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..e1a50f8b5200a 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -3323,7 +3323,8 @@ def where(self, cond, other=np.nan, inplace=False, axis=None, level=None,
except ValueError:
new_other = np.array(other)
- if not (new_other == np.array(other)).all():
+ matches = (new_other == np.array(other))
+ if matches is False or not matches.all():
other = np.array(other)
# we can't use our existing dtype
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 7a16fb2b6b0d7..3418295adabf5 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -1324,13 +1324,11 @@ def _try_fill(self, value):
return value
def _try_coerce_args(self, values, other):
- """ provide coercion to our input arguments
- we are going to compare vs i8, so coerce to floats
- repring NaT with np.nan so nans propagate
- values is always ndarray like, other may not be """
+ """ Coerce values and other to float64, with null values converted to
+ NaN. values is always ndarray-like, other may not be """
def masker(v):
mask = isnull(v)
- v = v.view('i8').astype('float64')
+ v = v.astype('float64')
v[mask] = np.nan
return v
@@ -1342,6 +1340,8 @@ def masker(v):
other = _coerce_scalar_to_timedelta_type(other, unit='s', box=False).item()
if other == tslib.iNaT:
other = np.nan
+ elif lib.isscalar(other):
+ other = np.float64(other)
else:
other = masker(other)
@@ -1807,16 +1807,20 @@ def _try_operate(self, values):
return values.view('i8')
def _try_coerce_args(self, values, other):
- """ provide coercion to our input arguments
- we are going to compare vs i8, so coerce to integer
- values is always ndarra like, other may not be """
+ """ Coerce values and other to dtype 'i8'. NaN and NaT convert to
+ the smallest i8, and will correctly round-trip to NaT if converted
+ back in _try_coerce_result. values is always ndarray-like, other
+ may not be """
values = values.view('i8')
+
if is_null_datelike_scalar(other):
other = tslib.iNaT
elif isinstance(other, datetime):
other = lib.Timestamp(other).asm8.view('i8')
- else:
+ elif hasattr(other, 'dtype') and com.is_integer_dtype(other):
other = other.view('i8')
+ else:
+ other = np.array(other, dtype='i8')
return values, other
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index e140ffd97051c..25487a081571a 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -1855,6 +1855,48 @@ def test_where_dups(self):
expected = Series([5,11,2,5,11,2],index=[0,1,2,0,1,2])
assert_series_equal(comb, expected)
+ def test_where_datetime(self):
+ s = Series(date_range('20130102', periods=2))
+ expected = Series([10, 10], dtype='datetime64[ns]')
+ mask = np.array([False, False])
+
+ rs = s.where(mask, [10, 10])
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, 10)
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, 10.0)
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, [10.0, 10.0])
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, [10.0, np.nan])
+ expected = Series([10, None], dtype='datetime64[ns]')
+ assert_series_equal(rs, expected)
+
+ def test_where_timedelta(self):
+ s = Series([1, 2], dtype='timedelta64[ns]')
+ expected = Series([10, 10], dtype='timedelta64[ns]')
+ mask = np.array([False, False])
+
+ rs = s.where(mask, [10, 10])
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, 10)
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, 10.0)
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, [10.0, 10.0])
+ assert_series_equal(rs, expected)
+
+ rs = s.where(mask, [10.0, np.nan])
+ expected = Series([10, None], dtype='timedelta64[ns]')
+ assert_series_equal(rs, expected)
+
def test_mask(self):
s = Series(np.random.randn(5))
cond = s > 0
| There are a few weird behaviors that this fixes:
1. If `other` is an `int` or `float`, then `where` throws an Exception while trying to call `other.view`
2. If `other` is an np.int64, it works fine
3. If `other` is an np.float64, there is no error, but the result is bizarre (it reinterprets the bits of the float as an integer, rather than casting it)
4. If `other` is list-like and has a numerical dtype, then it throws an exception while try to call `all` on the value False (for some reason, comparing an ndarray with dtype datetime64 and an ndarray with an integer dtype just returns a scalar False rather than a boolean ndarray)
```
>>> s = Series(date_range('20130102', periods=2))
>>> s.where(s.isnull(), 0)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/home/evanpw/Workspace/pandas/pandas/core/generic.py", line 3399, in where
try_cast=try_cast)
File "/home/evanpw/Workspace/pandas/pandas/core/internals.py", line 2469, in where
return self.apply('where', **kwargs)
File "/home/evanpw/Workspace/pandas/pandas/core/internals.py", line 2451, in apply
applied = getattr(b, f)(**kwargs)
File "/home/evanpw/Workspace/pandas/pandas/core/internals.py", line 1080, in where
result = func(cond, values, other)
File "/home/evanpw/Workspace/pandas/pandas/core/internals.py", line 1063, in func
v, o = self._try_coerce_args(v, o)
File "/home/evanpw/Workspace/pandas/pandas/core/internals.py", line 1819, in _try_coerce_args
other = other.view('i8')
AttributeError: 'int' object has no attribute 'view'
>>> s.where(s.isnull(), np.int64(10))
0 1970-01-01 00:00:00.000000010
1 1970-01-01 00:00:00.000000010
dtype: datetime64[ns]
>>> s.where(s.isnull(), np.float64(10))
0 2116-06-17 06:38:37.588971520
1 2116-06-17 06:38:37.588971520
dtype: datetime64[ns]
>>> s.where(s.isnull(), [0, 1])
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/home/evanpw/Workspace/pandas/pandas/core/generic.py", line 3326, in where
if not (new_other == np.array(other)).all():
AttributeError: 'bool' object has no attribute 'all'
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9804 | 2015-04-03T17:18:07Z | 2015-04-14T15:24:45Z | null | 2015-09-19T00:38:19Z |
DOC: Fix broken formatting on docstring examples with first-line comments | diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..3674cbcca1063 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -2723,7 +2723,8 @@ def interpolate(self, method='linear', axis=0, limit=None, inplace=False,
Examples
--------
- # Filling in NaNs:
+ Filling in NaNs
+
>>> s = pd.Series([0, 1, np.nan, 3])
>>> s.interpolate()
0 0
@@ -2902,13 +2903,13 @@ def groupby(self, by=None, axis=0, level=None, as_index=True, sort=True,
Examples
--------
- # DataFrame result
- >>> data.groupby(func, axis=0).mean()
+ DataFrame results
- # DataFrame result
+ >>> data.groupby(func, axis=0).mean()
>>> data.groupby(['col1', 'col2'])['col3'].mean()
- # DataFrame with hierarchical index
+ DataFrame with hierarchical index
+
>>> data.groupby(['col1', 'col2']).mean()
Returns
| Examples for `interpolate` and `groupby` weren't being formatted correctly. See http://pandas.pydata.org/pandas-docs/version/0.16.0/generated/pandas.Series.interpolate.html and http://pandas.pydata.org/pandas-docs/version/0.16.0/generated/pandas.Series.groupby.html
| https://api.github.com/repos/pandas-dev/pandas/pulls/9803 | 2015-04-03T14:40:44Z | 2015-04-28T12:00:28Z | 2015-04-28T12:00:28Z | 2015-09-19T00:38:25Z |
API: define _constructor_expanddim for subclassing Series and DataFrame | diff --git a/doc/source/faq.rst b/doc/source/faq.rst
index 467ec02b55f20..20762e3fc039f 100644
--- a/doc/source/faq.rst
+++ b/doc/source/faq.rst
@@ -369,3 +369,4 @@ just a thin layer around the ``QTableView``.
mw = MainWidget()
mw.show()
app.exec_()
+
diff --git a/doc/source/internals.rst b/doc/source/internals.rst
index 9418ca5265f1a..bc1189a8961d6 100644
--- a/doc/source/internals.rst
+++ b/doc/source/internals.rst
@@ -95,3 +95,155 @@ constructors ``from_tuples`` and ``from_arrays`` ensure that this is true, but
if you compute the levels and labels yourself, please be careful.
+.. _:
+
+Subclassing pandas Data Structures
+----------------------------------
+
+.. warning:: There are some easier alternatives before considering subclassing ``pandas`` data structures.
+
+ 1. Monkey-patching: See :ref:`Adding Features to your pandas Installation <ref-monkey-patching>`.
+
+ 2. Use *composition*. See `here <http://en.wikipedia.org/wiki/Composition_over_inheritance>`_.
+
+This section describes how to subclass ``pandas`` data structures to meet more specific needs. There are 2 points which need attention:
+
+1. Override constructor properties.
+2. Define original properties
+
+.. note:: You can find a nice example in `geopandas <https://github.com/geopandas/geopandas>`_ project.
+
+Override Constructor Properties
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+
+Each data structure has constructor properties to specifying data constructors. By overriding these properties, you can retain defined-classes through ``pandas`` data manipulations.
+
+There are 3 constructors to be defined:
+
+- ``_constructor``: Used when a manipulation result has the same dimesions as the original.
+- ``_constructor_sliced``: Used when a manipulation result has one lower dimension(s) as the original, such as ``DataFrame`` single columns slicing.
+- ``_constructor_expanddim``: Used when a manipulation result has one higher dimension as the original, such as ``Series.to_frame()`` and ``DataFrame.to_panel()``.
+
+Following table shows how ``pandas`` data structures define constructor properties by default.
+
+=========================== ======================= =================== =======================
+Property Attributes ``Series`` ``DataFrame`` ``Panel``
+=========================== ======================= =================== =======================
+``_constructor`` ``Series`` ``DataFrame`` ``Panel``
+``_constructor_sliced`` ``NotImplementedError`` ``Series`` ``DataFrame``
+``_constructor_expanddim`` ``DataFrame`` ``Panel`` ``NotImplementedError``
+=========================== ======================= =================== =======================
+
+Below example shows how to define ``SubclassedSeries`` and ``SubclassedDataFrame`` overriding constructor properties.
+
+.. code-block:: python
+
+ class SubclassedSeries(Series):
+
+ @property
+ def _constructor(self):
+ return SubclassedSeries
+
+ @property
+ def _constructor_expanddim(self):
+ return SubclassedDataFrame
+
+ class SubclassedDataFrame(DataFrame):
+
+ @property
+ def _constructor(self):
+ return SubclassedDataFrame
+
+ @property
+ def _constructor_sliced(self):
+ return SubclassedSeries
+
+.. code-block:: python
+
+ >>> s = SubclassedSeries([1, 2, 3])
+ >>> type(s)
+ <class '__main__.SubclassedSeries'>
+
+ >>> to_framed = s.to_frame()
+ >>> type(to_framed)
+ <class '__main__.SubclassedDataFrame'>
+
+ >>> df = SubclassedDataFrame({'A', [1, 2, 3], 'B': [4, 5, 6], 'C': [7, 8, 9]})
+ >>> df
+ A B C
+ 0 1 4 7
+ 1 2 5 8
+ 2 3 6 9
+
+ >>> type(df)
+ <class '__main__.SubclassedDataFrame'>
+
+ >>> sliced1 = df[['A', 'B']]
+ >>> sliced1
+ A B
+ 0 1 4
+ 1 2 5
+ 2 3 6
+ >>> type(sliced1)
+ <class '__main__.SubclassedDataFrame'>
+
+ >>> sliced2 = df['A']
+ >>> sliced2
+ 0 1
+ 1 2
+ 2 3
+ Name: A, dtype: int64
+ >>> type(sliced2)
+ <class '__main__.SubclassedSeries'>
+
+Define Original Properties
+~~~~~~~~~~~~~~~~~~~~~~~~~~
+
+To let original data structures have additional properties, you should let ``pandas`` knows what properties are added. ``pandas`` maps unknown properties to data names overriding ``__getattribute__``. Defining original properties can be done in one of 2 ways:
+
+1. Define ``_internal_names`` and ``_internal_names_set`` for temporary properties which WILL NOT be passed to manipulation results.
+2. Define ``_metadata`` for normal properties which will be passed to manipulation results.
+
+Below is an example to define 2 original properties, "internal_cache" as a temporary property and "added_property" as a normal property
+
+.. code-block:: python
+
+ class SubclassedDataFrame2(DataFrame):
+
+ # temporary properties
+ _internal_names = DataFrame._internal_names + ['internal_cache']
+ _internal_names_set = set(_internal_names)
+
+ # normal properties
+ _metadata = ['added_property']
+
+ @property
+ def _constructor(self):
+ return SubclassedDataFrame2
+
+.. code-block:: python
+
+ >>> df = SubclassedDataFrame2({'A', [1, 2, 3], 'B': [4, 5, 6], 'C': [7, 8, 9]})
+ >>> df
+ A B C
+ 0 1 4 7
+ 1 2 5 8
+ 2 3 6 9
+
+ >>> df.internal_cache = 'cached'
+ >>> df.added_property = 'property'
+
+ >>> df.internal_cache
+ cached
+ >>> df.added_property
+ property
+
+ # properties defined in _internal_names is reset after manipulation
+ >>> df[['A', 'B']].internal_cache
+ AttributeError: 'SubclassedDataFrame2' object has no attribute 'internal_cache'
+
+ # properties defined in _metadata are retained
+ >>> df[['A', 'B']].added_property
+ property
+
+
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8bd2939e2c805..7166801b3fbf0 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -56,6 +56,8 @@ Enhancements
- Trying to write an excel file now raises ``NotImplementedError`` if the ``DataFrame`` has a ``MultiIndex`` instead of writing a broken Excel file. (:issue:`9794`)
+- ``DataFrame`` and ``Series`` now have ``_constructor_expanddim`` property as overridable constructor for one higher dimensionality data. This should be used only when it is really needed, see :ref:`here <ref-subclassing-pandas>`
+
.. _whatsnew_0161.api:
API changes
diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index 4f7bc11cbf03c..272c401c18761 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -191,6 +191,11 @@ def _constructor(self):
_constructor_sliced = Series
+ @property
+ def _constructor_expanddim(self):
+ from pandas.core.panel import Panel
+ return Panel
+
def __init__(self, data=None, index=None, columns=None, dtype=None,
copy=False):
if data is None:
@@ -1061,8 +1066,6 @@ def to_panel(self):
-------
panel : Panel
"""
- from pandas.core.panel import Panel
-
# only support this kind for now
if (not isinstance(self.index, MultiIndex) or # pragma: no cover
len(self.index.levels) != 2):
@@ -1100,7 +1103,7 @@ def to_panel(self):
shape=shape,
ref_items=selfsorted.columns)
- return Panel(new_mgr)
+ return self._constructor_expanddim(new_mgr)
to_wide = deprecate('to_wide', to_panel)
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 8bd85a008f077..9624b1308239c 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -155,6 +155,10 @@ def _local_dir(self):
def _constructor_sliced(self):
raise AbstractMethodError(self)
+ @property
+ def _constructor_expanddim(self):
+ raise NotImplementedError
+
#----------------------------------------------------------------------
# Axis
diff --git a/pandas/core/series.py b/pandas/core/series.py
index f9c56db018639..7bcf6c6671152 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -236,6 +236,11 @@ def from_array(cls, arr, index=None, name=None, dtype=None, copy=False,
def _constructor(self):
return Series
+ @property
+ def _constructor_expanddim(self):
+ from pandas.core.frame import DataFrame
+ return DataFrame
+
# types
@property
def _can_hold_na(self):
@@ -1047,11 +1052,10 @@ def to_frame(self, name=None):
-------
data_frame : DataFrame
"""
- from pandas.core.frame import DataFrame
if name is None:
- df = DataFrame(self)
+ df = self._constructor_expanddim(self)
else:
- df = DataFrame({name: self})
+ df = self._constructor_expanddim({name: self})
return df
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index bcba891ee7e9d..c001f35ab65cc 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -31,7 +31,7 @@
import pandas.core.common as com
import pandas.core.format as fmt
import pandas.core.datetools as datetools
-from pandas import (DataFrame, Index, Series, notnull, isnull,
+from pandas import (DataFrame, Index, Series, Panel, notnull, isnull,
MultiIndex, DatetimeIndex, Timestamp, date_range,
read_csv, timedelta_range, Timedelta,
option_context)
@@ -14214,6 +14214,26 @@ def _constructor(self):
# GH9776
self.assertEqual(df.iloc[0:1, :].testattr, 'XXX')
+ def test_to_panel_expanddim(self):
+ # GH 9762
+
+ class SubclassedFrame(DataFrame):
+ @property
+ def _constructor_expanddim(self):
+ return SubclassedPanel
+
+ class SubclassedPanel(Panel):
+ pass
+
+ index = MultiIndex.from_tuples([(0, 0), (0, 1), (0, 2)])
+ df = SubclassedFrame({'X':[1, 2, 3], 'Y': [4, 5, 6]}, index=index)
+ result = df.to_panel()
+ self.assertTrue(isinstance(result, SubclassedPanel))
+ expected = SubclassedPanel([[[1, 2, 3]], [[4, 5, 6]]],
+ items=['X', 'Y'], major_axis=[0],
+ minor_axis=[0, 1, 2])
+ tm.assert_panel_equal(result, expected)
+
def skip_if_no_ne(engine='numexpr'):
if engine == 'numexpr':
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index c3b43f3ec70c0..b5ada4cf39b5e 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -6851,6 +6851,22 @@ def test_searchsorted_sorter(self):
e = np.array([0, 2])
tm.assert_array_equal(r, e)
+ def test_to_frame_expanddim(self):
+ # GH 9762
+
+ class SubclassedSeries(Series):
+ @property
+ def _constructor_expanddim(self):
+ return SubclassedFrame
+
+ class SubclassedFrame(DataFrame):
+ pass
+
+ s = SubclassedSeries([1, 2, 3], name='X')
+ result = s.to_frame()
+ self.assertTrue(isinstance(result, SubclassedFrame))
+ expected = SubclassedFrame({'X': [1, 2, 3]})
+ assert_frame_equal(result, expected)
class TestSeriesNonUnique(tm.TestCase):
| Closes #9762. Does this needs release note?
| https://api.github.com/repos/pandas-dev/pandas/pulls/9802 | 2015-04-03T14:39:25Z | 2015-04-18T23:18:34Z | 2015-04-18T23:18:33Z | 2015-04-22T13:55:12Z |
DOC: str.split to use return_type in an example | diff --git a/doc/source/text.rst b/doc/source/text.rst
index 2d46b37853cee..a98153e277fae 100644
--- a/doc/source/text.rst
+++ b/doc/source/text.rst
@@ -42,18 +42,18 @@ Methods like ``split`` return a Series of lists:
s2 = Series(['a_b_c', 'c_d_e', np.nan, 'f_g_h'])
s2.str.split('_')
-Easy to expand this to return a DataFrame
+Elements in the split lists can be accessed using ``get`` or ``[]`` notation:
.. ipython:: python
- s2.str.split('_').apply(Series)
+ s2.str.split('_').str.get(1)
+ s2.str.split('_').str[1]
-Elements in the split lists can be accessed using ``get`` or ``[]`` notation:
+Easy to expand this to return a DataFrame using ``return_type``.
.. ipython:: python
- s2.str.split('_').str.get(1)
- s2.str.split('_').str[1]
+ s2.str.split('_', return_type='frame')
Methods like ``replace`` and ``findall`` take `regular expressions
<https://docs.python.org/2/library/re.html>`__, too:
| https://api.github.com/repos/pandas-dev/pandas/pulls/9801 | 2015-04-03T13:54:35Z | 2015-04-03T18:52:09Z | 2015-04-03T18:52:09Z | 2015-04-06T10:10:41Z | |
Closes #9795 (Stata writer changes input frame) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..b24815fe62ba8 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -65,7 +65,7 @@ Bug Fixes
- Bug in ``scatter_matrix`` draws unexpected axis ticklabels (:issue:`5662`)
-
+- Fixed bug in ``StataWriter`` resulting in changes to input ``DataFrame`` upon save (:issue:`9795`).
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
diff --git a/pandas/io/stata.py b/pandas/io/stata.py
index 7dd32fd00a4d2..3972bad7b2d83 100644
--- a/pandas/io/stata.py
+++ b/pandas/io/stata.py
@@ -1885,6 +1885,8 @@ def _prepare_pandas(self, data):
#NOTE: we might need a different API / class for pandas objects so
# we can set different semantics - handle this with a PR to pandas.io
+ data = data.copy()
+
if self._write_index:
data = data.reset_index()
@@ -2013,7 +2015,7 @@ def _write_variable_labels(self, labels=None):
self._write(_pad_bytes("", 81))
def _prepare_data(self):
- data = self.data.copy()
+ data = self.data
typlist = self.typlist
convert_dates = self._convert_dates
# 1. Convert dates
diff --git a/pandas/io/tests/test_stata.py b/pandas/io/tests/test_stata.py
index 8b44be61d5f66..0aaf018b21584 100644
--- a/pandas/io/tests/test_stata.py
+++ b/pandas/io/tests/test_stata.py
@@ -290,6 +290,15 @@ def test_stata_doc_examples(self):
df = DataFrame(np.random.randn(10, 2), columns=list('AB'))
df.to_stata(path)
+ def test_write_preserves_original(self):
+ # 9795
+ np.random.seed(423)
+ df = pd.DataFrame(np.random.randn(5,4), columns=list('abcd'))
+ df.ix[2, 'a':'c'] = np.nan
+ df_copy = df.copy()
+ df.to_stata('test.dta', write_index=False)
+ tm.assert_frame_equal(df, df_copy)
+
def test_encoding(self):
# GH 4626, proper encoding handling
| closes #9795
Just needed to move the data frame copy earlier in the execution path.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9800 | 2015-04-03T12:44:36Z | 2015-04-07T10:28:47Z | null | 2015-11-12T23:44:34Z |
DOC: regenerate CONTRIBUTING.md | diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index 5329bad1d90e4..f7041dbabdad5 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -1,105 +1,571 @@
-### Guidelines
+Contributing to pandas
+======================
+
+Where to start?
+---------------
All contributions, bug reports, bug fixes, documentation improvements,
enhancements and ideas are welcome.
-The [GitHub "issues" tab](https://github.com/pydata/pandas/issues)
-contains some issues labeled "Good as first PR"; Look those up if you're
-looking for a quick way to help out.
+If you are simply looking to start working with the *pandas* codebase,
+navigate to the [GitHub "issues"
+tab](https://github.com/pydata/pandas/issues) and start looking through
+interesting issues. There are a number of issues listed under
+[Docs](https://github.com/pydata/pandas/issues?labels=Docs&sort=updated&state=open)
+and [Good as first
+PR](https://github.com/pydata/pandas/issues?labels=Good+as+first+PR&sort=updated&state=open)
+where you could start out.
-#### Bug Reports
+Or maybe through using *pandas* you have an idea of you own or are
+looking for something in the documentation and thinking 'this can be
+improved'...you can do something about it!
- - Please include a short, self-contained Python snippet reproducing the problem.
- You can have the code formatted nicely by using [GitHub Flavored Markdown](http://github.github.com/github-flavored-markdown/) :
+Feel free to ask questions on [mailing
+list](https://groups.google.com/forum/?fromgroups#!forum/pydata)
- ```python
+Bug Reports/Enhancement Requests
+--------------------------------
+
+Bug reports are an important part of making *pandas* more stable. Having
+a complete bug report will allow others to reproduce the bug and provide
+insight into fixing. Since many versions of *pandas* are supported,
+knowing version information will also identify improvements made since
+previous versions. Often trying the bug-producing code out on the
+*master* branch is a worthwhile exercise to confirm the bug still
+exists. It is also worth searching existing bug reports and pull
+requests to see if the issue has already been reported and/or fixed.
+
+Bug reports must:
+
+1. Include a short, self-contained Python snippet reproducing the
+ problem. You can have the code formatted nicely by using [GitHub
+ Flavored
+ Markdown](http://github.github.com/github-flavored-markdown/): :
+ ```python
>>> from pandas import DataFrame
>>> df = DataFrame(...)
...
```
- - Include the full version string of pandas and its dependencies. In recent (>0.12) versions
- of pandas you can use a built in function:
-
- ```python
- >>> from pandas.util.print_versions import show_versions
- >>> show_versions()
- ```
-
- and in 0.13.1 onwards:
- ```python
- >>> pd.show_versions()
- ```
- - Explain what the expected behavior was, and what you saw instead.
-
-#### Pull Requests
-
-##### Testing:
- - Every addition to the codebase whether it be a bug or new feature should have associated tests. The can be placed in the `tests` directory where your code change occurs.
- - When writing tests, use 2.6 compatible `self.assertFoo` methods. Some polyfills such as `assertRaises`
- can be found in `pandas.util.testing`.
- - Do not attach doctrings to tests. Make the test itself readable and use comments if needed.
- - **Make sure the test suite passes** on your box, use the provided `test_*.sh` scripts or tox. Pandas tests a variety of platforms and Python versions so be cognizant of cross-platorm considerations.
- - Performance matters. Make sure your PR hasn't introduced performance regressions by using `test_perf.sh`. See [vbench performance tests](https://github.com/pydata/pandas/wiki/Performance-Testing) wiki for more information on running these tests.
- - For more information on testing see [Testing advice and best practices in `pandas`](https://github.com/pydata/pandas/wiki/Testing)
-
-##### Documentation / Commit Messages:
- - Docstrings follow the [numpydoc](https://github.com/numpy/numpy/blob/master/doc/HOWTO_DOCUMENT.rst.txt) format.
- - Keep style fixes to a separate commit to make your PR more readable.
- - An informal commit message format is in effect for the project. Please try
- and adhere to it. Check `git log` for examples. Here are some common prefixes
- along with general guidelines for when to use them:
- - **ENH**: Enhancement, new functionality
- - **BUG**: Bug fix
- - **DOC**: Additions/updates to documentation
- - **TST**: Additions/updates to tests
- - **BLD**: Updates to the build process/scripts
- - **PERF**: Performance improvement
- - **CLN**: Code cleanup
- - Use [proper commit messages](http://tbaggery.com/2008/04/19/a-note-about-git-commit-messages.html):
- - a subject line with `< 80` chars.
- - One blank line.
- - Optionally, a commit message body.
- - Please reference relevant Github issues in your commit message using `GH1234`
- or `#1234`. Either style is fine but the '#' style generates noise when your rebase your PR.
- - `doc/source/vx.y.z.txt` contains an ongoing
- changelog for each release. Add an entry to this file
- as needed in your PR: document the fix, enhancement,
- or (unavoidable) breaking change.
- - Maintain backward-compatibility. Pandas has lots of users with lots of existing code. Don't break it.
- - If you think breakage is required clearly state why as part of the PR.
- - Be careful when changing method signatures.
- - Add deprecation warnings where needed.
- - Generally, pandas source files should not contain attributions. You can include a "thanks to..."
- in the release changelog. The rest is `git blame`/`git log`.
-
-##### Workflow/Git
- - When you start working on a PR, start by creating a new branch pointing at the latest
- commit on github master.
- - **Do not** merge upstream into a branch you're going to submit as a PR.
- Use `git rebase` against the current github master.
- - For extra brownie points, you can squash and reorder the commits in your PR using `git rebase -i`.
- Use your own judgment to decide what history needs to be preserved. If git frightens you, that's OK too.
- - Use `raise AssertionError` over `assert` unless you want the assertion stripped by `python -o`.
- - The pandas copyright policy is detailed in the pandas [LICENSE](https://github.com/pydata/pandas/blob/master/LICENSE).
- - On the subject of [PEP8](http://www.python.org/dev/peps/pep-0008/): yes.
- - [Git tips and tricks](https://github.com/pydata/pandas/wiki/Using-Git)
-
-##### Code standards:
- - We've written a tool to check that your commits are PEP8 great,
- [`pip install pep8radius`](https://github.com/hayd/pep8radius). Look at PEP8 fixes in your branch
- vs master with `pep8radius master --diff` and make these changes with
- `pep8radius master --diff --in-place`.
- - On the subject of a massive PEP8-storm touching everything: not too often (once per release works).
- - Additional standards are outlined on the [code style wiki page](https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions)
-
-### Notes on plotting function conventions
-
-https://groups.google.com/forum/#!topic/pystatsmodels/biNlCvJPNNY/discussion
-
-#### More developer docs
-* See the [developers](http://pandas.pydata.org/developers.html) page on the
- project website for more details.
-* [`pandas` wiki](https://github.com/pydata/pandas/wiki) constains useful pages for development and general pandas usage
-* [Tips and tricks](https://github.com/pydata/pandas/wiki/Tips-&-Tricks)
+2. Include the full version string of *pandas* and its dependencies. In
+ recent (\>0.12) versions of *pandas* you can use a built in
+ function: :
+
+ >>> from pandas.util.print_versions import show_versions
+ >>> show_versions()
+
+ and in 0.13.1 onwards: :
+
+ >>> pd.show_versions()
+
+3. Explain why the current behavior is wrong/not desired and what you
+ expect instead.
+
+The issue will then show up to the *pandas* community and be open to
+comments/ideas from others.
+
+Working with the code
+---------------------
+
+Now that you have an issue you want to fix, enhancement to add, or
+documentation to improve, you need to learn how to work with GitHub and
+the *pandas* code base.
+
+### Version Control, Git, and GitHub
+
+To the new user, working with Git is one of the more daunting aspects of
+contributing to *pandas*. It can very quickly become overwhelming, but
+sticking to the guidelines below will make the process straightforward
+and will work without much trouble. As always, if you are having
+difficulties please feel free to ask for help.
+
+The code is hosted on [GitHub](https://www.github.com/pydata/pandas). To
+contribute you will need to sign up for a [free GitHub
+account](https://github.com/signup/free). We use
+[Git](http://git-scm.com/) for version control to allow many people to
+work together on the project.
+
+Some great resources for learning git:
+
+- the [GitHub help pages](http://help.github.com/).
+- the [NumPy's
+ documentation](http://docs.scipy.org/doc/numpy/dev/index.html).
+- Matthew Brett's
+ [Pydagogue](http://matthew-brett.github.com/pydagogue/).
+
+### Getting Started with Git
+
+[GitHub has instructions](http://help.github.com/set-up-git-redirect)
+for installing git, setting up your SSH key, and configuring git. All
+these steps need to be completed before working seamlessly with your
+local repository and GitHub.
+
+### Forking
+
+You will need your own fork to work on the code. Go to the [pandas
+project page](https://github.com/pydata/pandas) and hit the *fork*
+button. You will want to clone your fork to your machine: :
+
+ git clone git@github.com:your-user-name/pandas.git pandas-yourname
+ cd pandas-yourname
+ git remote add upstream git://github.com/pydata/pandas.git
+
+This creates the directory pandas-yourname and connects your repository
+to the upstream (main project) *pandas* repository.
+
+You will also need to hook up Travis-CI to your GitHub repository so the
+suite is automatically run when a Pull Request is submitted.
+Instructions are
+[here](http://about.travis-ci.org/docs/user/getting-started/).
+
+### Creating a Branch
+
+You want your master branch to reflect only production-ready code, so
+create a feature branch for making your changes. For example:
+
+ git branch shiny-new-feature
+ git checkout shiny-new-feature
+
+The above can be simplified to:
+
+ git checkout -b shiny-new-feature
+
+This changes your working directory to the shiny-new-feature branch.
+Keep any changes in this branch specific to one bug or feature so it is
+clear what the branch brings to *pandas*. You can have many
+shiny-new-features and switch in between them using the git checkout
+command.
+
+### Making changes
+
+Before making your code changes, it is often necessary to build the code
+that was just checked out. There are two primary methods of doing this.
+
+1. The best way to develop *pandas* is to build the C extensions
+ in-place by running:
+
+ python setup.py build_ext --inplace
+
+ If you startup the Python interpreter in the *pandas* source
+ directory you will call the built C extensions
+
+2. Another very common option is to do a `develop` install of *pandas*:
+
+ python setup.py develop
+
+ This makes a symbolic link that tells the Python interpreter to
+ import *pandas* from your development directory. Thus, you can
+ always be using the development version on your system without being
+ inside the clone directory.
+
+Contributing to the documentation
+---------------------------------
+
+If you're not the developer type, contributing to the documentation is
+still of huge value. You don't even have to be an expert on *pandas* to
+do so! Something as simple as rewriting small passages for clarity as
+you reference the docs is a simple but effective way to contribute. The
+next person to read that passage will be in your debt!
+
+Actually, there are sections of the docs that are worse off by being
+written by experts. If something in the docs doesn't make sense to you,
+updating the relevant section after you figure it out is a simple way to
+ensure it will help the next person.
+
+### About the pandas documentation
+
+The documentation is written in **reStructuredText**, which is almost
+like writing in plain English, and built using
+[Sphinx](http://sphinx.pocoo.org/). The Sphinx Documentation has an
+excellent [introduction to reST](http://sphinx.pocoo.org/rest.html).
+Review the Sphinx docs to perform more complex changes to the
+documentation as well.
+
+Some other important things to know about the docs:
+
+- The *pandas* documentation consists of two parts: the docstrings in
+ the code itself and the docs in this folder `pandas/doc/`.
+
+ The docstrings provide a clear explanation of the usage of the
+ individual functions, while the documentation in this folder
+ consists of tutorial-like overviews per topic together with some
+ other information (what's new, installation, etc).
+
+- The docstrings follow the **Numpy Docstring Standard** which is used
+ widely in the Scientific Python community. This standard specifies
+ the format of the different sections of the docstring. See [this
+ document](https://github.com/numpy/numpy/blob/master/doc/HOWTO_DOCUMENT.rst.txt)
+ for a detailed explanation, or look at some of the existing
+ functions to extend it in a similar manner.
+- The tutorials make heavy use of the [ipython
+ directive](http://matplotlib.org/sampledoc/ipython_directive.html)
+ sphinx extension. This directive lets you put code in the
+ documentation which will be run during the doc build. For example:
+
+ .. ipython:: python
+
+ x = 2
+ x**3
+
+ will be rendered as
+
+ In [1]: x = 2
+
+ In [2]: x**3
+ Out[2]: 8
+
+ This means that almost all code examples in the docs are always run
+ (and the output saved) during the doc build. This way, they will
+ always be up to date, but it makes the doc building a bit more
+ complex.
+
+### How to build the pandas documentation
+
+#### Requirements
+
+To build the *pandas* docs there are some extra requirements: you will
+need to have `sphinx` and `ipython` installed.
+[numpydoc](https://github.com/numpy/numpydoc) is used to parse the
+docstrings that follow the Numpy Docstring Standard (see above), but you
+don't need to install this because a local copy of `numpydoc` is
+included in the *pandas* source code.
+
+Furthermore, it is recommended to have all [optional
+dependencies](http://pandas.pydata.org/pandas-docs/dev/install.html#optional-dependencies)
+installed. This is not needed, but be aware that you will see some error
+messages. Because all the code in the documentation is executed during
+the doc build, the examples using this optional dependencies will
+generate errors. Run `pd.show_versions()` to get an overview of the
+installed version of all dependencies.
+
+> **warning**
+>
+> Sphinx version \>= 1.2.2 or the older 1.1.3 is required.
+
+#### Building the documentation
+
+So how do you build the docs? Navigate to your local the folder
+`pandas/doc/` directory in the console and run:
+
+ python make.py html
+
+And then you can find the html output in the folder
+`pandas/doc/build/html/`.
+
+The first time it will take quite a while, because it has to run all the
+code examples in the documentation and build all generated docstring
+pages. In subsequent evocations, sphinx will try to only build the pages
+that have been modified.
+
+If you want to do a full clean build, do:
+
+ python make.py clean
+ python make.py build
+
+Starting with 0.13.1 you can tell `make.py` to compile only a single
+section of the docs, greatly reducing the turn-around time for checking
+your changes. You will be prompted to delete .rst files that aren't
+required, since the last committed version can always be restored from
+git.
+
+ #omit autosummary and API section
+ python make.py clean
+ python make.py --no-api
+
+ # compile the docs with only a single
+ # section, that which is in indexing.rst
+ python make.py clean
+ python make.py --single indexing
+
+For comparison, a full documentation build may take 10 minutes. a
+`-no-api` build may take 3 minutes and a single section may take 15
+seconds. However, subsequent builds only process portions you changed.
+Now, open the following file in a web browser to see the full
+documentation you just built:
+
+ pandas/docs/build/html/index.html
+
+And you'll have the satisfaction of seeing your new and improved
+documentation!
+
+Contributing to the code base
+-----------------------------
+
+### Code Standards
+
+*pandas* uses the [PEP8](http://www.python.org/dev/peps/pep-0008/)
+standard. There are several tools to ensure you abide by this standard.
+
+We've written a tool to check that your commits are PEP8 great, [pip
+install pep8radius](https://github.com/hayd/pep8radius). Look at PEP8
+fixes in your branch vs master with:
+
+ pep8radius master --diff` and make these changes with `pep8radius master --diff --in-place`
+
+Alternatively, use [flake8](http://pypi.python.org/pypi/flake8) tool for
+checking the style of your code. Additional standards are outlined on
+the [code style wiki
+page](https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions).
+
+Please try to maintain backward-compatibility. *Pandas* has lots of
+users with lots of existing code, so don't break it if at all possible.
+If you think breakage is required clearly state why as part of the Pull
+Request. Also, be careful when changing method signatures and add
+deprecation warnings where needed.
+
+### Test-driven Development/Writing Code
+
+*Pandas* is serious about [Test-driven Development
+(TDD)](http://en.wikipedia.org/wiki/Test-driven_development). This
+development process "relies on the repetition of a very short
+development cycle: first the developer writes an (initially failing)
+automated test case that defines a desired improvement or new function,
+then produces the minimum amount of code to pass that test." So, before
+actually writing any code, you should write your tests. Often the test
+can be taken from the original GitHub issue. However, it is always worth
+considering additional use cases and writing corresponding tests.
+
+Adding tests is one of the most common requests after code is pushed to
+*pandas*. It is worth getting in the habit of writing tests ahead of
+time so this is never an issue.
+
+Like many packages, *pandas* uses the [Nose testing
+system](http://somethingaboutorange.com/mrl/projects/nose/) and the
+convenient extensions in
+[numpy.testing](http://docs.scipy.org/doc/numpy/reference/routines.testing.html).
+
+#### Writing tests
+
+All tests should go into the *tests* subdirectory of the specific
+package. There are probably many examples already there and looking to
+these for inspiration is suggested. If you test requires working with
+files or network connectivity there is more information on the [testing
+page](https://github.com/pydata/pandas/wiki/Testing) of the wiki.
+
+The `pandas.util.testing` module has many special `assert` functions
+that make it easier to make statements about whether Series or DataFrame
+objects are equivalent. The easiest way to verify that your code is
+correct is to explicitly construct the result you expect, then compare
+the actual result to the expected correct result:
+
+ def test_pivot(self):
+ data = {
+ 'index' : ['A', 'B', 'C', 'C', 'B', 'A'],
+ 'columns' : ['One', 'One', 'One', 'Two', 'Two', 'Two'],
+ 'values' : [1., 2., 3., 3., 2., 1.]
+ }
+
+ frame = DataFrame(data)
+ pivoted = frame.pivot(index='index', columns='columns', values='values')
+
+ expected = DataFrame({
+ 'One' : {'A' : 1., 'B' : 2., 'C' : 3.},
+ 'Two' : {'A' : 1., 'B' : 2., 'C' : 3.}
+ })
+
+ assert_frame_equal(pivoted, expected)
+
+#### Running the test suite
+
+The tests can then be run directly inside your git clone (without having
+to install *pandas*) by typing::
+
+ nosetests pandas
+
+The tests suite is exhaustive and takes around 20 minutes to run. Often
+it is worth running only a subset of tests first around your changes
+before running the entire suite. This is done using one of the following
+constructs:
+
+ nosetests pandas/tests/[test-module].py
+ nosetests pandas/tests/[test-module].py:[TestClass]
+ nosetests pandas/tests/[test-module].py:[TestClass].[test_method]
+
+#### Running the performance test suite
+
+Performance matters and it is worth considering that your code has not
+introduced performance regressions. Currently *pandas* uses the [vbench
+library](https://github.com/pydata/vbench) to enable easy monitoring of
+the performance of critical *pandas* operations. These benchmarks are
+all found in the `pandas/vb_suite` directory. vbench currently only
+works on python2.
+
+To install vbench:
+
+ pip install git+https://github.com/pydata/vbench
+
+Vbench also requires sqlalchemy, gitpython, and psutil which can all be
+installed using pip. If you need to run a benchmark, change your
+directory to the *pandas* root and run:
+
+ ./test_perf.sh -b master -t HEAD
+
+This will checkout the master revision and run the suite on both master
+and your commit. Running the full test suite can take up to one hour and
+use up to 3GB of RAM. Usually it is sufficient to past a subset of the
+results in to the Pull Request to show that the committed changes do not
+cause unexpected performance regressions.
+
+You can run specific benchmarks using the *-r* flag which takes a
+regular expression.
+
+See the [performance testing
+wiki](https://github.com/pydata/pandas/wiki/Performance-Testing) for
+information on how to write a benchmark.
+
+### Documenting your code
+
+Changes should be reflected in the release notes located in
+doc/source/whatsnew/vx.y.z.txt. This file contains an ongoing change log
+for each release. Add an entry to this file to document your fix,
+enhancement or (unavoidable) breaking change. Make sure to include the
+GitHub issue number when adding your entry.
+
+If your code is an enhancement, it is most likely necessary to add usage
+examples to the existing documentation. This can be done following the
+section regarding documentation.
+
+Contributing your changes to *pandas*
+-------------------------------------
+
+### Committing your code
+
+Keep style fixes to a separate commit to make your PR more readable.
+
+Once you've made changes, you can see them by typing:
+
+ git status
+
+If you've created a new file, it is not being tracked by git. Add it by
+typing :
+
+ git add path/to/file-to-be-added.py
+
+Doing 'git status' again should give something like :
+
+ # On branch shiny-new-feature
+ #
+ # modified: /relative/path/to/file-you-added.py
+ #
+
+Finally, commit your changes to your local repository with an
+explanatory message. An informal commit message format is in effect for
+the project. Please try to adhere to it. Here are some common prefixes
+along with general guidelines for when to use them:
+
+> - ENH: Enhancement, new functionality
+> - BUG: Bug fix
+> - DOC: Additions/updates to documentation
+> - TST: Additions/updates to tests
+> - BLD: Updates to the build process/scripts
+> - PERF: Performance improvement
+> - CLN: Code cleanup
+
+The following defines how a commit message should be structured. Please
+reference the relevant GitHub issues in your commit message using GH1234
+or \#1234. Either style is fine, but the former is generally preferred:
+
+> - a subject line with \< 80 chars.
+> - One blank line.
+> - Optionally, a commit message body.
+
+Now you can commit your changes in your local repository:
+
+ git commit -m
+
+If you have multiple commits, it is common to want to combine them into
+one commit, often referred to as "squashing" or "rebasing". This is a
+common request by package maintainers when submitting a Pull Request as
+it maintains a more compact commit history. To rebase your commits:
+
+ git rebase -i HEAD~#
+
+Where \# is the number of commits you want to combine. Then you can pick
+the relevant commit message and discard others.
+
+### Pushing your changes
+
+When you want your changes to appear publicly on your GitHub page, push
+your forked feature branch's commits :
+
+ git push origin shiny-new-feature
+
+Here origin is the default name given to your remote repository on
+GitHub. You can see the remote repositories :
+
+ git remote -v
+
+If you added the upstream repository as described above you will see
+something like :
+
+ origin git@github.com:yourname/pandas.git (fetch)
+ origin git@github.com:yourname/pandas.git (push)
+ upstream git://github.com/pydata/pandas.git (fetch)
+ upstream git://github.com/pydata/pandas.git (push)
+
+Now your code is on GitHub, but it is not yet a part of the *pandas*
+project. For that to happen, a Pull Request needs to be submitted on
+GitHub.
+
+### Review your code
+
+When you're ready to ask for a code review, you will file a Pull
+Request. Before you do, again make sure you've followed all the
+guidelines outlined in this document regarding code style, tests,
+performance tests, and documentation. You should also double check your
+branch changes against the branch it was based off of:
+
+1. Navigate to your repository on
+ GitHub--<https://github.com/your-user-name/pandas>.
+2. Click on Branches.
+3. Click on the Compare button for your feature branch.
+4. Select the base and compare branches, if necessary. This will be
+ master and shiny-new-feature, respectively.
+
+### Finally, make the Pull Request
+
+If everything looks good you are ready to make a Pull Request. A Pull
+Request is how code from a local repository becomes available to the
+GitHub community and can be looked at and eventually merged into the
+master version. This Pull Request and its associated changes will
+eventually be committed to the master branch and available in the next
+release. To submit a Pull Request:
+
+1. Navigate to your repository on GitHub.
+2. Click on the Pull Request button.
+3. You can then click on Commits and Files Changed to make sure
+ everything looks okay one last time.
+4. Write a description of your changes in the Preview Discussion tab.
+5. Click Send Pull Request.
+
+This request then appears to the repository maintainers, and they will
+review the code. If you need to make more changes, you can make them in
+your branch, push them to GitHub, and the pull request will be
+automatically updated. Pushing them to GitHub again is done by:
+
+ git push -f origin shiny-new-feature
+
+This will automatically update your Pull Request with the latest code
+and restart the Travis-CI tests.
+
+### Delete your merged branch (optional)
+
+Once your feature branch is accepted into upstream, you'll probably want
+to get rid of the branch. First, merge upstream master into your branch
+so git knows it is safe to delete your branch :
+
+ git fetch upstream
+ git checkout master
+ git merge upstream/master
+
+Then you can just do:
+
+ git branch -d shiny-new-feature
+
+Make sure you use a lower-case -d, or else git won't warn you if your
+feature branch has not actually been merged.
+
+The branch will still exist on GitHub, so to delete it there do :
+
+ git push origin --delete shiny-new-feature
diff --git a/doc/source/contributing.rst b/doc/source/contributing.rst
index 68bd6109b85d7..b3b2d272e66c6 100644
--- a/doc/source/contributing.rst
+++ b/doc/source/contributing.rst
@@ -13,8 +13,8 @@ Where to start?
All contributions, bug reports, bug fixes, documentation improvements,
enhancements and ideas are welcome.
-If you are simply looking to start working with the *pandas* codebase, navigate to the
-`GitHub "issues" tab <https://github.com/pydata/pandas/issues>`_ and start looking through
+If you are simply looking to start working with the *pandas* codebase, navigate to the
+`GitHub "issues" tab <https://github.com/pydata/pandas/issues>`_ and start looking through
interesting issues. There are a number of issues listed under `Docs
<https://github.com/pydata/pandas/issues?labels=Docs&sort=updated&state=open>`_
and `Good as first PR
@@ -31,11 +31,11 @@ Feel free to ask questions on `mailing list
Bug Reports/Enhancement Requests
================================
-Bug reports are an important part of making *pandas* more stable. Having a complete bug report
-will allow others to reproduce the bug and provide insight into fixing. Since many versions of
-*pandas* are supported, knowing version information will also identify improvements made since
-previous versions. Often trying the bug-producing code out on the *master* branch is a worthwhile exercise
-to confirm the bug still exists. It is also worth searching existing bug reports and pull requests
+Bug reports are an important part of making *pandas* more stable. Having a complete bug report
+will allow others to reproduce the bug and provide insight into fixing. Since many versions of
+*pandas* are supported, knowing version information will also identify improvements made since
+previous versions. Often trying the bug-producing code out on the *master* branch is a worthwhile exercise
+to confirm the bug still exists. It is also worth searching existing bug reports and pull requests
to see if the issue has already been reported and/or fixed.
Bug reports must:
@@ -59,7 +59,7 @@ Bug reports must:
and in 0.13.1 onwards: ::
>>> pd.show_versions()
-
+
#. Explain why the current behavior is wrong/not desired and what you expect instead.
The issue will then show up to the *pandas* community and be open to comments/ideas from others.
@@ -67,15 +67,15 @@ The issue will then show up to the *pandas* community and be open to comments/id
Working with the code
=====================
-Now that you have an issue you want to fix, enhancement to add, or documentation to improve,
+Now that you have an issue you want to fix, enhancement to add, or documentation to improve,
you need to learn how to work with GitHub and the *pandas* code base.
Version Control, Git, and GitHub
--------------------------------
-To the new user, working with Git is one of the more daunting aspects of contributing to *pandas*.
-It can very quickly become overwhelming, but sticking to the guidelines below will make the process
-straightforward and will work without much trouble. As always, if you are having difficulties please
+To the new user, working with Git is one of the more daunting aspects of contributing to *pandas*.
+It can very quickly become overwhelming, but sticking to the guidelines below will make the process
+straightforward and will work without much trouble. As always, if you are having difficulties please
feel free to ask for help.
The code is hosted on `GitHub <https://www.github.com/pydata/pandas>`_. To
@@ -85,14 +85,14 @@ version control to allow many people to work together on the project.
Some great resources for learning git:
- * the `GitHub help pages <http://help.github.com/>`_.
- * the `NumPy's documentation <http://docs.scipy.org/doc/numpy/dev/index.html>`_.
- * Matthew Brett's `Pydagogue <http://matthew-brett.github.com/pydagogue/>`_.
+* the `GitHub help pages <http://help.github.com/>`_.
+* the `NumPy's documentation <http://docs.scipy.org/doc/numpy/dev/index.html>`_.
+* Matthew Brett's `Pydagogue <http://matthew-brett.github.com/pydagogue/>`_.
Getting Started with Git
------------------------
-`GitHub has instructions <http://help.github.com/set-up-git-redirect>`__ for installing git,
+`GitHub has instructions <http://help.github.com/set-up-git-redirect>`__ for installing git,
setting up your SSH key, and configuring git. All these steps need to be completed before
working seamlessly with your local repository and GitHub.
@@ -110,7 +110,7 @@ want to clone your fork to your machine: ::
This creates the directory `pandas-yourname` and connects your repository to
the upstream (main project) *pandas* repository.
-You will also need to hook up Travis-CI to your GitHub repository so the suite
+You will also need to hook up Travis-CI to your GitHub repository so the suite
is automatically run when a Pull Request is submitted. Instructions are `here
<http://about.travis-ci.org/docs/user/getting-started/>`_.
@@ -127,27 +127,27 @@ The above can be simplified to::
git checkout -b shiny-new-feature
-This changes your working directory to the shiny-new-feature branch. Keep any
-changes in this branch specific to one bug or feature so it is clear
-what the branch brings to *pandas*. You can have many shiny-new-features
+This changes your working directory to the shiny-new-feature branch. Keep any
+changes in this branch specific to one bug or feature so it is clear
+what the branch brings to *pandas*. You can have many shiny-new-features
and switch in between them using the git checkout command.
Making changes
--------------
-Before making your code changes, it is often necessary to build the code that was
-just checked out. There are two primary methods of doing this.
+Before making your code changes, it is often necessary to build the code that was
+just checked out. There are two primary methods of doing this.
#. The best way to develop *pandas* is to build the C extensions in-place by
running::
-
+
python setup.py build_ext --inplace
-
- If you startup the Python interpreter in the *pandas* source directory you
+
+ If you startup the Python interpreter in the *pandas* source directory you
will call the built C extensions
-
+
#. Another very common option is to do a ``develop`` install of *pandas*::
-
+
python setup.py develop
This makes a symbolic link that tells the Python interpreter to import *pandas*
@@ -155,7 +155,7 @@ just checked out. There are two primary methods of doing this.
version on your system without being inside the clone directory.
Contributing to the documentation
----------------------------------
+=================================
If you're not the developer type, contributing to the documentation is still
of huge value. You don't even have to be an expert on
@@ -173,7 +173,7 @@ help the next person.
About the pandas documentation
-^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+------------------------------
The documentation is written in **reStructuredText**, which is almost like writing
in plain English, and built using `Sphinx <http://sphinx.pocoo.org/>`__. The
@@ -225,10 +225,10 @@ Some other important things to know about the docs:
How to build the pandas documentation
-^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+-------------------------------------
Requirements
-""""""""""""
+~~~~~~~~~~~~
To build the *pandas* docs there are some extra requirements: you will need to
have ``sphinx`` and ``ipython`` installed. `numpydoc
@@ -250,7 +250,7 @@ dependencies.
Sphinx version >= 1.2.2 or the older 1.1.3 is required.
Building the documentation
-""""""""""""""""""""""""""
+~~~~~~~~~~~~~~~~~~~~~~~~~~
So how do you build the docs? Navigate to your local the folder
``pandas/doc/`` directory in the console and run::
@@ -287,8 +287,8 @@ last committed version can always be restored from git.
python make.py --single indexing
For comparison, a full documentation build may take 10 minutes. a ``-no-api`` build
-may take 3 minutes and a single section may take 15 seconds. However, subsequent
-builds only process portions you changed. Now, open the following file in a web
+may take 3 minutes and a single section may take 15 seconds. However, subsequent
+builds only process portions you changed. Now, open the following file in a web
browser to see the full documentation you just built::
pandas/docs/build/html/index.html
@@ -297,40 +297,40 @@ And you'll have the satisfaction of seeing your new and improved documentation!
Contributing to the code base
------------------------------
+=============================
.. contents:: Code Base:
:local:
Code Standards
-^^^^^^^^^^^^^^
+--------------
-*pandas* uses the `PEP8 <http://www.python.org/dev/peps/pep-0008/>`_ standard.
+*pandas* uses the `PEP8 <http://www.python.org/dev/peps/pep-0008/>`_ standard.
There are several tools to ensure you abide by this standard.
-We've written a tool to check that your commits are PEP8 great, `pip install pep8radius <https://github.com/hayd/pep8radius>`_.
+We've written a tool to check that your commits are PEP8 great, `pip install pep8radius <https://github.com/hayd/pep8radius>`_.
Look at PEP8 fixes in your branch vs master with::
pep8radius master --diff` and make these changes with `pep8radius master --diff --in-place`
-Alternatively, use `flake8 <http://pypi.python.org/pypi/flake8>`_ tool for checking the style of your code.
+Alternatively, use `flake8 <http://pypi.python.org/pypi/flake8>`_ tool for checking the style of your code.
Additional standards are outlined on the `code style wiki page <https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions>`_.
-Please try to maintain backward-compatibility. *Pandas* has lots of users with lots of existing code, so
-don't break it if at all possible. If you think breakage is required clearly state why
-as part of the Pull Request. Also, be careful when changing method signatures and add
+Please try to maintain backward-compatibility. *Pandas* has lots of users with lots of existing code, so
+don't break it if at all possible. If you think breakage is required clearly state why
+as part of the Pull Request. Also, be careful when changing method signatures and add
deprecation warnings where needed.
Test-driven Development/Writing Code
-^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
-
-*Pandas* is serious about `Test-driven Development (TDD)
-<http://en.wikipedia.org/wiki/Test-driven_development>`_.
-This development process "relies on the repetition of a very short development cycle:
-first the developer writes an (initially failing) automated test case that defines a desired
-improvement or new function, then produces the minimum amount of code to pass that test."
-So, before actually writing any code, you should write your tests. Often the test can be
-taken from the original GitHub issue. However, it is always worth considering additional
+------------------------------------
+
+*Pandas* is serious about `Test-driven Development (TDD)
+<http://en.wikipedia.org/wiki/Test-driven_development>`_.
+This development process "relies on the repetition of a very short development cycle:
+first the developer writes an (initially failing) automated test case that defines a desired
+improvement or new function, then produces the minimum amount of code to pass that test."
+So, before actually writing any code, you should write your tests. Often the test can be
+taken from the original GitHub issue. However, it is always worth considering additional
use cases and writing corresponding tests.
Adding tests is one of the most common requests after code is pushed to *pandas*. It is worth getting
@@ -342,10 +342,10 @@ extensions in `numpy.testing
<http://docs.scipy.org/doc/numpy/reference/routines.testing.html>`_.
Writing tests
-"""""""""""""
+~~~~~~~~~~~~~
All tests should go into the *tests* subdirectory of the specific package.
-There are probably many examples already there and looking to these for
+There are probably many examples already there and looking to these for
inspiration is suggested. If you test requires working with files or
network connectivity there is more information on the `testing page
<https://github.com/pydata/pandas/wiki/Testing>`_ of the wiki.
@@ -376,64 +376,67 @@ the expected correct result:
assert_frame_equal(pivoted, expected)
Running the test suite
-""""""""""""""""""""""
+~~~~~~~~~~~~~~~~~~~~~~
The tests can then be run directly inside your git clone (without having to
install *pandas*) by typing:::
nosetests pandas
-The tests suite is exhaustive and takes around 20 minutes to run. Often it is
-worth running only a subset of tests first around your changes before running the
+The tests suite is exhaustive and takes around 20 minutes to run. Often it is
+worth running only a subset of tests first around your changes before running the
entire suite. This is done using one of the following constructs:
::
-
+
nosetests pandas/tests/[test-module].py
nosetests pandas/tests/[test-module].py:[TestClass]
nosetests pandas/tests/[test-module].py:[TestClass].[test_method]
Running the performance test suite
-""""""""""""""""""""""""""""""""""
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
-Performance matters and it is worth considering that your code has not introduced
-performance regressions. Currently *pandas* uses the `vbench library <https://github.com/pydata/vbench>`__
+Performance matters and it is worth considering that your code has not introduced
+performance regressions. Currently *pandas* uses the `vbench library <https://github.com/pydata/vbench>`__
to enable easy monitoring of the performance of critical *pandas* operations.
-These benchmarks are all found in the ``pandas/vb_suite`` directory. vbench
+These benchmarks are all found in the ``pandas/vb_suite`` directory. vbench
currently only works on python2.
To install vbench::
pip install git+https://github.com/pydata/vbench
-Vbench also requires sqlalchemy, gitpython, and psutil which can all be installed
+Vbench also requires sqlalchemy, gitpython, and psutil which can all be installed
using pip. If you need to run a benchmark, change your directory to the *pandas* root and run::
./test_perf.sh -b master -t HEAD
-This will checkout the master revision and run the suite on both master and
-your commit. Running the full test suite can take up to one hour and use up
-to 3GB of RAM. Usually it is sufficient to past a subset of the results in
-to the Pull Request to show that the committed changes do not cause unexpected
+This will checkout the master revision and run the suite on both master and
+your commit. Running the full test suite can take up to one hour and use up
+to 3GB of RAM. Usually it is sufficient to past a subset of the results in
+to the Pull Request to show that the committed changes do not cause unexpected
performance regressions.
You can run specific benchmarks using the *-r* flag which takes a regular expression.
-See the `performance testing wiki <https://github.com/pydata/pandas/wiki/Performance-Testing>`_ for information
+See the `performance testing wiki <https://github.com/pydata/pandas/wiki/Performance-Testing>`_ for information
on how to write a benchmark.
Documenting your code
-^^^^^^^^^^^^^^^^^^^^^
+---------------------
-Changes should be reflected in the release notes located in `doc/source/whatsnew/vx.y.z.txt`.
-This file contains an ongoing change log for each release. Add an entry to this file to
-document your fix, enhancement or (unavoidable) breaking change. Make sure to include the
+Changes should be reflected in the release notes located in `doc/source/whatsnew/vx.y.z.txt`.
+This file contains an ongoing change log for each release. Add an entry to this file to
+document your fix, enhancement or (unavoidable) breaking change. Make sure to include the
GitHub issue number when adding your entry.
-If your code is an enhancement, it is most likely necessary to add usage examples to the
+If your code is an enhancement, it is most likely necessary to add usage examples to the
existing documentation. This can be done following the section regarding documentation.
+Contributing your changes to *pandas*
+=====================================
+
Committing your code
--------------------
@@ -454,8 +457,8 @@ Doing 'git status' again should give something like ::
# modified: /relative/path/to/file-you-added.py
#
-Finally, commit your changes to your local repository with an explanatory message. An informal
-commit message format is in effect for the project. Please try to adhere to it. Here are
+Finally, commit your changes to your local repository with an explanatory message. An informal
+commit message format is in effect for the project. Please try to adhere to it. Here are
some common prefixes along with general guidelines for when to use them:
* ENH: Enhancement, new functionality
@@ -466,8 +469,8 @@ some common prefixes along with general guidelines for when to use them:
* PERF: Performance improvement
* CLN: Code cleanup
-The following defines how a commit message should be structured. Please reference the
-relevant GitHub issues in your commit message using `GH1234` or `#1234`. Either style
+The following defines how a commit message should be structured. Please reference the
+relevant GitHub issues in your commit message using `GH1234` or `#1234`. Either style
is fine, but the former is generally preferred:
* a subject line with `< 80` chars.
@@ -478,13 +481,13 @@ Now you can commit your changes in your local repository::
git commit -m
-If you have multiple commits, it is common to want to combine them into one commit, often
-referred to as "squashing" or "rebasing". This is a common request by package maintainers
+If you have multiple commits, it is common to want to combine them into one commit, often
+referred to as "squashing" or "rebasing". This is a common request by package maintainers
when submitting a Pull Request as it maintains a more compact commit history. To rebase your commits::
git rebase -i HEAD~#
-Where # is the number of commits you want to combine. Then you can pick the relevant
+Where # is the number of commits you want to combine. Then you can pick the relevant
commit message and discard others.
Pushing your changes
@@ -508,33 +511,30 @@ like ::
upstream git://github.com/pydata/pandas.git (fetch)
upstream git://github.com/pydata/pandas.git (push)
-Now your code is on GitHub, but it is not yet a part of the *pandas* project. For that to
+Now your code is on GitHub, but it is not yet a part of the *pandas* project. For that to
happen, a Pull Request needs to be submitted on GitHub.
-Contributing your changes to *pandas*
-~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
-
Review your code
----------------
-When you're ready to ask for a code review, you will file a Pull Request. Before you do,
-again make sure you've followed all the guidelines outlined in this document regarding
-code style, tests, performance tests, and documentation. You should also double check
+When you're ready to ask for a code review, you will file a Pull Request. Before you do,
+again make sure you've followed all the guidelines outlined in this document regarding
+code style, tests, performance tests, and documentation. You should also double check
your branch changes against the branch it was based off of:
#. Navigate to your repository on GitHub--https://github.com/your-user-name/pandas.
#. Click on `Branches`.
#. Click on the `Compare` button for your feature branch.
-#. Select the `base` and `compare` branches, if necessary. This will be `master` and
+#. Select the `base` and `compare` branches, if necessary. This will be `master` and
`shiny-new-feature`, respectively.
Finally, make the Pull Request
------------------------------
-If everything looks good you are ready to make a Pull Request. A Pull Request is how
-code from a local repository becomes available to the GitHub community and can be looked
-at and eventually merged into the master version. This Pull Request and its associated
-changes will eventually be committed to the master branch and available in the next
+If everything looks good you are ready to make a Pull Request. A Pull Request is how
+code from a local repository becomes available to the GitHub community and can be looked
+at and eventually merged into the master version. This Pull Request and its associated
+changes will eventually be committed to the master branch and available in the next
release. To submit a Pull Request:
#. Navigate to your repository on GitHub.
@@ -555,7 +555,7 @@ This will automatically update your Pull Request with the latest code and restar
Delete your merged branch (optional)
------------------------------------
-Once your feature branch is accepted into upstream, you'll probably want to get rid of
+Once your feature branch is accepted into upstream, you'll probably want to get rid of
the branch. First, merge upstream master into your branch so git knows it is safe to delete your branch ::
git fetch upstream
| This is an alternative to #9796.
I simply did a couple of changes to the restructuredtext source so it generates cleaner markdown. The main thing was making the categories not quite so nested. (Was that [heavy nesting](http://pandas-docs.github.io/pandas-docs-travis/contributing.html#committing-your-code) intentional?) I think pandoc was running out of header styles or something like that.
cc @rockg @jreback @jorisvandenbossche
| https://api.github.com/repos/pandas-dev/pandas/pulls/9797 | 2015-04-03T04:54:57Z | 2015-04-03T17:18:52Z | 2015-04-03T17:18:52Z | 2015-04-03T19:58:47Z |
DOC: add doc/source/contributing.rst as the CONTRIBUTING.md | diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index 5329bad1d90e4..dc7cb7f2ab0bc 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -1,105 +1,569 @@
-### Guidelines
+Contributing to pandas
+======================
+
+Where to start?
+---------------
All contributions, bug reports, bug fixes, documentation improvements,
enhancements and ideas are welcome.
-The [GitHub "issues" tab](https://github.com/pydata/pandas/issues)
-contains some issues labeled "Good as first PR"; Look those up if you're
-looking for a quick way to help out.
+If you are simply looking to start working with the *pandas* codebase,
+navigate to the [GitHub "issues"
+tab](https://github.com/pydata/pandas/issues) and start looking through
+interesting issues. There are a number of issues listed under
+[Docs](https://github.com/pydata/pandas/issues?labels=Docs&sort=updated&state=open)
+and [Good as first
+PR](https://github.com/pydata/pandas/issues?labels=Good+as+first+PR&sort=updated&state=open)
+where you could start out.
-#### Bug Reports
+Or maybe through using *pandas* you have an idea of you own or are
+looking for something in the documentation and thinking 'this can be
+improved'...you can do something about it!
- - Please include a short, self-contained Python snippet reproducing the problem.
- You can have the code formatted nicely by using [GitHub Flavored Markdown](http://github.github.com/github-flavored-markdown/) :
+Feel free to ask questions on [mailing
+list](https://groups.google.com/forum/?fromgroups#!forum/pydata)
- ```python
+Bug Reports/Enhancement Requests
+--------------------------------
+
+Bug reports are an important part of making *pandas* more stable. Having
+a complete bug report will allow others to reproduce the bug and provide
+insight into fixing. Since many versions of *pandas* are supported,
+knowing version information will also identify improvements made since
+previous versions. Often trying the bug-producing code out on the
+*master* branch is a worthwhile exercise to confirm the bug still
+exists. It is also worth searching existing bug reports and pull
+requests to see if the issue has already been reported and/or fixed.
+
+Bug reports must:
+
+1. Include a short, self-contained Python snippet reproducing the
+ problem. You can have the code formatted nicely by using [GitHub
+ Flavored
+ Markdown](http://github.github.com/github-flavored-markdown/): :
+ ```python
>>> from pandas import DataFrame
>>> df = DataFrame(...)
...
```
- - Include the full version string of pandas and its dependencies. In recent (>0.12) versions
- of pandas you can use a built in function:
-
- ```python
- >>> from pandas.util.print_versions import show_versions
- >>> show_versions()
- ```
-
- and in 0.13.1 onwards:
- ```python
- >>> pd.show_versions()
- ```
- - Explain what the expected behavior was, and what you saw instead.
-
-#### Pull Requests
-
-##### Testing:
- - Every addition to the codebase whether it be a bug or new feature should have associated tests. The can be placed in the `tests` directory where your code change occurs.
- - When writing tests, use 2.6 compatible `self.assertFoo` methods. Some polyfills such as `assertRaises`
- can be found in `pandas.util.testing`.
- - Do not attach doctrings to tests. Make the test itself readable and use comments if needed.
- - **Make sure the test suite passes** on your box, use the provided `test_*.sh` scripts or tox. Pandas tests a variety of platforms and Python versions so be cognizant of cross-platorm considerations.
- - Performance matters. Make sure your PR hasn't introduced performance regressions by using `test_perf.sh`. See [vbench performance tests](https://github.com/pydata/pandas/wiki/Performance-Testing) wiki for more information on running these tests.
- - For more information on testing see [Testing advice and best practices in `pandas`](https://github.com/pydata/pandas/wiki/Testing)
-
-##### Documentation / Commit Messages:
- - Docstrings follow the [numpydoc](https://github.com/numpy/numpy/blob/master/doc/HOWTO_DOCUMENT.rst.txt) format.
- - Keep style fixes to a separate commit to make your PR more readable.
- - An informal commit message format is in effect for the project. Please try
- and adhere to it. Check `git log` for examples. Here are some common prefixes
- along with general guidelines for when to use them:
- - **ENH**: Enhancement, new functionality
- - **BUG**: Bug fix
- - **DOC**: Additions/updates to documentation
- - **TST**: Additions/updates to tests
- - **BLD**: Updates to the build process/scripts
- - **PERF**: Performance improvement
- - **CLN**: Code cleanup
- - Use [proper commit messages](http://tbaggery.com/2008/04/19/a-note-about-git-commit-messages.html):
- - a subject line with `< 80` chars.
- - One blank line.
- - Optionally, a commit message body.
- - Please reference relevant Github issues in your commit message using `GH1234`
- or `#1234`. Either style is fine but the '#' style generates noise when your rebase your PR.
- - `doc/source/vx.y.z.txt` contains an ongoing
- changelog for each release. Add an entry to this file
- as needed in your PR: document the fix, enhancement,
- or (unavoidable) breaking change.
- - Maintain backward-compatibility. Pandas has lots of users with lots of existing code. Don't break it.
- - If you think breakage is required clearly state why as part of the PR.
- - Be careful when changing method signatures.
- - Add deprecation warnings where needed.
- - Generally, pandas source files should not contain attributions. You can include a "thanks to..."
- in the release changelog. The rest is `git blame`/`git log`.
-
-##### Workflow/Git
- - When you start working on a PR, start by creating a new branch pointing at the latest
- commit on github master.
- - **Do not** merge upstream into a branch you're going to submit as a PR.
- Use `git rebase` against the current github master.
- - For extra brownie points, you can squash and reorder the commits in your PR using `git rebase -i`.
- Use your own judgment to decide what history needs to be preserved. If git frightens you, that's OK too.
- - Use `raise AssertionError` over `assert` unless you want the assertion stripped by `python -o`.
- - The pandas copyright policy is detailed in the pandas [LICENSE](https://github.com/pydata/pandas/blob/master/LICENSE).
- - On the subject of [PEP8](http://www.python.org/dev/peps/pep-0008/): yes.
- - [Git tips and tricks](https://github.com/pydata/pandas/wiki/Using-Git)
-
-##### Code standards:
- - We've written a tool to check that your commits are PEP8 great,
- [`pip install pep8radius`](https://github.com/hayd/pep8radius). Look at PEP8 fixes in your branch
- vs master with `pep8radius master --diff` and make these changes with
- `pep8radius master --diff --in-place`.
- - On the subject of a massive PEP8-storm touching everything: not too often (once per release works).
- - Additional standards are outlined on the [code style wiki page](https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions)
-
-### Notes on plotting function conventions
-
-https://groups.google.com/forum/#!topic/pystatsmodels/biNlCvJPNNY/discussion
-
-#### More developer docs
-* See the [developers](http://pandas.pydata.org/developers.html) page on the
- project website for more details.
-* [`pandas` wiki](https://github.com/pydata/pandas/wiki) constains useful pages for development and general pandas usage
-* [Tips and tricks](https://github.com/pydata/pandas/wiki/Tips-&-Tricks)
+2. Include the full version string of *pandas* and its dependencies. In
+ recent (\>0.12) versions of *pandas* you can use a built in
+ function: :
+
+ >>> from pandas.util.print_versions import show_versions
+ >>> show_versions()
+
+ and in 0.13.1 onwards: :
+
+ >>> pd.show_versions()
+
+3. Explain why the current behavior is wrong/not desired and what you
+ expect instead.
+
+The issue will then show up to the *pandas* community and be open to
+comments/ideas from others.
+
+Working with the code
+---------------------
+
+Now that you have an issue you want to fix, enhancement to add, or
+documentation to improve, you need to learn how to work with GitHub and
+the *pandas* code base.
+
+### Version Control, Git, and GitHub
+
+To the new user, working with Git is one of the more daunting aspects of
+contributing to *pandas*. It can very quickly become overwhelming, but
+sticking to the guidelines below will make the process straightforward
+and will work without much trouble. As always, if you are having
+difficulties please feel free to ask for help.
+
+The code is hosted on [GitHub](https://www.github.com/pydata/pandas). To
+contribute you will need to sign up for a [free GitHub
+account](https://github.com/signup/free). We use
+[Git](http://git-scm.com/) for version control to allow many people to
+work together on the project.
+
+Some great resources for learning git:
+
+> - the [GitHub help pages](http://help.github.com/).
+> - the [NumPy's
+> documentation](http://docs.scipy.org/doc/numpy/dev/index.html).
+> - Matthew Brett's
+> [Pydagogue](http://matthew-brett.github.com/pydagogue/).
+
+### Getting Started with Git
+
+[GitHub has instructions](http://help.github.com/set-up-git-redirect)
+for installing git, setting up your SSH key, and configuring git. All
+these steps need to be completed before working seamlessly with your
+local repository and GitHub.
+
+### Forking
+
+You will need your own fork to work on the code. Go to the [pandas
+project page](https://github.com/pydata/pandas) and hit the *fork*
+button. You will want to clone your fork to your machine: :
+
+ git clone git@github.com:your-user-name/pandas.git pandas-yourname
+ cd pandas-yourname
+ git remote add upstream git://github.com/pydata/pandas.git
+
+This creates the directory pandas-yourname and connects your repository
+to the upstream (main project) *pandas* repository.
+
+You will also need to hook up Travis-CI to your GitHub repository so the
+suite is automatically run when a Pull Request is submitted.
+Instructions are
+[here](http://about.travis-ci.org/docs/user/getting-started/).
+
+### Creating a Branch
+
+You want your master branch to reflect only production-ready code, so
+create a feature branch for making your changes. For example:
+
+ git branch shiny-new-feature
+ git checkout shiny-new-feature
+
+The above can be simplified to:
+
+ git checkout -b shiny-new-feature
+
+This changes your working directory to the shiny-new-feature branch.
+Keep any changes in this branch specific to one bug or feature so it is
+clear what the branch brings to *pandas*. You can have many
+shiny-new-features and switch in between them using the git checkout
+command.
+
+### Making changes
+
+Before making your code changes, it is often necessary to build the code
+that was just checked out. There are two primary methods of doing this.
+
+1. The best way to develop *pandas* is to build the C extensions
+ in-place by running:
+
+ python setup.py build_ext --inplace
+
+ If you startup the Python interpreter in the *pandas* source
+ directory you will call the built C extensions
+
+2. Another very common option is to do a `develop` install of *pandas*:
+
+ python setup.py develop
+
+ This makes a symbolic link that tells the Python interpreter to
+ import *pandas* from your development directory. Thus, you can
+ always be using the development version on your system without being
+ inside the clone directory.
+
+### Contributing to the documentation
+
+If you're not the developer type, contributing to the documentation is
+still of huge value. You don't even have to be an expert on *pandas* to
+do so! Something as simple as rewriting small passages for clarity as
+you reference the docs is a simple but effective way to contribute. The
+next person to read that passage will be in your debt!
+
+Actually, there are sections of the docs that are worse off by being
+written by experts. If something in the docs doesn't make sense to you,
+updating the relevant section after you figure it out is a simple way to
+ensure it will help the next person.
+
+#### About the pandas documentation
+
+The documentation is written in **reStructuredText**, which is almost
+like writing in plain English, and built using
+[Sphinx](http://sphinx.pocoo.org/). The Sphinx Documentation has an
+excellent [introduction to reST](http://sphinx.pocoo.org/rest.html).
+Review the Sphinx docs to perform more complex changes to the
+documentation as well.
+
+Some other important things to know about the docs:
+
+- The *pandas* documentation consists of two parts: the docstrings in
+ the code itself and the docs in this folder `pandas/doc/`.
+
+ The docstrings provide a clear explanation of the usage of the
+ individual functions, while the documentation in this folder
+ consists of tutorial-like overviews per topic together with some
+ other information (what's new, installation, etc).
+
+- The docstrings follow the **Numpy Docstring Standard** which is used
+ widely in the Scientific Python community. This standard specifies
+ the format of the different sections of the docstring. See [this
+ document](https://github.com/numpy/numpy/blob/master/doc/HOWTO_DOCUMENT.rst.txt)
+ for a detailed explanation, or look at some of the existing
+ functions to extend it in a similar manner.
+- The tutorials make heavy use of the [ipython
+ directive](http://matplotlib.org/sampledoc/ipython_directive.html)
+ sphinx extension. This directive lets you put code in the
+ documentation which will be run during the doc build. For example:
+
+ .. ipython:: python
+
+ x = 2
+ x**3
+
+ will be rendered as
+
+ In [1]: x = 2
+
+ In [2]: x**3
+ Out[2]: 8
+
+ This means that almost all code examples in the docs are always run
+ (and the output saved) during the doc build. This way, they will
+ always be up to date, but it makes the doc building a bit more
+ complex.
+
+#### How to build the pandas documentation
+
+##### Requirements
+
+To build the *pandas* docs there are some extra requirements: you will
+need to have `sphinx` and `ipython` installed.
+[numpydoc](https://github.com/numpy/numpydoc) is used to parse the
+docstrings that follow the Numpy Docstring Standard (see above), but you
+don't need to install this because a local copy of `numpydoc` is
+included in the *pandas* source code.
+
+Furthermore, it is recommended to have all [optional
+dependencies](http://pandas.pydata.org/pandas-docs/dev/install.html#optional-dependencies)
+installed. This is not needed, but be aware that you will see some error
+messages. Because all the code in the documentation is executed during
+the doc build, the examples using this optional dependencies will
+generate errors. Run `pd.show_versions()` to get an overview of the
+installed version of all dependencies.
+
+> **warning**
+>
+> Sphinx version \>= 1.2.2 or the older 1.1.3 is required.
+
+##### Building the documentation
+
+So how do you build the docs? Navigate to your local the folder
+`pandas/doc/` directory in the console and run:
+
+ python make.py html
+
+And then you can find the html output in the folder
+`pandas/doc/build/html/`.
+
+The first time it will take quite a while, because it has to run all the
+code examples in the documentation and build all generated docstring
+pages. In subsequent evocations, sphinx will try to only build the pages
+that have been modified.
+
+If you want to do a full clean build, do:
+
+ python make.py clean
+ python make.py build
+
+Starting with 0.13.1 you can tell `make.py` to compile only a single
+section of the docs, greatly reducing the turn-around time for checking
+your changes. You will be prompted to delete .rst files that aren't
+required, since the last committed version can always be restored from
+git.
+
+ #omit autosummary and API section
+ python make.py clean
+ python make.py --no-api
+
+ # compile the docs with only a single
+ # section, that which is in indexing.rst
+ python make.py clean
+ python make.py --single indexing
+
+For comparison, a full documentation build may take 10 minutes. a
+`-no-api` build may take 3 minutes and a single section may take 15
+seconds. However, subsequent builds only process portions you changed.
+Now, open the following file in a web browser to see the full
+documentation you just built:
+
+ pandas/docs/build/html/index.html
+
+And you'll have the satisfaction of seeing your new and improved
+documentation!
+
+### Contributing to the code base
+
+#### Code Standards
+
+*pandas* uses the [PEP8](http://www.python.org/dev/peps/pep-0008/)
+standard. There are several tools to ensure you abide by this standard.
+
+We've written a tool to check that your commits are PEP8 great, [pip
+install pep8radius](https://github.com/hayd/pep8radius). Look at PEP8
+fixes in your branch vs master with:
+
+ pep8radius master --diff` and make these changes with `pep8radius master --diff --in-place`
+
+Alternatively, use [flake8](http://pypi.python.org/pypi/flake8) tool for
+checking the style of your code. Additional standards are outlined on
+the [code style wiki
+page](https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions).
+
+Please try to maintain backward-compatibility. *Pandas* has lots of
+users with lots of existing code, so don't break it if at all possible.
+If you think breakage is required clearly state why as part of the Pull
+Request. Also, be careful when changing method signatures and add
+deprecation warnings where needed.
+
+#### Test-driven Development/Writing Code
+
+*Pandas* is serious about [Test-driven Development
+(TDD)](http://en.wikipedia.org/wiki/Test-driven_development). This
+development process "relies on the repetition of a very short
+development cycle: first the developer writes an (initially failing)
+automated test case that defines a desired improvement or new function,
+then produces the minimum amount of code to pass that test." So, before
+actually writing any code, you should write your tests. Often the test
+can be taken from the original GitHub issue. However, it is always worth
+considering additional use cases and writing corresponding tests.
+
+Adding tests is one of the most common requests after code is pushed to
+*pandas*. It is worth getting in the habit of writing tests ahead of
+time so this is never an issue.
+
+Like many packages, *pandas* uses the [Nose testing
+system](http://somethingaboutorange.com/mrl/projects/nose/) and the
+convenient extensions in
+[numpy.testing](http://docs.scipy.org/doc/numpy/reference/routines.testing.html).
+
+##### Writing tests
+
+All tests should go into the *tests* subdirectory of the specific
+package. There are probably many examples already there and looking to
+these for inspiration is suggested. If you test requires working with
+files or network connectivity there is more information on the [testing
+page](https://github.com/pydata/pandas/wiki/Testing) of the wiki.
+
+The `pandas.util.testing` module has many special `assert` functions
+that make it easier to make statements about whether Series or DataFrame
+objects are equivalent. The easiest way to verify that your code is
+correct is to explicitly construct the result you expect, then compare
+the actual result to the expected correct result:
+
+ def test_pivot(self):
+ data = {
+ 'index' : ['A', 'B', 'C', 'C', 'B', 'A'],
+ 'columns' : ['One', 'One', 'One', 'Two', 'Two', 'Two'],
+ 'values' : [1., 2., 3., 3., 2., 1.]
+ }
+
+ frame = DataFrame(data)
+ pivoted = frame.pivot(index='index', columns='columns', values='values')
+
+ expected = DataFrame({
+ 'One' : {'A' : 1., 'B' : 2., 'C' : 3.},
+ 'Two' : {'A' : 1., 'B' : 2., 'C' : 3.}
+ })
+
+ assert_frame_equal(pivoted, expected)
+
+##### Running the test suite
+
+The tests can then be run directly inside your git clone (without having
+to install *pandas*) by typing::
+
+ nosetests pandas
+
+The tests suite is exhaustive and takes around 20 minutes to run. Often
+it is worth running only a subset of tests first around your changes
+before running the entire suite. This is done using one of the following
+constructs:
+
+ nosetests pandas/tests/[test-module].py
+ nosetests pandas/tests/[test-module].py:[TestClass]
+ nosetests pandas/tests/[test-module].py:[TestClass].[test_method]
+
+##### Running the performance test suite
+
+Performance matters and it is worth considering that your code has not
+introduced performance regressions. Currently *pandas* uses the [vbench
+library](https://github.com/pydata/vbench) to enable easy monitoring of
+the performance of critical *pandas* operations. These benchmarks are
+all found in the `pandas/vb_suite` directory. vbench currently only
+works on python2.
+
+To install vbench:
+
+ pip install git+https://github.com/pydata/vbench
+
+Vbench also requires sqlalchemy, gitpython, and psutil which can all be
+installed using pip. If you need to run a benchmark, change your
+directory to the *pandas* root and run:
+
+ ./test_perf.sh -b master -t HEAD
+
+This will checkout the master revision and run the suite on both master
+and your commit. Running the full test suite can take up to one hour and
+use up to 3GB of RAM. Usually it is sufficient to past a subset of the
+results in to the Pull Request to show that the committed changes do not
+cause unexpected performance regressions.
+
+You can run specific benchmarks using the *-r* flag which takes a
+regular expression.
+
+See the [performance testing
+wiki](https://github.com/pydata/pandas/wiki/Performance-Testing) for
+information on how to write a benchmark.
+
+#### Documenting your code
+
+Changes should be reflected in the release notes located in
+doc/source/whatsnew/vx.y.z.txt. This file contains an ongoing change log
+for each release. Add an entry to this file to document your fix,
+enhancement or (unavoidable) breaking change. Make sure to include the
+GitHub issue number when adding your entry.
+
+If your code is an enhancement, it is most likely necessary to add usage
+examples to the existing documentation. This can be done following the
+section regarding documentation.
+
+### Committing your code
+
+Keep style fixes to a separate commit to make your PR more readable.
+
+Once you've made changes, you can see them by typing:
+
+ git status
+
+If you've created a new file, it is not being tracked by git. Add it by
+typing :
+
+ git add path/to/file-to-be-added.py
+
+Doing 'git status' again should give something like :
+
+ # On branch shiny-new-feature
+ #
+ # modified: /relative/path/to/file-you-added.py
+ #
+
+Finally, commit your changes to your local repository with an
+explanatory message. An informal commit message format is in effect for
+the project. Please try to adhere to it. Here are some common prefixes
+along with general guidelines for when to use them:
+
+> - ENH: Enhancement, new functionality
+> - BUG: Bug fix
+> - DOC: Additions/updates to documentation
+> - TST: Additions/updates to tests
+> - BLD: Updates to the build process/scripts
+> - PERF: Performance improvement
+> - CLN: Code cleanup
+
+The following defines how a commit message should be structured. Please
+reference the relevant GitHub issues in your commit message using GH1234
+or \#1234. Either style is fine, but the former is generally preferred:
+
+> - a subject line with \< 80 chars.
+> - One blank line.
+> - Optionally, a commit message body.
+
+Now you can commit your changes in your local repository:
+
+ git commit -m
+
+If you have multiple commits, it is common to want to combine them into
+one commit, often referred to as "squashing" or "rebasing". This is a
+common request by package maintainers when submitting a Pull Request as
+it maintains a more compact commit history. To rebase your commits:
+
+ git rebase -i HEAD~#
+
+Where \# is the number of commits you want to combine. Then you can pick
+the relevant commit message and discard others.
+
+### Pushing your changes
+
+When you want your changes to appear publicly on your GitHub page, push
+your forked feature branch's commits :
+
+ git push origin shiny-new-feature
+
+Here origin is the default name given to your remote repository on
+GitHub. You can see the remote repositories :
+
+ git remote -v
+
+If you added the upstream repository as described above you will see
+something like :
+
+ origin git@github.com:yourname/pandas.git (fetch)
+ origin git@github.com:yourname/pandas.git (push)
+ upstream git://github.com/pydata/pandas.git (fetch)
+ upstream git://github.com/pydata/pandas.git (push)
+
+Now your code is on GitHub, but it is not yet a part of the *pandas*
+project. For that to happen, a Pull Request needs to be submitted on
+GitHub.
+
+Contributing your changes to *pandas*
+\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~\~
+
+### Review your code
+
+When you're ready to ask for a code review, you will file a Pull
+Request. Before you do, again make sure you've followed all the
+guidelines outlined in this document regarding code style, tests,
+performance tests, and documentation. You should also double check your
+branch changes against the branch it was based off of:
+
+1. Navigate to your repository on
+ GitHub--<https://github.com/your-user-name/pandas>.
+2. Click on Branches.
+3. Click on the Compare button for your feature branch.
+4. Select the base and compare branches, if necessary. This will be
+ master and shiny-new-feature, respectively.
+
+### Finally, make the Pull Request
+
+If everything looks good you are ready to make a Pull Request. A Pull
+Request is how code from a local repository becomes available to the
+GitHub community and can be looked at and eventually merged into the
+master version. This Pull Request and its associated changes will
+eventually be committed to the master branch and available in the next
+release. To submit a Pull Request:
+
+1. Navigate to your repository on GitHub.
+2. Click on the Pull Request button.
+3. You can then click on Commits and Files Changed to make sure
+ everything looks okay one last time.
+4. Write a description of your changes in the Preview Discussion tab.
+5. Click Send Pull Request.
+
+This request then appears to the repository maintainers, and they will
+review the code. If you need to make more changes, you can make them in
+your branch, push them to GitHub, and the pull request will be
+automatically updated. Pushing them to GitHub again is done by:
+
+ git push -f origin shiny-new-feature
+
+This will automatically update your Pull Request with the latest code
+and restart the Travis-CI tests.
+
+### Delete your merged branch (optional)
+
+Once your feature branch is accepted into upstream, you'll probably want
+to get rid of the branch. First, merge upstream master into your branch
+so git knows it is safe to delete your branch :
+
+ git fetch upstream
+ git checkout master
+ git merge upstream/master
+
+Then you can just do:
+
+ git branch -d shiny-new-feature
+
+Make sure you use a lower-case -d, or else git won't warn you if your
+feature branch has not actually been merged.
+
+The branch will still exist on GitHub, so to delete it there do :
+
+ git push origin --delete shiny-new-feature
| xref #9754
I just did
`pandoc doc/source/contributing.rst -t markdown > CONTRIBUTING.md`
to generate the new CONTRIBUTING file.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9796 | 2015-04-03T02:04:49Z | 2015-04-03T11:07:53Z | null | 2015-04-03T11:07:53Z |
BUG: DataFrame._slice doesnt retain metadata | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index ca316bbac8474..eaf8054c69b18 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -69,7 +69,7 @@ Bug Fixes
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
-
+- Bug in ``DataFrame`` slicing may not retain metadata (:issue:`9776`)
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..555954f112f5a 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -1179,6 +1179,7 @@ def _slice(self, slobj, axis=0, kind=None):
"""
axis = self._get_block_manager_axis(axis)
result = self._constructor(self._data.get_slice(slobj, axis=axis))
+ result = result.__finalize__(self)
# this could be a view
# but only in a single-dtyped view slicable case
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 1acad4cf978a8..31dc7de1e1b67 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -14057,6 +14057,28 @@ def test_assign_bad(self):
with tm.assertRaises(KeyError):
df.assign(C=df.A, D=lambda x: x['A'] + x['C'])
+ def test_dataframe_metadata(self):
+
+ class TestDataFrame(DataFrame):
+ _metadata = ['testattr']
+
+ @property
+ def _constructor(self):
+ return TestDataFrame
+
+
+ df = TestDataFrame({'X': [1, 2, 3], 'Y': [1, 2, 3]},
+ index=['a', 'b', 'c'])
+ df.testattr = 'XXX'
+
+ self.assertEqual(df.testattr, 'XXX')
+ self.assertEqual(df[['X']].testattr, 'XXX')
+ self.assertEqual(df.loc[['a', 'b'], :].testattr, 'XXX')
+ self.assertEqual(df.iloc[[0, 1], :].testattr, 'XXX')
+ # GH9776
+ self.assertEqual(df.iloc[0:1, :].testattr, 'XXX')
+
+
def skip_if_no_ne(engine='numexpr'):
if engine == 'numexpr':
try:
| Closes #9776.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9793 | 2015-04-02T21:04:00Z | 2015-04-04T18:32:40Z | 2015-04-04T18:32:40Z | 2015-04-04T21:28:12Z |
Fix zlib and blosc imports in to_msgpack | diff --git a/ci/script.sh b/ci/script.sh
index b1ba7ba79c816..e1f71e70ded69 100755
--- a/ci/script.sh
+++ b/ci/script.sh
@@ -16,6 +16,8 @@ fi
"$TRAVIS_BUILD_DIR"/ci/build_docs.sh 2>&1 > /tmp/doc.log &
# doc build log will be shown after tests
+pip install -U blosc # See https://github.com/pydata/pandas/pull/9783
+python -c 'import blosc; blosc.print_versions()'
echo nosetests --exe -A "$NOSE_ARGS" pandas --with-xunit --xunit-file=/tmp/nosetests.xml
nosetests --exe -A "$NOSE_ARGS" pandas --with-xunit --xunit-file=/tmp/nosetests.xml
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index f0210698e2828..a25c86c1a86e6 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -78,3 +78,5 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
+
+- Bug in ``to_msgpack`` and ``read_msgpack`` zlib and blosc compression support (:issue:`9783`)
diff --git a/pandas/io/packers.py b/pandas/io/packers.py
index b3e2e16af54c2..75ca44fd1ef3e 100644
--- a/pandas/io/packers.py
+++ b/pandas/io/packers.py
@@ -65,26 +65,7 @@
# until we can pass this into our conversion functions,
# this is pretty hacky
compressor = None
-_IMPORTS = False
-_BLOSC = False
-def _importers():
- # import things we need
- # but make this done on a first use basis
-
- global _IMPORTS
- if _IMPORTS:
- return
-
- _IMPORTS = True
-
- global _BLOSC
- import zlib
- try:
- import blosc
- _BLOSC = True
- except:
- pass
def to_msgpack(path_or_buf, *args, **kwargs):
"""
@@ -103,7 +84,6 @@ def to_msgpack(path_or_buf, *args, **kwargs):
compress : type of compressor (zlib or blosc), default to None (no
compression)
"""
- _importers()
global compressor
compressor = kwargs.pop('compress', None)
append = kwargs.pop('append', None)
@@ -146,7 +126,6 @@ def read_msgpack(path_or_buf, iterator=False, **kwargs):
obj : type of object stored in file
"""
- _importers()
path_or_buf, _ = get_filepath_or_buffer(path_or_buf)
if iterator:
return Iterator(path_or_buf)
@@ -232,9 +211,10 @@ def convert(values):
# convert to a bytes array
v = v.tostring()
+ import zlib
return zlib.compress(v)
- elif compressor == 'blosc' and _BLOSC:
+ elif compressor == 'blosc':
# return string arrays like they are
if dtype == np.object_:
@@ -242,6 +222,7 @@ def convert(values):
# convert to a bytes array
v = v.tostring()
+ import blosc
return blosc.compress(v, typesize=dtype.itemsize)
# ndarray (on original dtype)
@@ -253,23 +234,20 @@ def unconvert(values, dtype, compress=None):
if dtype == np.object_:
return np.array(values, dtype=object)
- if compress == 'zlib':
+ values = values.encode('latin1')
+ if compress == 'zlib':
+ import zlib
values = zlib.decompress(values)
return np.frombuffer(values, dtype=dtype)
elif compress == 'blosc':
-
- if not _BLOSC:
- raise Exception("cannot uncompress w/o blosc")
-
- # decompress
+ import blosc
values = blosc.decompress(values)
-
return np.frombuffer(values, dtype=dtype)
# from a string
- return np.fromstring(values.encode('latin1'), dtype=dtype)
+ return np.fromstring(values, dtype=dtype)
def encode(obj):
@@ -285,7 +263,8 @@ def encode(obj):
'name': getattr(obj, 'name', None),
'freq': getattr(obj, 'freqstr', None),
'dtype': obj.dtype.num,
- 'data': convert(obj.asi8)}
+ 'data': convert(obj.asi8),
+ 'compress': compressor}
elif isinstance(obj, DatetimeIndex):
tz = getattr(obj, 'tz', None)
@@ -299,19 +278,22 @@ def encode(obj):
'dtype': obj.dtype.num,
'data': convert(obj.asi8),
'freq': getattr(obj, 'freqstr', None),
- 'tz': tz}
+ 'tz': tz,
+ 'compress': compressor}
elif isinstance(obj, MultiIndex):
return {'typ': 'multi_index',
'klass': obj.__class__.__name__,
'names': getattr(obj, 'names', None),
'dtype': obj.dtype.num,
- 'data': convert(obj.values)}
+ 'data': convert(obj.values),
+ 'compress': compressor}
else:
return {'typ': 'index',
'klass': obj.__class__.__name__,
'name': getattr(obj, 'name', None),
'dtype': obj.dtype.num,
- 'data': convert(obj.values)}
+ 'data': convert(obj.values),
+ 'compress': compressor}
elif isinstance(obj, Series):
if isinstance(obj, SparseSeries):
raise NotImplementedError(
diff --git a/pandas/io/tests/test_packers.py b/pandas/io/tests/test_packers.py
index 9633f567ab098..d85e75f5d2818 100644
--- a/pandas/io/tests/test_packers.py
+++ b/pandas/io/tests/test_packers.py
@@ -446,6 +446,41 @@ def test_sparse_panel(self):
check_panel_type=True)
+class TestCompression(TestPackers):
+ """See https://github.com/pydata/pandas/pull/9783
+ """
+
+ def setUp(self):
+ super(TestCompression, self).setUp()
+ data = {
+ 'A': np.arange(1000, dtype=np.float64),
+ 'B': np.arange(1000, dtype=np.int32),
+ 'C': list(100 * 'abcdefghij'),
+ 'D': date_range(datetime.datetime(2015, 4, 1), periods=1000),
+ 'E': [datetime.timedelta(days=x) for x in range(1000)],
+ }
+ self.frame = {
+ 'float': DataFrame(dict((k, data[k]) for k in ['A', 'A'])),
+ 'int': DataFrame(dict((k, data[k]) for k in ['B', 'B'])),
+ 'mixed': DataFrame(data),
+ }
+
+ def test_plain(self):
+ i_rec = self.encode_decode(self.frame)
+ for k in self.frame.keys():
+ assert_frame_equal(self.frame[k], i_rec[k])
+
+ def test_compression_zlib(self):
+ i_rec = self.encode_decode(self.frame, compress='zlib')
+ for k in self.frame.keys():
+ assert_frame_equal(self.frame[k], i_rec[k])
+
+ def test_compression_blosc(self):
+ i_rec = self.encode_decode(self.frame, compress='blosc')
+ for k in self.frame.keys():
+ assert_frame_equal(self.frame[k], i_rec[k])
+
+
if __name__ == '__main__':
import nose
nose.runmodule(argv=[__file__, '-vvs', '-x', '--pdb', '--pdb-failure'],
| 6717aa06dcaa1950ffb46fef454f5df9404209bd removed zlib and blosc from the global namespace.
```
from pandas import read_csv
table = read_csv('aadhaar_data.csv')
table.to_msgpack('d.msg')
# NameError: global name 'blosc' is not defined
table.to_msgpack('d-blosc.msg', compress='blosc')
# NameError: global name 'zlib' is not defined
table.to_msgpack('d-zlib.msg', compress='zlib')
```
This pull request restores zlib and blosc compression in to_msgpack via local imports.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9783 | 2015-04-02T00:52:27Z | 2015-04-13T16:01:48Z | 2015-04-13T16:01:48Z | 2015-04-13T16:01:48Z |
ENH: Add StringMethods.partition and rpartition | diff --git a/doc/source/api.rst b/doc/source/api.rst
index 2d9fc0df5347d..364b3ba04aefb 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -544,10 +544,12 @@ strings and apply several methods to it. These can be acccessed like
Series.str.match
Series.str.normalize
Series.str.pad
+ Series.str.partition
Series.str.repeat
Series.str.replace
Series.str.rfind
Series.str.rjust
+ Series.str.rpartition
Series.str.rstrip
Series.str.slice
Series.str.slice_replace
diff --git a/doc/source/text.rst b/doc/source/text.rst
index 359b6d61dbb64..bb27fe52ba7a5 100644
--- a/doc/source/text.rst
+++ b/doc/source/text.rst
@@ -262,6 +262,8 @@ Method Summary
:meth:`~Series.str.strip`,Equivalent to ``str.strip``
:meth:`~Series.str.rstrip`,Equivalent to ``str.rstrip``
:meth:`~Series.str.lstrip`,Equivalent to ``str.lstrip``
+ :meth:`~Series.str.partition`,Equivalent to ``str.partition``
+ :meth:`~Series.str.rpartition`,Equivalent to ``str.rpartition``
:meth:`~Series.str.lower`,Equivalent to ``str.lower``
:meth:`~Series.str.upper`,Equivalent to ``str.upper``
:meth:`~Series.str.find`,Equivalent to ``str.find``
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 1c2dbaa48832b..493f299b2bf32 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -42,6 +42,7 @@ Enhancements
- Added ``StringMethods`` (.str accessor) to ``Index`` (:issue:`9068`)
- Added ``StringMethods.normalize()`` which behaves the same as standard :func:`unicodedata.normalizes` (:issue:`10031`)
+- Added ``StringMethods.partition()`` and ``rpartition()`` which behave as the same as standard ``str`` (:issue:`9773`)
- Allow clip, clip_lower, and clip_upper to accept array-like arguments as thresholds (:issue:`6966`). These methods now have an ``axis`` parameter which determines how the Series or DataFrame will be aligned with the threshold(s).
The ``.str`` accessor is now available for both ``Series`` and ``Index``.
diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 5cea4c4afe8cc..62e9e0fbc41ae 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -992,6 +992,8 @@ def __iter__(self):
g = self.get(i)
def _wrap_result(self, result):
+ # leave as it is to keep extract and get_dummies results
+ # can be merged to _wrap_result_expand in v0.17
from pandas.core.series import Series
from pandas.core.frame import DataFrame
from pandas.core.index import Index
@@ -1012,6 +1014,33 @@ def _wrap_result(self, result):
assert result.ndim < 3
return DataFrame(result, index=self.series.index)
+ def _wrap_result_expand(self, result, expand=False):
+ from pandas.core.index import Index
+ if not hasattr(result, 'ndim'):
+ return result
+
+ if isinstance(self.series, Index):
+ name = getattr(result, 'name', None)
+ # if result is a boolean np.array, return the np.array
+ # instead of wrapping it into a boolean Index (GH 8875)
+ if hasattr(result, 'dtype') and is_bool_dtype(result):
+ return result
+
+ if expand:
+ result = list(result)
+ return Index(result, name=name)
+ else:
+ index = self.series.index
+ if expand:
+ cons_row = self.series._constructor
+ cons = self.series._constructor_expanddim
+ data = [cons_row(x) for x in result]
+ return cons(data, index=index)
+ else:
+ name = getattr(result, 'name', None)
+ cons = self.series._constructor
+ return cons(result, name=name, index=index)
+
@copy(str_cat)
def cat(self, others=None, sep=None, na_rep=None):
result = str_cat(self.series, others=others, sep=sep, na_rep=na_rep)
@@ -1022,6 +1051,65 @@ def split(self, pat=None, n=-1, return_type='series'):
result = str_split(self.series, pat, n=n, return_type=return_type)
return self._wrap_result(result)
+ _shared_docs['str_partition'] = ("""
+ Split the string at the %(side)s occurrence of `sep`, and return 3 elements
+ containing the part before the separator, the separator itself,
+ and the part after the separator.
+ If the separator is not found, return %(return)s.
+
+ Parameters
+ ----------
+ pat : string, default whitespace
+ String to split on.
+ expand : bool, default True
+ * If True, return DataFrame/MultiIndex expanding dimensionality.
+ * If False, return Series/Index
+
+ Returns
+ -------
+ split : DataFrame/MultiIndex or Series/Index of objects
+
+ See Also
+ --------
+ %(also)s
+
+ Examples
+ --------
+
+ >>> s = Series(['A_B_C', 'D_E_F', 'X'])
+ 0 A_B_C
+ 1 D_E_F
+ 2 X
+ dtype: object
+
+ >>> s.str.partition('_')
+ 0 1 2
+ 0 A _ B_C
+ 1 D _ E_F
+ 2 X
+
+ >>> s.str.rpartition('_')
+ 0 1 2
+ 0 A_B _ C
+ 1 D_E _ F
+ 2 X
+ """)
+ @Appender(_shared_docs['str_partition'] % {'side': 'first',
+ 'return': '3 elements containing the string itself, followed by two empty strings',
+ 'also': 'rpartition : Split the string at the last occurrence of `sep`'})
+ def partition(self, pat=' ', expand=True):
+ f = lambda x: x.partition(pat)
+ result = _na_map(f, self.series)
+ return self._wrap_result_expand(result, expand=expand)
+
+ @Appender(_shared_docs['str_partition'] % {'side': 'last',
+ 'return': '3 elements containing two empty strings, followed by the string itself',
+ 'also': 'partition : Split the string at the first occurrence of `sep`'})
+ def rpartition(self, pat=' ', expand=True):
+ f = lambda x: x.rpartition(pat)
+ result = _na_map(f, self.series)
+ return self._wrap_result_expand(result, expand=expand)
+
@copy(str_get)
def get(self, i):
result = str_get(self.series, i)
diff --git a/pandas/tests/test_strings.py b/pandas/tests/test_strings.py
index d3875f0675e9f..1f84e1dc4d155 100644
--- a/pandas/tests/test_strings.py
+++ b/pandas/tests/test_strings.py
@@ -664,6 +664,8 @@ def test_empty_str_methods(self):
tm.assert_series_equal(empty_str, empty.str.pad(42))
tm.assert_series_equal(empty_str, empty.str.center(42))
tm.assert_series_equal(empty_list, empty.str.split('a'))
+ tm.assert_series_equal(empty_list, empty.str.partition('a', expand=False))
+ tm.assert_series_equal(empty_list, empty.str.rpartition('a', expand=False))
tm.assert_series_equal(empty_str, empty.str.slice(stop=1))
tm.assert_series_equal(empty_str, empty.str.slice(step=1))
tm.assert_series_equal(empty_str, empty.str.strip())
@@ -687,6 +689,12 @@ def test_empty_str_methods(self):
tm.assert_series_equal(empty_str, empty.str.swapcase())
tm.assert_series_equal(empty_str, empty.str.normalize('NFC'))
+ def test_empty_str_methods_to_frame(self):
+ empty_str = empty = Series(dtype=str)
+ empty_df = DataFrame([])
+ tm.assert_frame_equal(empty_df, empty.str.partition('a'))
+ tm.assert_frame_equal(empty_df, empty.str.rpartition('a'))
+
def test_ismethods(self):
values = ['A', 'b', 'Xy', '4', '3A', '', 'TT', '55', '-', ' ']
str_s = Series(values)
@@ -1175,6 +1183,119 @@ def test_split_to_dataframe(self):
with tm.assertRaisesRegexp(ValueError, "return_type must be"):
s.str.split('_', return_type="some_invalid_type")
+ def test_partition_series(self):
+ values = Series(['a_b_c', 'c_d_e', NA, 'f_g_h'])
+
+ result = values.str.partition('_', expand=False)
+ exp = Series([['a', '_', 'b_c'], ['c', '_', 'd_e'], NA, ['f', '_', 'g_h']])
+ tm.assert_series_equal(result, exp)
+
+ result = values.str.rpartition('_', expand=False)
+ exp = Series([['a_b', '_', 'c'], ['c_d', '_', 'e'], NA, ['f_g', '_', 'h']])
+ tm.assert_series_equal(result, exp)
+
+ # more than one char
+ values = Series(['a__b__c', 'c__d__e', NA, 'f__g__h'])
+ result = values.str.partition('__', expand=False)
+ exp = Series([['a', '__', 'b__c'], ['c', '__', 'd__e'], NA, ['f', '__', 'g__h']])
+ tm.assert_series_equal(result, exp)
+
+ result = values.str.rpartition('__', expand=False)
+ exp = Series([['a__b', '__', 'c'], ['c__d', '__', 'e'], NA, ['f__g', '__', 'h']])
+ tm.assert_series_equal(result, exp)
+
+ # None
+ values = Series(['a b c', 'c d e', NA, 'f g h'])
+ result = values.str.partition(expand=False)
+ exp = Series([['a', ' ', 'b c'], ['c', ' ', 'd e'], NA, ['f', ' ', 'g h']])
+ tm.assert_series_equal(result, exp)
+
+ result = values.str.rpartition(expand=False)
+ exp = Series([['a b', ' ', 'c'], ['c d', ' ', 'e'], NA, ['f g', ' ', 'h']])
+ tm.assert_series_equal(result, exp)
+
+ # Not splited
+ values = Series(['abc', 'cde', NA, 'fgh'])
+ result = values.str.partition('_', expand=False)
+ exp = Series([['abc', '', ''], ['cde', '', ''], NA, ['fgh', '', '']])
+ tm.assert_series_equal(result, exp)
+
+ result = values.str.rpartition('_', expand=False)
+ exp = Series([['', '', 'abc'], ['', '', 'cde'], NA, ['', '', 'fgh']])
+ tm.assert_series_equal(result, exp)
+
+ # unicode
+ values = Series([u('a_b_c'), u('c_d_e'), NA, u('f_g_h')])
+
+ result = values.str.partition('_', expand=False)
+ exp = Series([[u('a'), u('_'), u('b_c')], [u('c'), u('_'), u('d_e')],
+ NA, [u('f'), u('_'), u('g_h')]])
+ tm.assert_series_equal(result, exp)
+
+ result = values.str.rpartition('_', expand=False)
+ exp = Series([[u('a_b'), u('_'), u('c')], [u('c_d'), u('_'), u('e')],
+ NA, [u('f_g'), u('_'), u('h')]])
+ tm.assert_series_equal(result, exp)
+
+ # compare to standard lib
+ values = Series(['A_B_C', 'B_C_D', 'E_F_G', 'EFGHEF'])
+ result = values.str.partition('_', expand=False).tolist()
+ self.assertEqual(result, [v.partition('_') for v in values])
+ result = values.str.rpartition('_', expand=False).tolist()
+ self.assertEqual(result, [v.rpartition('_') for v in values])
+
+ def test_partition_index(self):
+ values = Index(['a_b_c', 'c_d_e', 'f_g_h'])
+
+ result = values.str.partition('_', expand=False)
+ exp = Index(np.array([('a', '_', 'b_c'), ('c', '_', 'd_e'), ('f', '_', 'g_h')]))
+ tm.assert_index_equal(result, exp)
+ self.assertEqual(result.nlevels, 1)
+
+ result = values.str.rpartition('_', expand=False)
+ exp = Index(np.array([('a_b', '_', 'c'), ('c_d', '_', 'e'), ('f_g', '_', 'h')]))
+ tm.assert_index_equal(result, exp)
+ self.assertEqual(result.nlevels, 1)
+
+ result = values.str.partition('_')
+ exp = Index([('a', '_', 'b_c'), ('c', '_', 'd_e'), ('f', '_', 'g_h')])
+ tm.assert_index_equal(result, exp)
+ self.assertTrue(isinstance(result, MultiIndex))
+ self.assertEqual(result.nlevels, 3)
+
+ result = values.str.rpartition('_')
+ exp = Index([('a_b', '_', 'c'), ('c_d', '_', 'e'), ('f_g', '_', 'h')])
+ tm.assert_index_equal(result, exp)
+ self.assertTrue(isinstance(result, MultiIndex))
+ self.assertEqual(result.nlevels, 3)
+
+ def test_partition_to_dataframe(self):
+ values = Series(['a_b_c', 'c_d_e', NA, 'f_g_h'])
+ result = values.str.partition('_')
+ exp = DataFrame({0: ['a', 'c', np.nan, 'f'],
+ 1: ['_', '_', np.nan, '_'],
+ 2: ['b_c', 'd_e', np.nan, 'g_h']})
+ tm.assert_frame_equal(result, exp)
+
+ result = values.str.rpartition('_')
+ exp = DataFrame({0: ['a_b', 'c_d', np.nan, 'f_g'],
+ 1: ['_', '_', np.nan, '_'],
+ 2: ['c', 'e', np.nan, 'h']})
+ tm.assert_frame_equal(result, exp)
+
+ values = Series(['a_b_c', 'c_d_e', NA, 'f_g_h'])
+ result = values.str.partition('_', expand=True)
+ exp = DataFrame({0: ['a', 'c', np.nan, 'f'],
+ 1: ['_', '_', np.nan, '_'],
+ 2: ['b_c', 'd_e', np.nan, 'g_h']})
+ tm.assert_frame_equal(result, exp)
+
+ result = values.str.rpartition('_', expand=True)
+ exp = DataFrame({0: ['a_b', 'c_d', np.nan, 'f_g'],
+ 1: ['_', '_', np.nan, '_'],
+ 2: ['c', 'e', np.nan, 'h']})
+ tm.assert_frame_equal(result, exp)
+
def test_pipe_failures(self):
# #2119
s = Series(['A|B|C'])
| Derived from #9111.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9773 | 2015-04-01T13:58:57Z | 2015-05-07T11:08:58Z | 2015-05-07T11:08:58Z | 2015-05-07T17:18:42Z |
ENH: Add option in read_csv to infer compression type from filename | diff --git a/doc/source/io.rst b/doc/source/io.rst
index 1c8a1159ab162..a6c702e1cd874 100644
--- a/doc/source/io.rst
+++ b/doc/source/io.rst
@@ -89,6 +89,8 @@ They can take a number of arguments:
- ``delim_whitespace``: Parse whitespace-delimited (spaces or tabs) file
(much faster than using a regular expression)
- ``compression``: decompress ``'gzip'`` and ``'bz2'`` formats on the fly.
+ Set to ``'infer'`` (the default) to guess a format based on the file
+ extension.
- ``dialect``: string or :class:`python:csv.Dialect` instance to expose more
ways to specify the file format
- ``dtype``: A data type name or a dict of column name to data type. If not
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
old mode 100644
new mode 100755
index a6e917827b755..659aa6786b366
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -80,6 +80,7 @@ API changes
- :meth:`~pandas.DataFrame.assign` now inserts new columns in alphabetical order. Previously
the order was arbitrary. (:issue:`9777`)
+- By default, ``read_csv`` and ``read_table`` will now try to infer the compression type based on the file extension. Set ``compression=None`` to restore the previous behavior (no decompression). (:issue:`9770`)
.. _whatsnew_0161.performance:
diff --git a/pandas/io/parsers.py b/pandas/io/parsers.py
old mode 100644
new mode 100755
index fef02dcb6e0c5..59ecb29146315
--- a/pandas/io/parsers.py
+++ b/pandas/io/parsers.py
@@ -56,8 +56,11 @@ class ParserWarning(Warning):
dtype : Type name or dict of column -> type
Data type for data or columns. E.g. {'a': np.float64, 'b': np.int32}
(Unsupported with engine='python')
-compression : {'gzip', 'bz2', None}, default None
- For on-the-fly decompression of on-disk data
+compression : {'gzip', 'bz2', 'infer', None}, default 'infer'
+ For on-the-fly decompression of on-disk data. If 'infer', then use gzip or
+ bz2 if filepath_or_buffer is a string ending in '.gz' or '.bz2',
+ respectively, and no decompression otherwise. Set to None for no
+ decompression.
dialect : string or csv.Dialect instance, default None
If None defaults to Excel dialect. Ignored if sep longer than 1 char
See csv.Dialect documentation for more details
@@ -295,7 +298,7 @@ def _read(filepath_or_buffer, kwds):
'verbose': False,
'encoding': None,
'squeeze': False,
- 'compression': None,
+ 'compression': 'infer',
'mangle_dupe_cols': True,
'tupleize_cols': False,
'infer_datetime_format': False,
@@ -335,7 +338,7 @@ def _make_parser_function(name, sep=','):
def parser_f(filepath_or_buffer,
sep=sep,
dialect=None,
- compression=None,
+ compression='infer',
doublequote=True,
escapechar=None,
@@ -1317,6 +1320,7 @@ def _wrap_compressed(f, compression, encoding=None):
"""
compression = compression.lower()
encoding = encoding or get_option('display.encoding')
+
if compression == 'gzip':
import gzip
@@ -1389,6 +1393,17 @@ def __init__(self, f, **kwds):
self.comment = kwds['comment']
self._comment_lines = []
+ if self.compression == 'infer':
+ if isinstance(f, compat.string_types):
+ if f.endswith('.gz'):
+ self.compression = 'gzip'
+ elif f.endswith('.bz2'):
+ self.compression = 'bz2'
+ else:
+ self.compression = None
+ else:
+ self.compression = None
+
if isinstance(f, compat.string_types):
f = com._get_handle(f, 'r', encoding=self.encoding,
compression=self.compression)
diff --git a/pandas/io/tests/data/test1.csv.bz2 b/pandas/io/tests/data/test1.csv.bz2
new file mode 100644
index 0000000000000..f96f26a8e7419
Binary files /dev/null and b/pandas/io/tests/data/test1.csv.bz2 differ
diff --git a/pandas/io/tests/data/test1.csv.gz b/pandas/io/tests/data/test1.csv.gz
new file mode 100644
index 0000000000000..1336db6e2af7e
Binary files /dev/null and b/pandas/io/tests/data/test1.csv.gz differ
diff --git a/pandas/io/tests/test_parsers.py b/pandas/io/tests/test_parsers.py
old mode 100644
new mode 100755
index b7016ad6cffae..799872d036c4f
--- a/pandas/io/tests/test_parsers.py
+++ b/pandas/io/tests/test_parsers.py
@@ -1098,6 +1098,21 @@ def test_read_csv_no_index_name(self):
self.assertEqual(df.ix[:, ['A', 'B', 'C', 'D']].values.dtype, np.float64)
tm.assert_frame_equal(df, df2)
+ def test_read_csv_infer_compression(self):
+ # GH 9770
+ expected = self.read_csv(self.csv1, index_col=0, parse_dates=True)
+
+ inputs = [self.csv1, self.csv1 + '.gz',
+ self.csv1 + '.bz2', open(self.csv1)]
+
+ for f in inputs:
+ df = self.read_csv(f, index_col=0, parse_dates=True,
+ compression='infer')
+
+ tm.assert_frame_equal(expected, df)
+
+ inputs[3].close()
+
def test_read_table_unicode(self):
fin = BytesIO(u('\u0141aski, Jan;1').encode('utf-8'))
df1 = read_table(fin, sep=";", encoding="utf-8", header=None)
diff --git a/pandas/parser.pyx b/pandas/parser.pyx
index 73a03fc5cef7c..b28e0587264d4 100644
--- a/pandas/parser.pyx
+++ b/pandas/parser.pyx
@@ -541,6 +541,17 @@ cdef class TextReader:
self.parser.cb_io = NULL
self.parser.cb_cleanup = NULL
+ if self.compression == 'infer':
+ if isinstance(source, basestring):
+ if source.endswith('.gz'):
+ self.compression = 'gzip'
+ elif source.endswith('.bz2'):
+ self.compression = 'bz2'
+ else:
+ self.compression = None
+ else:
+ self.compression = None
+
if self.compression:
if self.compression == 'gzip':
import gzip
| Ideally, I would love for this to be the default, but that wouldn't be backwards-compatible in the case where the filename ends in '.gz' or '.bz2' and you want to treat it as uncompressed. That seems like it would be very rare, though.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9770 | 2015-04-01T12:11:53Z | 2015-04-18T02:53:14Z | 2015-04-18T02:53:14Z | 2015-04-18T03:41:12Z |
Added documentation for mode() | diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index fad271dbdb224..f700d4316842c 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -4411,9 +4411,15 @@ def _get_agg_axis(self, axis_num):
def mode(self, axis=0, numeric_only=False):
"""
- Gets the mode of each element along the axis selected. Empty if nothing
+ Gets the mode(s) of each element along the axis selected. Empty if nothing
has 2+ occurrences. Adds a row for each mode per label, fills in gaps
- with nan.
+ with nan.
+
+ Note that there could be multiple values returned for the selected
+ axis (when more than one item share the maximum frequency), which is the
+ reason why a dataframe is returned. If you want to impute missing values
+ with the mode in a dataframe ``df``, you can just do this:
+ ``df.fillna(df.mode().iloc[0])``
Parameters
----------
@@ -4426,6 +4432,14 @@ def mode(self, axis=0, numeric_only=False):
Returns
-------
modes : DataFrame (sorted)
+
+ Examples
+ --------
+ >>> df = pd.DataFrame({'A': [1, 2, 1, 2, 1, 2, 3]})
+ >>> df.mode()
+ A
+ 0 1
+ 1 2
"""
data = self if not numeric_only else self._get_numeric_data()
f = lambda s: s.mode()
| This relates to issue #9750
| https://api.github.com/repos/pandas-dev/pandas/pulls/9769 | 2015-04-01T11:20:03Z | 2015-04-02T18:25:44Z | 2015-04-02T18:25:44Z | 2015-04-02T18:25:54Z |
ENH: Add StringMethods.capitalize and swapcase | diff --git a/doc/source/api.rst b/doc/source/api.rst
index b617009fe2f13..af9f8c84388bd 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -521,6 +521,7 @@ strings and apply several methods to it. These can be acccessed like
:toctree: generated/
:template: autosummary/accessor_method.rst
+ Series.str.capitalize
Series.str.cat
Series.str.center
Series.str.contains
@@ -549,6 +550,7 @@ strings and apply several methods to it. These can be acccessed like
Series.str.split
Series.str.startswith
Series.str.strip
+ Series.str.swapcase
Series.str.title
Series.str.upper
Series.str.zfill
diff --git a/doc/source/text.rst b/doc/source/text.rst
index af32549893dde..2d46b37853cee 100644
--- a/doc/source/text.rst
+++ b/doc/source/text.rst
@@ -233,6 +233,8 @@ Method Summary
:meth:`~Series.str.upper`,Equivalent to ``str.upper``
:meth:`~Series.str.find`,Equivalent to ``str.find``
:meth:`~Series.str.rfind`,Equivalent to ``str.rfind``
+ :meth:`~Series.str.capicalize`,Equivalent to ``str.capitalize``
+ :meth:`~Series.str.swapcase`,Equivalent to ``str.swapcase``
:meth:`~Series.str.isalnum`,Equivalent to ``str.isalnum``
:meth:`~Series.str.isalpha`,Equivalent to ``str.isalpha``
:meth:`~Series.str.isdigit`,Equivalent to ``str.isdigit``
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 55922091556c1..f8482f8ded184 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -17,6 +17,8 @@ We recommend that all users upgrade to this version.
Enhancements
~~~~~~~~~~~~
+- Added ``StringMethods.capitalize()`` and ``swapcase`` which behave as the same as standard ``str`` (:issue:`9766`)
+
@@ -58,7 +60,7 @@ Performance Improvements
Bug Fixes
~~~~~~~~~
-- Fixed bug (:issue:`9542`) where labels did not appear properly in legend of ``DataFrame.plot()``. Passing ``label=`` args also now works, and series indices are no longer mutated.
+- Fixed bug (:issue:`9542`) where labels did not appear properly in legend of ``DataFrame.plot()``. Passing ``label=`` args also now works, and series indices are no longer mutated.
diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 93ad2066d0e12..97f6752fb5851 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -1157,18 +1157,28 @@ def rfind(self, sub, start=0, end=None):
len = _noarg_wrapper(len, docstring=_shared_docs['len'], dtype=int)
_shared_docs['casemethods'] = ("""
- Convert strings in array to %s
+ Convert strings in array to %(type)s.
+ Equivalent to ``str.%(method)s``.
Returns
-------
- uppercase : array
+ converted : array
""")
+ _shared_docs['lower'] = dict(type='lowercase', method='lower')
+ _shared_docs['upper'] = dict(type='uppercase', method='upper')
+ _shared_docs['title'] = dict(type='titlecase', method='title')
+ _shared_docs['capitalize'] = dict(type='be capitalized', method='capitalize')
+ _shared_docs['swapcase'] = dict(type='be swapcased', method='swapcase')
lower = _noarg_wrapper(lambda x: x.lower(),
- docstring=_shared_docs['casemethods'] % 'lowercase')
+ docstring=_shared_docs['casemethods'] % _shared_docs['lower'])
upper = _noarg_wrapper(lambda x: x.upper(),
- docstring=_shared_docs['casemethods'] % 'uppercase')
+ docstring=_shared_docs['casemethods'] % _shared_docs['upper'])
title = _noarg_wrapper(lambda x: x.title(),
- docstring=_shared_docs['casemethods'] % 'titlecase')
+ docstring=_shared_docs['casemethods'] % _shared_docs['title'])
+ capitalize = _noarg_wrapper(lambda x: x.capitalize(),
+ docstring=_shared_docs['casemethods'] % _shared_docs['capitalize'])
+ swapcase = _noarg_wrapper(lambda x: x.swapcase(),
+ docstring=_shared_docs['casemethods'] % _shared_docs['swapcase'])
_shared_docs['ismethods'] = ("""
Check whether all characters in each string in the array are %(type)s.
diff --git a/pandas/tests/test_strings.py b/pandas/tests/test_strings.py
index 727ef39aa35e7..9283be566bd8f 100644
--- a/pandas/tests/test_strings.py
+++ b/pandas/tests/test_strings.py
@@ -328,6 +328,53 @@ def test_lower_upper(self):
result = result.str.lower()
tm.assert_series_equal(result, values)
+ def test_capitalize(self):
+ values = Series(["FOO", "BAR", NA, "Blah", "blurg"])
+ result = values.str.capitalize()
+ exp = Series(["Foo", "Bar", NA, "Blah", "Blurg"])
+ tm.assert_series_equal(result, exp)
+
+ # mixed
+ mixed = Series(["FOO", NA, "bar", True, datetime.today(),
+ "blah", None, 1, 2.])
+ mixed = mixed.str.capitalize()
+ exp = Series(["Foo", NA, "Bar", NA, NA, "Blah", NA, NA, NA])
+ tm.assert_almost_equal(mixed, exp)
+
+ # unicode
+ values = Series([u("FOO"), NA, u("bar"), u("Blurg")])
+ results = values.str.capitalize()
+ exp = Series([u("Foo"), NA, u("Bar"), u("Blurg")])
+ tm.assert_series_equal(results, exp)
+
+ def test_swapcase(self):
+ values = Series(["FOO", "BAR", NA, "Blah", "blurg"])
+ result = values.str.swapcase()
+ exp = Series(["foo", "bar", NA, "bLAH", "BLURG"])
+ tm.assert_series_equal(result, exp)
+
+ # mixed
+ mixed = Series(["FOO", NA, "bar", True, datetime.today(),
+ "Blah", None, 1, 2.])
+ mixed = mixed.str.swapcase()
+ exp = Series(["foo", NA, "BAR", NA, NA, "bLAH", NA, NA, NA])
+ tm.assert_almost_equal(mixed, exp)
+
+ # unicode
+ values = Series([u("FOO"), NA, u("bar"), u("Blurg")])
+ results = values.str.swapcase()
+ exp = Series([u("foo"), NA, u("BAR"), u("bLURG")])
+ tm.assert_series_equal(results, exp)
+
+ def test_casemethods(self):
+ values = ['aaa', 'bbb', 'CCC', 'Dddd', 'eEEE']
+ s = Series(values)
+ self.assertEqual(s.str.lower().tolist(), [v.lower() for v in values])
+ self.assertEqual(s.str.upper().tolist(), [v.upper() for v in values])
+ self.assertEqual(s.str.title().tolist(), [v.title() for v in values])
+ self.assertEqual(s.str.capitalize().tolist(), [v.capitalize() for v in values])
+ self.assertEqual(s.str.swapcase().tolist(), [v.swapcase() for v in values])
+
def test_replace(self):
values = Series(['fooBAD__barBAD', NA])
@@ -636,6 +683,8 @@ def test_empty_str_methods(self):
tm.assert_series_equal(empty_str, empty.str.istitle())
tm.assert_series_equal(empty_str, empty.str.isnumeric())
tm.assert_series_equal(empty_str, empty.str.isdecimal())
+ tm.assert_series_equal(empty_str, empty.str.capitalize())
+ tm.assert_series_equal(empty_str, empty.str.swapcase())
def test_ismethods(self):
values = ['A', 'b', 'Xy', '4', '3A', '', 'TT', '55', '-', ' ']
| Derived from #9111.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9766 | 2015-03-31T20:51:31Z | 2015-04-01T19:17:09Z | 2015-04-01T19:17:09Z | 2015-04-02T13:58:00Z |
BUG: incorrectly defined Memoridal Day holiday | diff --git a/pandas/tseries/holiday.py b/pandas/tseries/holiday.py
index 3b3542b760d6f..0d77e2412c1d7 100644
--- a/pandas/tseries/holiday.py
+++ b/pandas/tseries/holiday.py
@@ -407,7 +407,7 @@ def merge(self, other, inplace=False):
else:
return holidays
-USMemorialDay = Holiday('MemorialDay', month=5, day=24,
+USMemorialDay = Holiday('MemorialDay', month=5, day=25,
offset=DateOffset(weekday=MO(1)))
USLaborDay = Holiday('Labor Day', month=9, day=1,
offset=DateOffset(weekday=MO(1)))
| closes #9760
Memorial Day was incorrectly defined.
It is the last Monday in May, so the earliest it could be is the 25th (not the 24th).
This change fixes the problem.
```
>>> from pandas.tseries.holiday import AbstractHolidayCalendar, USMemorialDay
>>> class MemorialDayCalendar(AbstractHolidayCalendar):rules=[USMemorialDay]
>>> MemorialDayCalendar().holidays('2021','2022')
```
Will now return Timestamp('2021-05-31 00:00:00') instead of Timestamp('2021-05-24 00:00:00')
| https://api.github.com/repos/pandas-dev/pandas/pulls/9763 | 2015-03-31T16:45:07Z | 2015-08-12T15:14:02Z | null | 2015-08-12T15:14:02Z |
**BUG**: GH9759 - allow FloatArrayFormatter to format arrays with NaNs | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index ca316bbac8474..baba88b021a3e 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -76,3 +76,5 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
+
+- Bug in ``FloatArrayFormatter._format_strings``: could not format float arrays containing NaN values (:issue:`9759`). Caused a FloatingPointError to be raised when trying to render a DataFrame using e.g. ``DataFrame.to_html``.
diff --git a/pandas/core/format.py b/pandas/core/format.py
index b21ca9050ffd0..73b446d4b96f1 100644
--- a/pandas/core/format.py
+++ b/pandas/core/format.py
@@ -1992,7 +1992,7 @@ def _format_strings(self):
too_long = maxlen > self.digits + 5
- abs_vals = np.abs(self.values)
+ abs_vals = np.abs(self.values[~np.isnan(self.values)])
# this is pretty arbitrary for now
has_large_values = (abs_vals > 1e8).any()
diff --git a/pandas/tests/test_format.py b/pandas/tests/test_format.py
index ce32c8af99a73..43f3863e74e64 100644
--- a/pandas/tests/test_format.py
+++ b/pandas/tests/test_format.py
@@ -2981,10 +2981,12 @@ def test_misc(self):
self.assertTrue(len(result) == 0)
def test_format(self):
- obj = fmt.FloatArrayFormatter(np.array([12, 0], dtype=np.float64))
+ obj = fmt.FloatArrayFormatter(np.array([12, 0, np.nan],
+ dtype=np.float64))
result = obj.get_result()
self.assertEqual(result[0], " 12")
self.assertEqual(result[1], " 0")
+ self.assertEqual(result[2], "NaN")
class TestRepr_timedelta64(tm.TestCase):
| https://api.github.com/repos/pandas-dev/pandas/pulls/9761 | 2015-03-31T13:38:50Z | 2015-04-04T18:34:20Z | null | 2015-04-04T18:34:32Z | |
BUG: allow conversion of Timestamp and Timedelta to string in astype | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 9f989b2cf0ea9..d0f7af2275812 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -30,6 +30,7 @@ Enhancements
df = DataFrame(np.random.randn(3, 3), columns=['A', 'B', 'C'])
df.drop(['A', 'X'], axis=1, errors='ignore')
+- Allow conversion of values with dtype ``datetime64`` or ``timedelta64`` to strings using ``astype(str)`` (:issue:`9757`)
.. _whatsnew_0161.api:
diff --git a/pandas/core/common.py b/pandas/core/common.py
index ec805aba34d48..0fb35c2fb02fc 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -2637,7 +2637,12 @@ def _astype_nansafe(arr, dtype, copy=True):
if not isinstance(dtype, np.dtype):
dtype = _coerce_to_dtype(dtype)
- if is_datetime64_dtype(arr):
+ if issubclass(dtype.type, compat.text_type):
+ # in Py3 that's str, in Py2 that's unicode
+ return lib.astype_unicode(arr.ravel()).reshape(arr.shape)
+ elif issubclass(dtype.type, compat.string_types):
+ return lib.astype_str(arr.ravel()).reshape(arr.shape)
+ elif is_datetime64_dtype(arr):
if dtype == object:
return tslib.ints_to_pydatetime(arr.view(np.int64))
elif dtype == np.int64:
@@ -2675,11 +2680,6 @@ def _astype_nansafe(arr, dtype, copy=True):
elif arr.dtype == np.object_ and np.issubdtype(dtype.type, np.integer):
# work around NumPy brokenness, #1987
return lib.astype_intsafe(arr.ravel(), dtype).reshape(arr.shape)
- elif issubclass(dtype.type, compat.text_type):
- # in Py3 that's str, in Py2 that's unicode
- return lib.astype_unicode(arr.ravel()).reshape(arr.shape)
- elif issubclass(dtype.type, compat.string_types):
- return lib.astype_str(arr.ravel()).reshape(arr.shape)
if copy:
return arr.astype(dtype)
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index b8bdd2d4e3b40..6ea76710b4de7 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -4192,6 +4192,30 @@ def test_astype_cast_nan_int(self):
df = DataFrame(data={"Values": [1.0, 2.0, 3.0, np.nan]})
self.assertRaises(ValueError, df.astype, np.int64)
+ def test_astype_str(self):
+ # GH9757
+ a = Series(date_range('2010-01-04', periods=5))
+ b = Series(date_range('3/6/2012 00:00', periods=5, tz='US/Eastern'))
+ c = Series([Timedelta(x, unit='d') for x in range(5)])
+ d = Series(range(5))
+ e = Series([0.0, 0.2, 0.4, 0.6, 0.8])
+
+ df = DataFrame({'a' : a, 'b' : b, 'c' : c, 'd' : d, 'e' : e})
+
+ # Test str and unicode on python 2.x and just str on python 3.x
+ for tt in set([str, compat.text_type]):
+ result = df.astype(tt)
+
+ expected = DataFrame({
+ 'a' : list(map(tt, a.values)),
+ 'b' : list(map(tt, b.values)),
+ 'c' : list(map(tt, c.values)),
+ 'd' : list(map(tt, d.values)),
+ 'e' : list(map(tt, e.values)),
+ })
+
+ assert_frame_equal(result, expected)
+
def test_array_interface(self):
result = np.sqrt(self.frame)
tm.assert_isinstance(result, type(self.frame))
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index f044fe540ea24..fec98a37b5017 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -5511,6 +5511,24 @@ def test_astype_str(self):
expec = s.map(compat.text_type)
assert_series_equal(res, expec)
+ # GH9757
+ # Test str and unicode on python 2.x and just str on python 3.x
+ for tt in set([str, compat.text_type]):
+ ts = Series([Timestamp('2010-01-04 00:00:00')])
+ s = ts.astype(tt)
+ expected = Series([tt(ts.values[0])])
+ assert_series_equal(s, expected)
+
+ ts = Series([Timestamp('2010-01-04 00:00:00', tz='US/Eastern')])
+ s = ts.astype(tt)
+ expected = Series([tt(ts.values[0])])
+ assert_series_equal(s, expected)
+
+ td = Series([Timedelta(1, unit='d')])
+ s = td.astype(tt)
+ expected = Series([tt(td.values[0])])
+ assert_series_equal(s, expected)
+
def test_astype_unicode(self):
# GH7758
| Fixes GH #9757
| https://api.github.com/repos/pandas-dev/pandas/pulls/9758 | 2015-03-31T11:47:51Z | 2015-04-10T06:20:57Z | 2015-04-10T06:20:57Z | 2015-09-19T00:38:25Z |
Start combining various development documentation into one place. | diff --git a/doc/source/contributing.rst b/doc/source/contributing.rst
index 6d76c6e4efd6c..68bd6109b85d7 100644
--- a/doc/source/contributing.rst
+++ b/doc/source/contributing.rst
@@ -4,13 +4,574 @@
Contributing to pandas
**********************
-See the following links:
+.. contents:: Table of contents:
+ :local:
+
+Where to start?
+===============
+
+All contributions, bug reports, bug fixes, documentation improvements,
+enhancements and ideas are welcome.
+
+If you are simply looking to start working with the *pandas* codebase, navigate to the
+`GitHub "issues" tab <https://github.com/pydata/pandas/issues>`_ and start looking through
+interesting issues. There are a number of issues listed under `Docs
+<https://github.com/pydata/pandas/issues?labels=Docs&sort=updated&state=open>`_
+and `Good as first PR
+<https://github.com/pydata/pandas/issues?labels=Good+as+first+PR&sort=updated&state=open>`_
+where you could start out.
+
+Or maybe through using *pandas* you have an idea of you own or are looking for something
+in the documentation and thinking 'this can be improved'...you can do something
+about it!
+
+Feel free to ask questions on `mailing list
+<https://groups.google.com/forum/?fromgroups#!forum/pydata>`_
+
+Bug Reports/Enhancement Requests
+================================
+
+Bug reports are an important part of making *pandas* more stable. Having a complete bug report
+will allow others to reproduce the bug and provide insight into fixing. Since many versions of
+*pandas* are supported, knowing version information will also identify improvements made since
+previous versions. Often trying the bug-producing code out on the *master* branch is a worthwhile exercise
+to confirm the bug still exists. It is also worth searching existing bug reports and pull requests
+to see if the issue has already been reported and/or fixed.
+
+Bug reports must:
+
+#. Include a short, self-contained Python snippet reproducing the problem.
+ You can have the code formatted nicely by using `GitHub Flavored Markdown
+ <http://github.github.com/github-flavored-markdown/>`_: ::
+
+ ```python
+ >>> from pandas import DataFrame
+ >>> df = DataFrame(...)
+ ...
+ ```
+
+#. Include the full version string of *pandas* and its dependencies. In recent (>0.12) versions
+ of *pandas* you can use a built in function: ::
+
+ >>> from pandas.util.print_versions import show_versions
+ >>> show_versions()
+
+ and in 0.13.1 onwards: ::
+
+ >>> pd.show_versions()
+
+#. Explain why the current behavior is wrong/not desired and what you expect instead.
+
+The issue will then show up to the *pandas* community and be open to comments/ideas from others.
+
+Working with the code
+=====================
+
+Now that you have an issue you want to fix, enhancement to add, or documentation to improve,
+you need to learn how to work with GitHub and the *pandas* code base.
+
+Version Control, Git, and GitHub
+--------------------------------
+
+To the new user, working with Git is one of the more daunting aspects of contributing to *pandas*.
+It can very quickly become overwhelming, but sticking to the guidelines below will make the process
+straightforward and will work without much trouble. As always, if you are having difficulties please
+feel free to ask for help.
+
+The code is hosted on `GitHub <https://www.github.com/pydata/pandas>`_. To
+contribute you will need to sign up for a `free GitHub account
+<https://github.com/signup/free>`_. We use `Git <http://git-scm.com/>`_ for
+version control to allow many people to work together on the project.
+
+Some great resources for learning git:
+
+ * the `GitHub help pages <http://help.github.com/>`_.
+ * the `NumPy's documentation <http://docs.scipy.org/doc/numpy/dev/index.html>`_.
+ * Matthew Brett's `Pydagogue <http://matthew-brett.github.com/pydagogue/>`_.
+
+Getting Started with Git
+------------------------
+
+`GitHub has instructions <http://help.github.com/set-up-git-redirect>`__ for installing git,
+setting up your SSH key, and configuring git. All these steps need to be completed before
+working seamlessly with your local repository and GitHub.
+
+Forking
+-------
+
+You will need your own fork to work on the code. Go to the `pandas project
+page <https://github.com/pydata/pandas>`_ and hit the *fork* button. You will
+want to clone your fork to your machine: ::
+
+ git clone git@github.com:your-user-name/pandas.git pandas-yourname
+ cd pandas-yourname
+ git remote add upstream git://github.com/pydata/pandas.git
+
+This creates the directory `pandas-yourname` and connects your repository to
+the upstream (main project) *pandas* repository.
+
+You will also need to hook up Travis-CI to your GitHub repository so the suite
+is automatically run when a Pull Request is submitted. Instructions are `here
+<http://about.travis-ci.org/docs/user/getting-started/>`_.
+
+Creating a Branch
+-----------------
+
+You want your master branch to reflect only production-ready code, so create a
+feature branch for making your changes. For example::
+
+ git branch shiny-new-feature
+ git checkout shiny-new-feature
+
+The above can be simplified to::
+
+ git checkout -b shiny-new-feature
+
+This changes your working directory to the shiny-new-feature branch. Keep any
+changes in this branch specific to one bug or feature so it is clear
+what the branch brings to *pandas*. You can have many shiny-new-features
+and switch in between them using the git checkout command.
+
+Making changes
+--------------
+
+Before making your code changes, it is often necessary to build the code that was
+just checked out. There are two primary methods of doing this.
+
+#. The best way to develop *pandas* is to build the C extensions in-place by
+ running::
+
+ python setup.py build_ext --inplace
+
+ If you startup the Python interpreter in the *pandas* source directory you
+ will call the built C extensions
+
+#. Another very common option is to do a ``develop`` install of *pandas*::
+
+ python setup.py develop
+
+ This makes a symbolic link that tells the Python interpreter to import *pandas*
+ from your development directory. Thus, you can always be using the development
+ version on your system without being inside the clone directory.
+
+Contributing to the documentation
+---------------------------------
+
+If you're not the developer type, contributing to the documentation is still
+of huge value. You don't even have to be an expert on
+*pandas* to do so! Something as simple as rewriting small passages for clarity
+as you reference the docs is a simple but effective way to contribute. The
+next person to read that passage will be in your debt!
+
+Actually, there are sections of the docs that are worse off by being written
+by experts. If something in the docs doesn't make sense to you, updating the
+relevant section after you figure it out is a simple way to ensure it will
+help the next person.
+
+.. contents:: Documentation:
+ :local:
+
+
+About the pandas documentation
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+The documentation is written in **reStructuredText**, which is almost like writing
+in plain English, and built using `Sphinx <http://sphinx.pocoo.org/>`__. The
+Sphinx Documentation has an excellent `introduction to reST
+<http://sphinx.pocoo.org/rest.html>`__. Review the Sphinx docs to perform more
+complex changes to the documentation as well.
+
+Some other important things to know about the docs:
+
+- The *pandas* documentation consists of two parts: the docstrings in the code
+ itself and the docs in this folder ``pandas/doc/``.
+
+ The docstrings provide a clear explanation of the usage of the individual
+ functions, while the documentation in this folder consists of tutorial-like
+ overviews per topic together with some other information (what's new,
+ installation, etc).
+
+- The docstrings follow the **Numpy Docstring Standard** which is used widely
+ in the Scientific Python community. This standard specifies the format of
+ the different sections of the docstring. See `this document
+ <https://github.com/numpy/numpy/blob/master/doc/HOWTO_DOCUMENT.rst.txt>`_
+ for a detailed explanation, or look at some of the existing functions to
+ extend it in a similar manner.
+
+- The tutorials make heavy use of the `ipython directive
+ <http://matplotlib.org/sampledoc/ipython_directive.html>`_ sphinx extension.
+ This directive lets you put code in the documentation which will be run
+ during the doc build. For example:
+
+ ::
+
+ .. ipython:: python
+
+ x = 2
+ x**3
+
+ will be rendered as
+
+ ::
+
+ In [1]: x = 2
+
+ In [2]: x**3
+ Out[2]: 8
+
+ This means that almost all code examples in the docs are always run (and the
+ output saved) during the doc build. This way, they will always be up to date,
+ but it makes the doc building a bit more complex.
+
+
+How to build the pandas documentation
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+Requirements
+""""""""""""
+
+To build the *pandas* docs there are some extra requirements: you will need to
+have ``sphinx`` and ``ipython`` installed. `numpydoc
+<https://github.com/numpy/numpydoc>`_ is used to parse the docstrings that
+follow the Numpy Docstring Standard (see above), but you don't need to install
+this because a local copy of ``numpydoc`` is included in the *pandas* source
+code.
+
+Furthermore, it is recommended to have all `optional dependencies
+<http://pandas.pydata.org/pandas-docs/dev/install.html#optional-dependencies>`_
+installed. This is not needed, but be aware that you will see some error
+messages. Because all the code in the documentation is executed during the doc
+build, the examples using this optional dependencies will generate errors.
+Run ``pd.show_versions()`` to get an overview of the installed version of all
+dependencies.
+
+.. warning::
+
+ Sphinx version >= 1.2.2 or the older 1.1.3 is required.
+
+Building the documentation
+""""""""""""""""""""""""""
+
+So how do you build the docs? Navigate to your local the folder
+``pandas/doc/`` directory in the console and run::
+
+ python make.py html
+
+And then you can find the html output in the folder ``pandas/doc/build/html/``.
+
+The first time it will take quite a while, because it has to run all the code
+examples in the documentation and build all generated docstring pages.
+In subsequent evocations, sphinx will try to only build the pages that have
+been modified.
+
+If you want to do a full clean build, do::
+
+ python make.py clean
+ python make.py build
+
+
+Starting with 0.13.1 you can tell ``make.py`` to compile only a single section
+of the docs, greatly reducing the turn-around time for checking your changes.
+You will be prompted to delete `.rst` files that aren't required, since the
+last committed version can always be restored from git.
+
+::
+
+ #omit autosummary and API section
+ python make.py clean
+ python make.py --no-api
+
+ # compile the docs with only a single
+ # section, that which is in indexing.rst
+ python make.py clean
+ python make.py --single indexing
+
+For comparison, a full documentation build may take 10 minutes. a ``-no-api`` build
+may take 3 minutes and a single section may take 15 seconds. However, subsequent
+builds only process portions you changed. Now, open the following file in a web
+browser to see the full documentation you just built::
+
+ pandas/docs/build/html/index.html
+
+And you'll have the satisfaction of seeing your new and improved documentation!
+
+
+Contributing to the code base
+-----------------------------
+
+.. contents:: Code Base:
+ :local:
+
+Code Standards
+^^^^^^^^^^^^^^
+
+*pandas* uses the `PEP8 <http://www.python.org/dev/peps/pep-0008/>`_ standard.
+There are several tools to ensure you abide by this standard.
+
+We've written a tool to check that your commits are PEP8 great, `pip install pep8radius <https://github.com/hayd/pep8radius>`_.
+Look at PEP8 fixes in your branch vs master with::
+
+ pep8radius master --diff` and make these changes with `pep8radius master --diff --in-place`
+
+Alternatively, use `flake8 <http://pypi.python.org/pypi/flake8>`_ tool for checking the style of your code.
+Additional standards are outlined on the `code style wiki page <https://github.com/pydata/pandas/wiki/Code-Style-and-Conventions>`_.
+
+Please try to maintain backward-compatibility. *Pandas* has lots of users with lots of existing code, so
+don't break it if at all possible. If you think breakage is required clearly state why
+as part of the Pull Request. Also, be careful when changing method signatures and add
+deprecation warnings where needed.
+
+Test-driven Development/Writing Code
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+*Pandas* is serious about `Test-driven Development (TDD)
+<http://en.wikipedia.org/wiki/Test-driven_development>`_.
+This development process "relies on the repetition of a very short development cycle:
+first the developer writes an (initially failing) automated test case that defines a desired
+improvement or new function, then produces the minimum amount of code to pass that test."
+So, before actually writing any code, you should write your tests. Often the test can be
+taken from the original GitHub issue. However, it is always worth considering additional
+use cases and writing corresponding tests.
+
+Adding tests is one of the most common requests after code is pushed to *pandas*. It is worth getting
+in the habit of writing tests ahead of time so this is never an issue.
+
+Like many packages, *pandas* uses the `Nose testing system
+<http://somethingaboutorange.com/mrl/projects/nose/>`_ and the convenient
+extensions in `numpy.testing
+<http://docs.scipy.org/doc/numpy/reference/routines.testing.html>`_.
+
+Writing tests
+"""""""""""""
+
+All tests should go into the *tests* subdirectory of the specific package.
+There are probably many examples already there and looking to these for
+inspiration is suggested. If you test requires working with files or
+network connectivity there is more information on the `testing page
+<https://github.com/pydata/pandas/wiki/Testing>`_ of the wiki.
+
+The ``pandas.util.testing`` module has many special ``assert`` functions that
+make it easier to make statements about whether Series or DataFrame objects are
+equivalent. The easiest way to verify that your code is correct is to
+explicitly construct the result you expect, then compare the actual result to
+the expected correct result:
+
+::
+
+ def test_pivot(self):
+ data = {
+ 'index' : ['A', 'B', 'C', 'C', 'B', 'A'],
+ 'columns' : ['One', 'One', 'One', 'Two', 'Two', 'Two'],
+ 'values' : [1., 2., 3., 3., 2., 1.]
+ }
+
+ frame = DataFrame(data)
+ pivoted = frame.pivot(index='index', columns='columns', values='values')
+
+ expected = DataFrame({
+ 'One' : {'A' : 1., 'B' : 2., 'C' : 3.},
+ 'Two' : {'A' : 1., 'B' : 2., 'C' : 3.}
+ })
+
+ assert_frame_equal(pivoted, expected)
+
+Running the test suite
+""""""""""""""""""""""
+
+The tests can then be run directly inside your git clone (without having to
+install *pandas*) by typing:::
+
+ nosetests pandas
+
+The tests suite is exhaustive and takes around 20 minutes to run. Often it is
+worth running only a subset of tests first around your changes before running the
+entire suite. This is done using one of the following constructs:
+
+::
+
+ nosetests pandas/tests/[test-module].py
+ nosetests pandas/tests/[test-module].py:[TestClass]
+ nosetests pandas/tests/[test-module].py:[TestClass].[test_method]
+
+
+Running the performance test suite
+""""""""""""""""""""""""""""""""""
+
+Performance matters and it is worth considering that your code has not introduced
+performance regressions. Currently *pandas* uses the `vbench library <https://github.com/pydata/vbench>`__
+to enable easy monitoring of the performance of critical *pandas* operations.
+These benchmarks are all found in the ``pandas/vb_suite`` directory. vbench
+currently only works on python2.
+
+To install vbench::
+
+ pip install git+https://github.com/pydata/vbench
+
+Vbench also requires sqlalchemy, gitpython, and psutil which can all be installed
+using pip. If you need to run a benchmark, change your directory to the *pandas* root and run::
+
+ ./test_perf.sh -b master -t HEAD
+
+This will checkout the master revision and run the suite on both master and
+your commit. Running the full test suite can take up to one hour and use up
+to 3GB of RAM. Usually it is sufficient to past a subset of the results in
+to the Pull Request to show that the committed changes do not cause unexpected
+performance regressions.
+
+You can run specific benchmarks using the *-r* flag which takes a regular expression.
+
+See the `performance testing wiki <https://github.com/pydata/pandas/wiki/Performance-Testing>`_ for information
+on how to write a benchmark.
+
+Documenting your code
+^^^^^^^^^^^^^^^^^^^^^
+
+Changes should be reflected in the release notes located in `doc/source/whatsnew/vx.y.z.txt`.
+This file contains an ongoing change log for each release. Add an entry to this file to
+document your fix, enhancement or (unavoidable) breaking change. Make sure to include the
+GitHub issue number when adding your entry.
+
+If your code is an enhancement, it is most likely necessary to add usage examples to the
+existing documentation. This can be done following the section regarding documentation.
+
+Committing your code
+--------------------
+
+Keep style fixes to a separate commit to make your PR more readable.
+
+Once you've made changes, you can see them by typing::
+
+ git status
+
+If you've created a new file, it is not being tracked by git. Add it by typing ::
+
+ git add path/to/file-to-be-added.py
+
+Doing 'git status' again should give something like ::
+
+ # On branch shiny-new-feature
+ #
+ # modified: /relative/path/to/file-you-added.py
+ #
+
+Finally, commit your changes to your local repository with an explanatory message. An informal
+commit message format is in effect for the project. Please try to adhere to it. Here are
+some common prefixes along with general guidelines for when to use them:
+
+ * ENH: Enhancement, new functionality
+ * BUG: Bug fix
+ * DOC: Additions/updates to documentation
+ * TST: Additions/updates to tests
+ * BLD: Updates to the build process/scripts
+ * PERF: Performance improvement
+ * CLN: Code cleanup
+
+The following defines how a commit message should be structured. Please reference the
+relevant GitHub issues in your commit message using `GH1234` or `#1234`. Either style
+is fine, but the former is generally preferred:
+
+ * a subject line with `< 80` chars.
+ * One blank line.
+ * Optionally, a commit message body.
+
+Now you can commit your changes in your local repository::
+
+ git commit -m
+
+If you have multiple commits, it is common to want to combine them into one commit, often
+referred to as "squashing" or "rebasing". This is a common request by package maintainers
+when submitting a Pull Request as it maintains a more compact commit history. To rebase your commits::
+
+ git rebase -i HEAD~#
+
+Where # is the number of commits you want to combine. Then you can pick the relevant
+commit message and discard others.
+
+Pushing your changes
+--------------------
+
+When you want your changes to appear publicly on your GitHub page, push your
+forked feature branch's commits ::
+
+ git push origin shiny-new-feature
+
+Here `origin` is the default name given to your remote repository on GitHub.
+You can see the remote repositories ::
+
+ git remote -v
+
+If you added the upstream repository as described above you will see something
+like ::
+
+ origin git@github.com:yourname/pandas.git (fetch)
+ origin git@github.com:yourname/pandas.git (push)
+ upstream git://github.com/pydata/pandas.git (fetch)
+ upstream git://github.com/pydata/pandas.git (push)
+
+Now your code is on GitHub, but it is not yet a part of the *pandas* project. For that to
+happen, a Pull Request needs to be submitted on GitHub.
+
+Contributing your changes to *pandas*
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+
+Review your code
+----------------
+
+When you're ready to ask for a code review, you will file a Pull Request. Before you do,
+again make sure you've followed all the guidelines outlined in this document regarding
+code style, tests, performance tests, and documentation. You should also double check
+your branch changes against the branch it was based off of:
+
+#. Navigate to your repository on GitHub--https://github.com/your-user-name/pandas.
+#. Click on `Branches`.
+#. Click on the `Compare` button for your feature branch.
+#. Select the `base` and `compare` branches, if necessary. This will be `master` and
+ `shiny-new-feature`, respectively.
+
+Finally, make the Pull Request
+------------------------------
+
+If everything looks good you are ready to make a Pull Request. A Pull Request is how
+code from a local repository becomes available to the GitHub community and can be looked
+at and eventually merged into the master version. This Pull Request and its associated
+changes will eventually be committed to the master branch and available in the next
+release. To submit a Pull Request:
+
+#. Navigate to your repository on GitHub.
+#. Click on the `Pull Request` button.
+#. You can then click on `Commits` and `Files Changed` to make sure everything looks okay one last time.
+#. Write a description of your changes in the `Preview Discussion` tab.
+#. Click `Send Pull Request`.
+
+This request then appears to the repository maintainers, and they will review
+the code. If you need to make more changes, you can make them in
+your branch, push them to GitHub, and the pull request will be automatically
+updated. Pushing them to GitHub again is done by::
+
+ git push -f origin shiny-new-feature
+
+This will automatically update your Pull Request with the latest code and restart the Travis-CI tests.
+
+Delete your merged branch (optional)
+------------------------------------
+
+Once your feature branch is accepted into upstream, you'll probably want to get rid of
+the branch. First, merge upstream master into your branch so git knows it is safe to delete your branch ::
+
+ git fetch upstream
+ git checkout master
+ git merge upstream/master
+
+Then you can just do::
+
+ git branch -d shiny-new-feature
+
+Make sure you use a lower-case -d, or else git won't warn you if your feature
+branch has not actually been merged.
+
+The branch will still exist on GitHub, so to delete it there do ::
+
+ git push origin --delete shiny-new-feature
+
-- `The developer pages on the website
- <http://pandas.pydata.org/developers.html>`_
-- `Guidelines on bug reports and pull requests
- <https://github.com/pydata/pandas/blob/master/CONTRIBUTING.md>`_
-- `Some extra tips on using git
- <https://github.com/pydata/pandas/wiki/Using-Git>`_
-.. include:: ../README.rst
| Closes #6232
In working with the various "Contributing" documents recently it was clear that we needed to combine them. This is a stab at doing so. I took the various components from pydata.org, CONTRIBUTING.md, various wiki pages, and the already included Documentation documents and created this file. I think it's a good start.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9754 | 2015-03-31T02:23:20Z | 2015-04-03T00:41:09Z | 2015-04-03T00:41:09Z | 2015-05-05T18:03:08Z |
BUG: DataFrame.equals should not care about block order (GH #9330) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..52b57529fc6c2 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -70,6 +70,7 @@ Bug Fixes
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
+- Bug in ``equals`` causing false negatives when block order differed (:issue:`9330`)
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 7a16fb2b6b0d7..9b2d366bfb2be 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -3310,8 +3310,20 @@ def equals(self, other):
return False
self._consolidate_inplace()
other._consolidate_inplace()
+ if len(self.blocks) != len(other.blocks):
+ return False
+
+ # canonicalize block order, using a tuple combining the type
+ # name and then mgr_locs because there might be unconsolidated
+ # blocks (say, Categorical) which can only be distinguished by
+ # the iteration order
+ def canonicalize(block):
+ return (block.dtype.name, block.mgr_locs.as_array.tolist())
+
+ self_blocks = sorted(self.blocks, key=canonicalize)
+ other_blocks = sorted(other.blocks, key=canonicalize)
return all(block.equals(oblock) for block, oblock in
- zip(self.blocks, other.blocks))
+ zip(self_blocks, other_blocks))
class SingleBlockManager(BlockManager):
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index a15149e341f4d..66b2f4d30f6b6 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -4586,9 +4586,24 @@ def test_duplicate_column_name(self):
df.to_hdf(path, 'df', format='table')
other = read_hdf(path, 'df')
+
tm.assert_frame_equal(df, other)
+ self.assertTrue(df.equals(other))
+ self.assertTrue(other.equals(df))
+
+ def test_round_trip_equals(self):
+ # GH 9330
+ df = DataFrame({"B": [1,2], "A": ["x","y"]})
+ with ensure_clean_path(self.path) as path:
+ df.to_hdf(path, 'df', format='table')
+ other = read_hdf(path, 'df')
+ tm.assert_frame_equal(df, other)
+ self.assertTrue(df.equals(other))
+ self.assertTrue(other.equals(df))
+
+
def _test_sort(obj):
if isinstance(obj, DataFrame):
return obj.reindex(sorted(obj.index))
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 1acad4cf978a8..0b365a3399e0b 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -5944,6 +5944,20 @@ def test_boolean_comparison(self):
self.assertRaises(ValueError, lambda : df == (2,2))
self.assertRaises(ValueError, lambda : df == [2,2])
+ def test_equals_different_blocks(self):
+ # GH 9330
+ df0 = pd.DataFrame({"A": ["x","y"], "B": [1,2],
+ "C": ["w","z"]})
+ df1 = df0.reset_index()[["A","B","C"]]
+ # this assert verifies that the above operations have
+ # induced a block rearrangement
+ self.assertTrue(df0._data.blocks[0].dtype !=
+ df1._data.blocks[0].dtype)
+ # do the real tests
+ self.assert_frame_equal(df0, df1)
+ self.assertTrue(df0.equals(df1))
+ self.assertTrue(df1.equals(df0))
+
def test_to_csv_from_csv(self):
pname = '__tmp_to_csv_from_csv__'
diff --git a/pandas/tests/test_internals.py b/pandas/tests/test_internals.py
index 45f089f5e0a53..36585abd1b98f 100644
--- a/pandas/tests/test_internals.py
+++ b/pandas/tests/test_internals.py
@@ -68,15 +68,15 @@ def create_block(typestr, placement, item_shape=None, num_offset=0):
elif typestr in ('object', 'string', 'O'):
values = np.reshape(['A%d' % i for i in mat.ravel() + num_offset],
shape)
- elif typestr in ('bool'):
+ elif typestr in ('b','bool',):
values = np.ones(shape, dtype=np.bool_)
elif typestr in ('datetime', 'dt', 'M8[ns]'):
values = (mat * 1e9).astype('M8[ns]')
elif typestr in ('timedelta', 'td', 'm8[ns]'):
values = (mat * 1).astype('m8[ns]')
- elif typestr in ('category'):
+ elif typestr in ('category',):
values = Categorical([1,1,2,2,3,3,3,3,4,4])
- elif typestr in ('category2'):
+ elif typestr in ('category2',):
values = Categorical(['a','a','a','a','b','b','c','c','c','d'])
elif typestr in ('sparse', 'sparse_na'):
# FIXME: doesn't support num_rows != 10
@@ -751,6 +751,25 @@ def test_equals(self):
bm2 = BlockManager(bm1.blocks[::-1], bm1.axes)
self.assertTrue(bm1.equals(bm2))
+ def test_equals_block_order_different_dtypes(self):
+ # GH 9330
+
+ mgr_strings = [
+ "a:i8;b:f8", # basic case
+ "a:i8;b:f8;c:c8;d:b", # many types
+ "a:i8;e:dt;f:td;g:string", # more types
+ "a:i8;b:category;c:category2;d:category2", # categories
+ "c:sparse;d:sparse_na;b:f8", # sparse
+ ]
+
+ for mgr_string in mgr_strings:
+ bm = create_mgr(mgr_string)
+ block_perms = itertools.permutations(bm.blocks)
+ for bm_perm in block_perms:
+ bm_this = BlockManager(bm_perm, bm.axes)
+ self.assertTrue(bm.equals(bm_this))
+ self.assertTrue(bm_this.equals(bm))
+
def test_single_mgr_ctor(self):
mgr = create_single_mgr('f8', num_rows=5)
self.assertEqual(mgr.as_matrix().tolist(), [0., 1., 2., 3., 4.])
| closes #9330 and another version of the same problem [here on SO](http://stackoverflow.com/questions/29311659/how-can-pandas-dataframes-appear-identical-but-fail-equals) by canonicalizing the block order during an `equals` comparison.
Tested at the block manager level and above it at the frame level.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9745 | 2015-03-28T22:43:43Z | 2015-04-05T23:10:10Z | null | 2015-04-05T23:10:10Z |
BUG: where gives incorrect results when upcasting (GH 9731) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 3c3742c968642..e2b51f1b984cc 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -64,3 +64,4 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
+- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
diff --git a/pandas/core/common.py b/pandas/core/common.py
index 78406682473ff..ec805aba34d48 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -1081,15 +1081,6 @@ def _infer_dtype_from_scalar(val):
return dtype, val
-def _maybe_cast_scalar(dtype, value):
- """ if we a scalar value and are casting to a dtype that needs nan -> NaT
- conversion
- """
- if np.isscalar(value) and dtype in _DATELIKE_DTYPES and isnull(value):
- return tslib.iNaT
- return value
-
-
def _maybe_promote(dtype, fill_value=np.nan):
# if we passed an array here, determine the fill value by dtype
@@ -1154,16 +1145,39 @@ def _maybe_promote(dtype, fill_value=np.nan):
return dtype, fill_value
-def _maybe_upcast_putmask(result, mask, other, dtype=None, change=None):
- """ a safe version of put mask that (potentially upcasts the result
- return the result
- if change is not None, then MUTATE the change (and change the dtype)
- return a changed flag
+def _maybe_upcast_putmask(result, mask, other):
"""
+ A safe version of putmask that potentially upcasts the result
- if mask.any():
+ Parameters
+ ----------
+ result : ndarray
+ The destination array. This will be mutated in-place if no upcasting is
+ necessary.
+ mask : boolean ndarray
+ other : ndarray or scalar
+ The source array or value
- other = _maybe_cast_scalar(result.dtype, other)
+ Returns
+ -------
+ result : ndarray
+ changed : boolean
+ Set to true if the result array was upcasted
+ """
+
+ if mask.any():
+ # Two conversions for date-like dtypes that can't be done automatically
+ # in np.place:
+ # NaN -> NaT
+ # integer or integer array -> date-like array
+ if result.dtype in _DATELIKE_DTYPES:
+ if lib.isscalar(other):
+ if isnull(other):
+ other = tslib.iNaT
+ elif is_integer(other):
+ other = np.array(other, dtype=result.dtype)
+ elif is_integer_dtype(other):
+ other = np.array(other, dtype=result.dtype)
def changeit():
@@ -1173,39 +1187,26 @@ def changeit():
om = other[mask]
om_at = om.astype(result.dtype)
if (om == om_at).all():
- new_other = result.values.copy()
- new_other[mask] = om_at
- result[:] = new_other
+ new_result = result.values.copy()
+ new_result[mask] = om_at
+ result[:] = new_result
return result, False
except:
pass
# we are forced to change the dtype of the result as the input
# isn't compatible
- r, fill_value = _maybe_upcast(
- result, fill_value=other, dtype=dtype, copy=True)
- np.putmask(r, mask, other)
-
- # we need to actually change the dtype here
- if change is not None:
-
- # if we are trying to do something unsafe
- # like put a bigger dtype in a smaller one, use the smaller one
- # pragma: no cover
- if change.dtype.itemsize < r.dtype.itemsize:
- raise AssertionError(
- "cannot change dtype of input to smaller size")
- change.dtype = r.dtype
- change[:] = r
+ r, _ = _maybe_upcast(result, fill_value=other, copy=True)
+ np.place(r, mask, other)
return r, True
- # we want to decide whether putmask will work
+ # we want to decide whether place will work
# if we have nans in the False portion of our mask then we need to
- # upcast (possibily) otherwise we DON't want to upcast (e.g. if we are
- # have values, say integers in the success portion then its ok to not
+ # upcast (possibly), otherwise we DON't want to upcast (e.g. if we
+ # have values, say integers, in the success portion then it's ok to not
# upcast)
- new_dtype, fill_value = _maybe_promote(result.dtype, other)
+ new_dtype, _ = _maybe_promote(result.dtype, other)
if new_dtype != result.dtype:
# we have a scalar or len 0 ndarray
@@ -1222,7 +1223,7 @@ def changeit():
return changeit()
try:
- np.putmask(result, mask, other)
+ np.place(result, mask, other)
except:
return changeit()
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index 9b5e36974553b..e140ffd97051c 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -1688,6 +1688,14 @@ def test_where(self):
assert_series_equal(s, expected)
self.assertEqual(s.dtype, expected.dtype)
+ # GH 9731
+ s = Series(np.arange(10), dtype='int64')
+ mask = s > 5
+ values = [2.5, 3.5, 4.5, 5.5]
+ s[mask] = values
+ expected = Series(lrange(6) + values, dtype='float64')
+ assert_series_equal(s, expected)
+
# can't do these as we are forced to change the itemsize of the input
# to something we cannot
for dtype in [np.int8, np.int16, np.int32, np.float16, np.float32]:
| closes #9731
The main issue is when the destination and source arrays have different lengths, `np.putmask` doesn't behave like `arr[mask] = values`:
"Sets `a.flat[n] = values[n]` for each n where `mask.flat[n]==True`"
We have to use `np.place` instead. A secondary issue is that `np.place` doesn't automatically convert an integer to a `datetime64` like `np.putmask` does (I created a numpy issue for this), so we need an additional check for that case. The rest of the commit is just cleaning up `_maybe_upcast_putmask`, which had some parameters that were never used, and a confusing docstring.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9743 | 2015-03-28T14:08:51Z | 2015-04-02T21:25:39Z | 2015-04-02T21:25:39Z | 2015-06-10T13:41:24Z |
BUG: Bring pandas up to date with pandas-datareader | diff --git a/pandas/io/data.py b/pandas/io/data.py
index ea635e85ed177..3e077bf526ab9 100644
--- a/pandas/io/data.py
+++ b/pandas/io/data.py
@@ -172,14 +172,14 @@ def _retry_read_url(url, retry_count, pause, name):
if len(rs) > 2 and rs.index[-1] == rs.index[-2]: # pragma: no cover
rs = rs[:-1]
- #Get rid of unicode characters in index name.
- try:
- rs.index.name = rs.index.name.decode('unicode_escape').encode('ascii', 'ignore')
- except AttributeError:
- #Python 3 string has no decode method.
- rs.index.name = rs.index.name.encode('ascii', 'ignore').decode()
+ #Get rid of unicode characters in index name.
+ try:
+ rs.index.name = rs.index.name.decode('unicode_escape').encode('ascii', 'ignore')
+ except AttributeError:
+ #Python 3 string has no decode method.
+ rs.index.name = rs.index.name.encode('ascii', 'ignore').decode()
- return rs
+ return rs
raise IOError("after %d tries, %s did not "
"return a 200 for url %r" % (retry_count, name, url))
@@ -326,18 +326,23 @@ def _dl_mult_symbols(symbols, start, end, interval, chunksize, retry_count, paus
method):
stocks = {}
failed = []
+ passed = []
for sym_group in _in_chunks(symbols, chunksize):
for sym in sym_group:
try:
stocks[sym] = method(sym, start, end, interval, retry_count, pause)
+ passed.append(sym)
except IOError:
warnings.warn('Failed to read symbol: {0!r}, replacing with '
'NaN.'.format(sym), SymbolWarning)
failed.append(sym)
+ if len(passed) == 0:
+ raise RemoteDataError("No data fetched using "
+ "{0!r}".format(method.__name__))
try:
- if len(stocks) > 0 and len(failed) > 0:
- df_na = stocks.values()[0].copy()
+ if len(stocks) > 0 and len(failed) > 0 and len(passed) > 0:
+ df_na = stocks[passed[0]].copy()
df_na[:] = np.nan
for sym in failed:
stocks[sym] = df_na
@@ -347,7 +352,6 @@ def _dl_mult_symbols(symbols, start, end, interval, chunksize, retry_count, paus
raise RemoteDataError("No data fetched using "
"{0!r}".format(method.__name__))
-
_source_functions = {'google': _get_hist_google, 'yahoo': _get_hist_yahoo}
@@ -701,9 +705,6 @@ def _option_frames_from_url(self, url):
calls = frames[self._TABLE_LOC['calls']]
puts = frames[self._TABLE_LOC['puts']]
- if len(calls) == 0 or len(puts) == 0:
- raise RemoteDataError('Received no data from Yahoo at url: %s' % url)
-
calls = self._process_data(calls, 'call')
puts = self._process_data(puts, 'put')
diff --git a/pandas/io/tests/data/yahoo_options3.html b/pandas/io/tests/data/yahoo_options3.html
new file mode 100644
index 0000000000000..6e79bb9bf9f36
--- /dev/null
+++ b/pandas/io/tests/data/yahoo_options3.html
@@ -0,0 +1,2807 @@
+<!DOCTYPE html>
+<html>
+<head>
+ <!-- customizable : anything you expected. -->
+ <title>SPWR Option Chain | Yahoo! Inc. Stock - Yahoo! Finance</title>
+
+ <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" />
+ <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
+
+
+
+
+ <link rel="stylesheet" type="text/css" href="https://s.yimg.com/zz/combo?/os/mit/td/stencil-0.1.306/stencil-css/stencil-css-min.css&/os/mit/td/finance-td-app-mobile-web-2.0.356/css.master/css.master-min.css"/><link rel="stylesheet" type="text/css" href="https://s.yimg.com/os/mit/media/m/quotes/quotes-search-gs-smartphone-min-1680382.css"/>
+
+
+<script>(function(html){var c = html.className;c += " JsEnabled";c = c.replace("NoJs","");html.className = c;})(document.documentElement);</script>
+
+
+
+ <!-- UH -->
+ <link rel="stylesheet" href="https://s.yimg.com/zz/combo?kx/yucs/uh3/uh/1132/css/uh_non_mail-min.css&kx/yucs/uh_common/meta/3/css/meta-min.css&kx/yucs/uh3/top-bar/366/css/no_icons-min.css&kx/yucs/uh3/search/css/588/blue_border-min.css&kx/yucs/uh3/get-the-app/151/css/get_the_app-min.css&kx/yucs/uh3/uh/1132/css/uh_ssl-min.css&&bm/lib/fi/common/p/d/static/css/2.0.356953/2.0.0/mini/yfi_theme_teal.css&bm/lib/fi/common/p/d/static/css/2.0.356953/2.0.0/mini/yfi_interactive_charts_embedded.css">
+
+
+
+
+ <style>
+ .dev-desktop .y-header {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ padding-bottom: 10px;
+ background-color: #FFF;
+ z-index: 500;
+ -webkit-transition:border 0.25s, box-shadow 0.25s;
+ -moz-transition:border 0.25s, box-shadow 0.25s;
+ transition:border 0.25s, box-shadow 0.25s;
+ }
+ .Scrolling .dev-desktop .y-header,
+ .has-scrolled .dev-desktop .y-header {
+ -webkit-box-shadow: 0 0 9px 0 #490f76!important;
+ -moz-box-shadow: 0 0 9px 0 #490f76!important;
+ box-shadow: 0 0 9px 0 #490f76!important;
+ border-bottom: 1px solid #490f76!important;
+ }
+ .yucs-sidebar, .yui3-sidebar {
+ position: relative;
+ }
+ </style>
+ <style>
+
+ #content-area {
+ margin-top: 100px;
+ z-index: 4;
+ }
+ #finance-navigation {
+
+ padding: 0 12px;
+ }
+ #finance-navigation a, #finance-navigation a:link, #finance-navigation a:visited {
+ color: #1D1DA3;
+ }
+ #finance-navigation li.nav-section {
+ position: relative;
+ }
+ #finance-navigation li.nav-section a {
+ display: block;
+ padding: 10px 20px;
+ }
+ #finance-navigation li.nav-section ul.nav-subsection {
+ background-color: #FFFFFF;
+ border: 1px solid #DDDDDD;
+ box-shadow: 0 3px 15px 2px #FFFFFF;
+ display: none;
+ left: 0;
+ min-width: 100%;
+ padding: 5px 0;
+ position: absolute;
+ top: 35px;
+ z-index: 11;
+ }
+ #finance-navigation li.nav-section ul.nav-subsection a {
+ display: block;
+ padding: 5px 11px;
+ white-space: nowrap;
+ }
+ #finance-navigation li.nav-section ul.nav-subsection ul.scroll {
+ margin: 0 0 13px;
+ max-height: 168px;
+ overflow: auto;
+ padding-bottom: 8px;
+ width: auto;
+ }
+ #finance-navigation li.first a {
+ padding-left: 0;
+ }
+ #finance-navigation li.on ul.nav-subsection {
+ display: block;
+ }
+ #finance-navigation li.on:before {
+ -moz-border-bottom-colors: none;
+ -moz-border-left-colors: none;
+ -moz-border-right-colors: none;
+ -moz-border-top-colors: none;
+ border-color: -moz-use-text-color rgba(0, 0, 0, 0) #DDDDDD;
+ border-image: none;
+ border-left: 10px solid rgba(0, 0, 0, 0);
+ border-right: 10px solid rgba(0, 0, 0, 0);
+ border-style: none solid solid;
+ border-width: 0 10px 10px;
+ bottom: -5px;
+ content: "";
+ left: 50%;
+ margin-left: -10px;
+ position: absolute;
+ z-index: 1;
+ }
+ #finance-navigation li.on:after {
+ -moz-border-bottom-colors: none;
+ -moz-border-left-colors: none;
+ -moz-border-right-colors: none;
+ -moz-border-top-colors: none;
+ border-color: -moz-use-text-color rgba(0, 0, 0, 0) #FFFFFF;
+ border-image: none;
+ border-left: 10px solid rgba(0, 0, 0, 0);
+ border-right: 10px solid rgba(0, 0, 0, 0);
+ border-style: none solid solid;
+ border-width: 0 10px 10px;
+ bottom: -6px;
+ content: "";
+ left: 50%;
+ margin-left: -10px;
+ position: absolute;
+ z-index: 1;
+ }
+
+
+ #finance-navigation {
+ position: relative;
+ left: -100%;
+ padding-left: 102%;
+
+ }
+
+
+ ul {
+ margin: .55em 0;
+ }
+
+ div[data-region=subNav] {
+ z-index: 11;
+ }
+
+ #yfi_investing_content {
+ position: relative;
+ }
+
+ #yfi_charts.desktop #yfi_investing_content {
+ width: 1070px;
+ }
+
+ #yfi_charts.tablet #yfi_investing_content {
+ width: 930px;
+ }
+
+ #yfi_charts.tablet #yfi_doc {
+ width: 1100px;
+ }
+
+ .tablet #yucs #yucs-search {
+ text-align: left;
+ }
+
+ #compareSearch {
+ position: absolute;
+ right: 0;
+ padding-top: 10px;
+ z-index: 10;
+ }
+
+ /* remove this once int1 verification happens */
+ #yfi_broker_buttons {
+ height: 60px;
+ }
+
+ #yfi_charts.desktop #yfi_doc {
+ width: 1240px;
+ }
+
+ .tablet #content-area {
+ margin-top: 0;
+
+ }
+
+ .tablet #marketindices {
+ margin-top: -5px;
+ }
+
+ .tablet #quoteContainer {
+ right: 191px;
+ }
+ </style>
+</head>
+<body id="yfi_charts" class="dev-desktop desktop intl-us yfin_gs gsg-0">
+
+<div id="outer-wrapper" class="outer-wrapper">
+ <div class="yui-sv y-header">
+ <div class="yui-sv-hd">
+ <!-- yucs header bar. Property sticks UH header bar here. UH supplies the div -->
+ <style>#header,#y-hd,#hd .yfi_doc,#yfi_hd{background:#fff !important}#yfin_gs #yfimh #yucsHead,#yfin_gs #yfi_doc #yucsHead,#yfin_gs #yfi_fp_hd #yucsHead,#yfin_gs #y-hd #yucsHead,#yfin_gs #yfi_hd #yucsHead,#yfin_gs #yfi-doc #yucsHead{-webkit-box-shadow:0 0 9px 0 #490f76 !important;-moz-box-shadow:0 0 9px 0 #490f76 !important;box-shadow:0 0 9px 0 #490f76 !important;border-bottom:1px solid #490f76 !important}#yog-hd,#yfi-hd,#ysp-hd,#hd,#yfimh,#yfi_hd,#yfi_fp_hd,#masthead,#yfi_nav_header #navigation,#y-nav #navigation,.ad_in_head{background-color:#fff;background-image:none}#header,#hd .yfi_doc,#y-hd .yfi_doc,#yfi_hd .yfi_doc{width:100% !important}#yucs{margin:0 auto;width:970px}#yfi_nav_header,.y-nav-legobg,#y-nav #navigation{margin:0 auto;width:970px}#yucs .yucs-avatar{height:22px;width:22px}#yucs #yucs-profile_text .yuhead-name-greeting{display:none}#yucs #yucs-profile_text .yuhead-name{top:0;max-width:65px}#yucs-profile_text{max-width:65px}#yog-bd .yom-stage{background:transparent}#yog-hd{height:84px}.yog-bd,.yog-grid{padding:4px 10px}.nav-stack ul.yog-grid{padding:0}#yucs #yucs-search.yucs-bbb .yucs-button_theme{background:-moz-linear-gradient(top, #01a5e1 0, #0297ce 100%);background:-webkit-gradient(linear, left top, left bottom, color-stop(0%, #01a5e1), color-stop(100%, #0297ce));background:-webkit-linear-gradient(top, #01a5e1 0, #0297ce 100%);background:-o-linear-gradient(top, #01a5e1 0, #0297ce 100%);background:-ms-linear-gradient(top, #01a5e1 0, #0297ce 100%);background:linear-gradient(to bottom, #01a5e1 0, #0297ce 100%);-webkit-box-shadow:inset 0 1px 3px 0 #01c0eb;box-shadow:inset 0 1px 3px 0 #01c0eb;background-color:#019ed8;background-color:transparent\0/IE9;background-color:transparent\9;*background:none;border:1px solid #595959;padding-left:0px;padding-right:0px}#yucs #yucs-search.yucs-bbb #yucs-prop_search_button_wrapper .yucs-gradient{filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#01a5e1', endColorstr='#0297ce',GradientType=0 );-ms-filter:"progid:DXImageTransform.Microsoft.gradient( startColorstr='#01a5e1', endColorstr='#0297ce',GradientType=0 )";background-color:#019ed8\0/IE9}#yucs #yucs-search.yucs-bbb #yucs-prop_search_button_wrapper{*border:1px solid #595959}#yucs #yucs-search .yucs-button_theme{background:#0f8ed8;border:0;box-shadow:0 2px #044e6e}@media all{#yucs.yucs-mc,#yucs-top-inner{width:auto !important;margin:0 !important}#yucsHead{_text-align:left !important}#yucs-top-inner,#yucs.yucs-mc{min-width:970px !important;max-width:1240px !important;padding-left:10px !important;padding-right:10px !important}#yucs.yucs-mc{_width:970px !important;_margin:0 !important}#yucsHead #yucs .yucs-fl-left #yucs-search{position:absolute;left:190px !important;max-width:none !important;margin-left:0;_left:190px;_width:510px !important}.yog-ad-billboard #yucs-top-inner,.yog-ad-billboard #yucs.yucs-mc{max-width:1130px !important}#yucs .yog-cp{position:inherit}}#yucs #yucs-logo{width:150px !important;height:34px !important}#yucs #yucs-logo div{width:94px !important;margin:0 auto !important}.lt #yucs-logo div{background-position:-121px center !important}#yucs-logo a{margin-left:-13px !important}</style><style>#yog-hd .yom-bar, #yog-hd .yom-nav, #y-nav, #hd .ysp-full-bar, #yfi_nav_header, #hd .mast {
+float: none;
+width: 970px;
+margin: 0 auto;
+}
+
+#yog-bd .yom-stage {
+background: transparent;
+}
+
+#y-nav .yom-nav {
+padding-top: 0px;
+}
+
+#ysp-search-assist .bd {
+display:none;
+}
+
+#ysp-search-assist h4 {
+padding-left: 8px;
+}
+
+
+ #yfi-portfolios-multi-quotes #y-nav, #yfi-portfolios-multi-quotes #navigation, #yfi-portfolios-multi-quotes .y-nav-legobg,
+ #yfi-portfolios-my-portfolios #y-nav, #yfi-portfolios-my-portfolios #navigation, #yfi-portfolios-my-portfolios .y-nav-legobg {
+ width : 100%;
+ }</style> <div id="yucsHead" class="yucs-finance yucs-en-us yucs-standard"><!-- meta --><div id="yucs-meta" data-authstate="signedout" data-cobrand="standard" data-crumb="HVSMb/Vg12G" data-mc-crumb="Tdz9BZvXIPG" data-gta="FpUml9Lj/0t" data-device="desktop" data-experience="GS" data-firstname="" data-flight="1427251673" data-forcecobrand="standard" data-guid="" data-host="finance.yahoo.com" data-https="1" data-languagetag="en-us" data-property="finance" data-protocol="https" data-shortfirstname="" data-shortuserid="" data-status="active" data-spaceid="2022773886" data-test_id="" data-userid="" data-stickyheader="true" data-headercollapse='' ></div><!-- /meta --><div id="yucs-comet" style="display:none;"></div><div id="yucs-disclaimer" class="yucs-disclaimer yucs-activate yucs-hide yucs-property-finance yucs-fcb- " data-cobrand="standard" data-cu = "0" data-dsstext="Want a better search experience? {dssLink}Set your Search to Yahoo{linkEnd}" data-dsstext-mobile="Search Less, Find More" data-dsstext-mobile-ok="OK" data-dsstext-mobile-set-search="Set Search to Yahoo" data-dssstbtext="Yahoo is the preferred search engine for Firefox. Switch now." data-dssstb-ok="Yes" data-dssstb-no="Not Now" data-ylt-link="https://search.yahoo.com/searchset;_ylt=AvBd8yuXQP1FE7AzOK.9WWF.FJF4?pn=" data-ylt-dssbarclose="/;_ylt=AnpKQu_VtRlt5IsJjOTC4BV.FJF4" data-ylt-dssbaropen="/;_ylt=AiBSa6g.6aEIcYqDmcGfZLp.FJF4" data-ylt-dssstb-link="https://downloads.yahoo.com/sp-firefox;_ylt=Ah1pbpBocj7b_r2PPRwNjCN.FJF4" data-ylt-dssstbbarclose="/;_ylt=ArBIkRSucjOS2yWDOXhp1SF.FJF4" data-ylt-dssstbbaropen="/;_ylt=Ag76Bu0Li5VeRf0Tak01ETJ.FJF4" data-ylt-dssCookieCleanedSuccess="/;_ylt=Ah8hiXxlLJoV_3FBq3tFWeN.FJF4" data-ylt-dssCookieCleanedFailed="/;_ylt=AqDJx6PCHeaMGrVVc1uqUiV.FJF4" data-linktarget="_top" data-lang="en-us" data-property="finance" data-device="Desktop" data-close-txt="Close this window" data-maybelater-txt = "Maybe Later" data-killswitch = "0" data-host="finance.yahoo.com" data-spaceid="2022773886" data-pn="tb5l.j/xP1L" data-dss-cookie-cleanup="p0FosBsWgFi" data-pn-en-ca-mobile-frontpage="PKu30aPHhjC" data-pn-de-de-mobile-frontpage="8oOlpg2WMt8" data-pn-es-es-mobile-frontpage="5jsZIeQOv6v" data-pn-fr-fr-mobile-frontpage="hOhiEWVp5Zn" data-pn-en-in-mobile-frontpage="aG/6BLG3d1s" data-pn-it-it-mobile-frontpage="JfUbdMeYkyc" data-pn-en-us-mobile-frontpage="tb5l.j/xP1L" data-pn-en-sg-mobile-frontpage="b5YG2DcdA5b" data-pn-en-gb-mobile-frontpage="21QBB5CyCG8" data-pn-en-us-mobile-mail="tAbva7/szv1" data-pn-en-ca-mobile-mail="ij8Lg6VVXHm" data-pn-de-de-mobile-mail="pkZg1NRefVJ" data-pn-es-es-mobile-mail="MTfCu70e6/R" data-pn-fr-fr-mobile-mail="lT74Z7Mbx2Q" data-pn-en-in-mobile-mail="Rj3vS.eDtbs" data-pn-it-it-mobile-mail="3worGce1Tr9" data-pn-en-sg-mobile-mail="4FrKaNBexjw" data-pn-en-gb-mobile-mail="LVl9wNL2kdW" data-pn-pt-br-mobile-mail="a/c5oMjNxgy" data-pn-en-us-tablet-frontpage="yxj4T5.AXUX" data-pn-en-us-tablet-mail="Aap3Vjs9bRF" data-pn-en-ca-tablet-mail="Rc5pJtym4j7" data-pn-de-de-tablet-mail="Uat6ofVUjGk" data-pn-es-es-tablet-mail="lNyAEKczB2u" data-pn-fr-fr-tablet-mail="I3ULq8KrFL9" data-pn-en-in-tablet-mail="TV.5An.lhfV" data-pn-it-it-tablet-mail="epI8iT8QcS0" data-pn-en-sg-tablet-mail="6oD.RwmiFtU" data-pn-en-gb-tablet-mail="Wf.IRx16ZPj" data-pn-pt-br-tablet-mail="ZHZsfe1OZE9" data-news-search-yahoo-com="Q5/uUxHV.LD" data-answers-search-yahoo-com="9RpG8B7zhd1" data-finance-search-yahoo-com="K2Ts05.cawy" data-images-search-yahoo-com="o3glPuo2OB9" data-video-search-yahoo-com="yj0lG.iRj7i" data-sports-search-yahoo-com="N8Hj.HzPyGy" data-shopping-search-yahoo-com="NykVrTEq9bV" data-shopping-yahoo-com="NykVrTEq9bV" data-us-qa-trunk-news-search-yahoo-com ="Q5/uUxHV.LD" data-dss="1"></div> <div id="yucs-top-bar" class='yucs-ps' ><div id='yucs-top-inner'><ul id="yucs-top-list"><li id="yucs-top-home"><a href="https://us.lrd.yahoo.com/_ylt=Alc1CCAC6f_uzmdYCPdd1ER.FJF4/SIG=11a69k544/EXP=1427280473/**https%3a//www.yahoo.com/" ><span class="sp yucs-top-ico"></span>Home</a></li><li id="yucs-top-mail"><a href="https://mail.yahoo.com/;_ylt=AuueiFLURKY7TiMlAM2fZIV.FJF4?.intl=us&.lang=en-US&.src=ym" >Mail</a></li><li id="yucs-top-search"><a href="https://search.yahoo.com/search;_ylt=AlmeCfaxHsJUT3f._psnh.Z.FJF4" >Search</a></li><li id="yucs-top-news"><a href="http://news.yahoo.com/;_ylt=AuFaMM3Vm.oia56nN35tUBZ.FJF4" >News</a></li><li id="yucs-top-sports"><a href="http://sports.yahoo.com/;_ylt=AiQMnxBgWkxzvNmSUCbZ1b5.FJF4" >Sports</a></li><li id="yucs-top-finance"><a href="http://finance.yahoo.com/;_ylt=AtpFK8VlpMSXquVKCRPzVaV.FJF4" >Finance</a></li><li id="yucs-top-weather"><a href="https://weather.yahoo.com/;_ylt=AunejRGJjm7YbbnDbN8NGeV.FJF4" >Weather</a></li><li id="yucs-top-games"><a href="https://games.yahoo.com/;_ylt=AiEQlc7if0DvDSJ_71.zvp5.FJF4" >Games</a></li><li id="yucs-top-answers"><a href="https://answers.yahoo.com/;_ylt=AvPBQONLCkk5oPDhPunmfOZ.FJF4" >Answers</a></li><li id="yucs-top-screen"><a href="https://us.lrd.yahoo.com/_ylt=AkpnBo3cM1BTX6gb93m5leZ.FJF4/SIG=11dq8l4t0/EXP=1427280473/**https%3a//screen.yahoo.com/" >Screen</a></li><li id="yucs-top-flickr"><a href="https://us.lrd.yahoo.com/_ylt=Ag1fValWD8UDsTHS0hijL4l.FJF4/SIG=11bf7n8bv/EXP=1427280473/**https%3a//www.flickr.com/" >Flickr</a></li><li id="yucs-top-mobile"><a href="https://mobile.yahoo.com/;_ylt=AjB.0cyRbZbD6D4smGyAylV.FJF4" >Mobile</a></li><li id='yucs-more' class='yucs-menu yucs-more-activate' data-ylt="/;_ylt=AlJ9FArayZOdJ47rOsvkGJt.FJF4"><a href="http://everything.yahoo.com/" id='yucs-more-link'>More<span class="sp yucs-top-ico"></span></a><div id='yucs-top-menu'><div class="yui3-menu-content"><ul class="yucs-hide yucs-leavable"><li id='yucs-top-politics'><a href="https://us.lrd.yahoo.com/_ylt=Aq6ektXsyl9PO2gyOX9TzOl.FJF4/SIG=11ia2uuk4/EXP=1427280473/**https%3a//www.yahoo.com/politics" >Politics</a></li><li id='yucs-top-celebrity'><a href="https://celebrity.yahoo.com/;_ylt=AuT4mNkT26N0podRHoepQGd.FJF4" >Celebrity</a></li><li id='yucs-top-movies'><a href="https://us.lrd.yahoo.com/_ylt=Ar2TUW3sHJe.qZ05Mobockd.FJF4/SIG=11gpbhj81/EXP=1427280473/**https%3a//www.yahoo.com/movies" >Movies</a></li><li id='yucs-top-music'><a href="https://us.lrd.yahoo.com/_ylt=AhAqjcnRMA1NVrsFj5.CzIp.FJF4/SIG=11fotdr7r/EXP=1427280473/**https%3a//www.yahoo.com/music" >Music</a></li><li id='yucs-top-tv'><a href="https://us.lrd.yahoo.com/_ylt=Aru1.cFazm_ae5kRaK_G4mB.FJF4/SIG=11cj4cm6r/EXP=1427280473/**https%3a//www.yahoo.com/tv" >TV</a></li><li id='yucs-top-groups'><a href="https://us.lrd.yahoo.com/_ylt=ArU4kxnoa6mC8gKkKtkj6Ux.FJF4/SIG=11dium6ad/EXP=1427280473/**https%3a//groups.yahoo.com/" >Groups</a></li><li id='yucs-top-health'><a href="https://us.lrd.yahoo.com/_ylt=Ap.jxGs5VxvWwvs6UmzFq4B.FJF4/SIG=11g94de63/EXP=1427280473/**https%3a//www.yahoo.com/health" >Health</a></li><li id='yucs-top-style'><a href="https://us.lrd.yahoo.com/_ylt=Aqt2UQ6AkjhFqUyi9k42FHR.FJF4/SIG=11fhdove9/EXP=1427280473/**https%3a//www.yahoo.com/style" >Style</a></li><li id='yucs-top-beauty'><a href="https://us.lrd.yahoo.com/_ylt=AsRy_fzn_R993z99ix3Bov5.FJF4/SIG=11gqp8q7c/EXP=1427280473/**https%3a//www.yahoo.com/beauty" >Beauty</a></li><li id='yucs-top-food'><a href="https://us.lrd.yahoo.com/_ylt=Ak2J5Xy6bJtXo56RKLG9FeB.FJF4/SIG=11er55dl3/EXP=1427280473/**https%3a//www.yahoo.com/food" >Food</a></li><li id='yucs-top-parenting'><a href="https://us.lrd.yahoo.com/_ylt=ApK5hfVgasf2iTBR0fFOjkR.FJF4/SIG=11jkqqrqk/EXP=1427280473/**https%3a//www.yahoo.com/parenting" >Parenting</a></li><li id='yucs-top-makers'><a href="https://us.lrd.yahoo.com/_ylt=AqmBSZCRMqArgtRRwKv9Ybt.FJF4/SIG=11gsifckf/EXP=1427280473/**https%3a//www.yahoo.com/makers" >Makers</a></li><li id='yucs-top-tech'><a href="https://us.lrd.yahoo.com/_ylt=ApqSlHxSXO6EIm.ZsOPY69V.FJF4/SIG=11eli6t63/EXP=1427280473/**https%3a//www.yahoo.com/tech" >Tech</a></li><li id='yucs-top-shopping'><a href="http://shopping.yahoo.com/;_ylt=AkPMr8mhP1E_vyFqQWTHqoN.FJF4" >Shopping</a></li><li id='yucs-top-travel'><a href="https://us.lrd.yahoo.com/_ylt=AlKE6DyHBpG0DWxmFl4qsBR.FJF4/SIG=11gc5j78m/EXP=1427280473/**https%3a//www.yahoo.com/travel" >Travel</a></li><li id='yucs-top-autos'><a href="https://autos.yahoo.com/;_ylt=Al5mxcf7awy3RIvyOshW.Gx.FJF4" >Autos</a></li><li id='yucs-top-homes'><a href="https://us.lrd.yahoo.com/_ylt=AqHTaJywhfhmvfG6NCpqKft.FJF4/SIG=11l3r2u9o/EXP=1427280473/**https%3a//homes.yahoo.com/own-rent/" >Homes</a></li></ul></div></div></li></ul></div><style>#yucs-top-ff-promo { position:absolute; right:0; right:auto\9; left:950px\9; right:0\9\0; left:auto\9\0; margin-left:18px;}#yucs-top-ff-promo a span { text-decoration: none; display: inline-block;}@media screen and (max-width:1150px) { #yucs-top-ff-promo { right:auto; }}</style><li id='yucs-top-ff-promo' class="Grid-U Mend-18 Pstart-14 D-n"><a class="D-b Pstart-4" href="https://www.mozilla.org/firefox/new/?utm_source=yahoo&utm_medium=referral&utm_campaign=y-uh&utm_content=y-install-new-firefox" data-ylk="t5:ff-promo;slk:ff-promo;t4:pty-mu;" target="_blank"><img id="yucs-ff-img" class="Pend-4 Va-m" src='https://s.yimg.com/kx/yucs/uh3s/promo-ff/1/images/ff_icon-compressed.png' width="15" height="15" alt="Firefox" />Install the new Firefox<span> »</span></a></li><script> var s = false, ts,re2,sdts,v2= null, cookies = "; " + document.cookie, dss = cookies.split("; DSS="), m, ua = window.navigator.userAgent.toLowerCase(); m = ua.match(/firefox\/(\d+)/); if (!m || (m && m[1] && parseInt(m[1]) < 34)) { if (ua.indexOf('version') >= 0 && ua.indexOf('crios') < 0) { s = true; } if (!!window.opera || navigator.userAgent.indexOf(' OPR/') >= 0) { s = true; } if (dss && dss.length === 2) { re2 = new RegExp('sdts=(\\d+)'); v2 = re2.exec(dss[1]); if (v2 && v2.length === 2) { sdts = v2[1]; } if (sdts && (parseInt(new Date().getTime()) - sdts) < 604800000) { s = true; } } if (!s) { m = document.getElementById('yucs-top-ff-promo'); m.className = m.className.replace(/D-n/g,''); } }</script></div><div id="yucs" class="yucs yucs-mc yog-grid" data-lang="en-us" data-property="finance" data-flight="1427251673" data-linktarget="_top" data-uhvc="/;_ylt=AvcHsWUPdvTmykmqE68HzkJ.FJF4"> <div class="yucs-fl-left yog-cp"> <div id="yucs-logo"> <style> #yucs #yucs-logo-ani { width:120px ; height:34px; background-image:url(https://s.yimg.com/rz/l/yahoo_finance_en-US_f_pw_119x34.png) ; _background-image:url(https://s.yimg.com/rz/l/yahoo_finance_en-US_f_pw_119x34.gif) ; *left: 0px; display:block ; visibility: visible; position: relative; clip: auto; } .lt #yucs-logo-ani { background-position: 100% 0px !important; } .lt #yucs[data-property='mail'] #yucs-logo-ani { background-position: -350px 0px !important; } #yucs-logo { margin-top:0px!important; padding-top: 11px; width: 120px; } #yucs[data-property='homes'] #yucs-logo { width: 102px; } .advisor #yucs-link-ani { left: 21px !important; } #yucs #yucs-logo a {margin-left: 0!important;}#yucs #yucs-link-ani {width: 100% !important;} @media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and ( min--moz-device-pixel-ratio: 2), only screen and ( -o-min-device-pixel-ratio: 2/1), only screen and ( min-device-pixel-ratio: 2), only screen and ( min-resolution: 192dpi), only screen and ( min-resolution: 2dppx) { #yucs #yucs-logo-ani { background-image: url(https://s.yimg.com/rz/l/yahoo_finance_en-US_f_pw_119x34_2x.png) !important; background-size: 235px 34px; } } </style> <div> <a id="yucs-logo-ani" class="" href="https://finance.yahoo.com/;_ylt=AuWQGm5QyPConYLRZRuI.Id.FJF4" target="_top" data-alg=""> Yahoo Finance </a> </div> <img id="imageCheck" src="https://s.yimg.com/os/mit/media/m/base/images/transparent-1093278.png" alt=""/> </div><noscript><style>#yucs #yucs-logo-ani {visibility: visible;position: relative;clip: auto;}</style></noscript> <div id="yucs-search" style="width: 570px; display: block;" class=' yucs-search-activate'> <form role="search" class="yucs-search yucs-activate" target="_top" data-webaction="https://search.yahoo.com/search;_ylt=Ao0AjSjy0AJJj5jdWXvvy5F.FJF4" action="https://finance.yahoo.com/q;_ylt=AgOkjN.KdE1wQ3hDAYdMIE5.FJF4" method="get"> <table role="presentation"> <tbody role="presentation"> <tr role="presentation"> <td class="yucs-form-input" role="presentation"> <input autocomplete="off" class="yucs-search-input" name="s" type="search" aria-describedby="mnp-search_box" data-yltvsearch="https://finance.yahoo.com/q;_ylt=Ap029z7TnYp0Aq9cKYpgG9x.FJF4" data-yltvsearchsugg="/;_ylt=AsyYlh40cTexyeFGYOG9WuZ.FJF4" data-satype="mini" data-gosurl="https://s.yimg.com/aq/autoc" data-pubid="666" data-enter-ylt="https://finance.yahoo.com/q;_ylt=Av5261wqtswPQNVr5AeclQx.FJF4" data-enter-fr="uh3_finance_vert_gs_ctrl1_e" data-maxresults="" id="mnp-search_box" data-rapidbucket=""/> </td><td NOWRAP class="yucs-form-btn" role="presentation"><div id="yucs-prop_search_button_wrapper" class="yucs-search-buttons"><div class="yucs-shadow"><div class="yucs-gradient"></div></div><button id="yucs-sprop_button" class="yucs-action_btn yucs-button_theme yucs-vsearch-button" type="submit" data-vfr="uh3_finance_vert_gs_ctrl1" onclick="var vfr = this.getAttribute('data-vfr'); if(vfr){document.getElementById('fr').value = vfr}" data-vsearch="https://finance.yahoo.com/q">Search Finance</button></div><div id="yucs-web_search_button_wrapper" class="yucs-search-buttons"><div class="yucs-shadow"><div class="yucs-gradient"></div></div><button id="yucs-search_button" class="yucs-action_btn yucs-wsearch-button" onclick="var form=document.getElementById('yucs-search').children[0];var wa=form.getAttribute('data-webaction');form.setAttribute('action',wa);var searchbox=document.getElementById('mnp-search_box');searchbox.setAttribute('name','p');" type="submit">Search Web</button></div></td></tr> </tbody> </table> <input type="hidden" id="uhb" name="uhb" value="uhb2" /> <input type="hidden" id="fr" name="fr" value="uh3_finance_web_gs_ctrl1" /> </form><div id="yucs-satray" class="sa-tray sa-hidden" data-wstext="Search Web for: " data-wsearch="https://search.yahoo.com/search;_ylt=AhHTTc4iRVef2uYykv.dAV1.FJF4" data-vfr="uh3_finance_vert_gs_ctrl1" data-vsearchAll="/;_ylt=Ajsvih9I8PgxVw4GCf.j2UJ.FJF4" data-vsearch="https://finance.yahoo.com/q;_ylt=AsyYlh40cTexyeFGYOG9WuZ.FJF4" data-vstext= "Search news for: " data-vert_fin_search="https://finance.search.yahoo.com/search/;_ylt=AprJLstNw5hBNdKdMX63J1R.FJF4"></div> </div></div><div class="yucs-fl-right"> <div id="yucs-profile" class="yucs-profile yucs-signedout"> <a id="yucs-menu_link_profile_signed_out" href="https://login.yahoo.com/config/login;_ylt=AuqAiHlREKVYl7SblLxofdp.FJF4?.src=quote&.intl=us&.lang=en-US&.done=https://finance.yahoo.com/q/op%3fs=SPWR%26date=1430438400" target="_top" rel="nofollow" class="sp yucs-fc" aria-label="Profile"> </a> <div id="yucs-profile_text" class="yucs-fc"> <a id="yucs-login_signIn" href="https://login.yahoo.com/config/login;_ylt=AuqAiHlREKVYl7SblLxofdp.FJF4?.src=quote&.intl=us&.lang=en-US&.done=https://finance.yahoo.com/q/op%3fs=SPWR%26date=1430438400" target="_top" rel="nofollow" class="yucs-fc"> Sign In </a> </div></div><div class="yucs-mail_link yucs-mailpreview-ancestor"><a id="yucs-mail_link_id" class="sp yltasis yucs-fc" href="https://mail.yahoo.com/;_ylt=Ar2oSO6zkRbixRcpYXo0cS5.FJF4?.intl=us&.lang=en-US&.src=ym" rel="nofollow" target="_top"> Mail </a><div class="yucs-mail-preview-panel yucs-menu yucs-hide" data-mail-txt="Mail" data-uri-scheme="http" data-uri-path="ucs.query.yahoo.com/v1/console/yql" data-mail-view="Go to Mail" data-mail-help-txt="Help" data-mail-help-url="http://help.yahoo.com/l/us/yahoo/mail/ymail/" data-mail-loading-txt="Loading..." data-languagetag="en-us" data-mrd-crumb="BNYGON2FKjD" data-authstate="signedout" data-middleauth-signin-text="Click here to view your mail" data-popup-login-url="https://login.yahoo.com/config/login_verify2?.pd=c%3DOIVaOGq62e5hAP8Tv..nr5E3&.src=sc" data-middleauthtext="You have {count} new messages." data-yltmessage-link="https://us.lrd.yahoo.com/_ylt=Ah1yAuVFU5bBd63mpGG84YR.FJF4/SIG=13eormtee/EXP=1427280473/**https%3a//mrd.mail.yahoo.com/msg%3fmid=%7bmsgID%7d%26fid=Inbox%26src=uh%26.crumb=BNYGON2FKjD" data-yltviewall-link="https://mail.yahoo.com/;_ylt=AvBQIZMdQWjDmk1Jh5KCeIB.FJF4" data-yltpanelshown="/;_ylt=AvX.rE3fZZOGOGRWYSgnj_p.FJF4" data-ylterror="/;_ylt=ApMHfvFgYr9RKW8OIicXS.5.FJF4" data-ylttimeout="/;_ylt=AmrS9ubbhhbpqNhFOPw3n_5.FJF4" data-generic-error="We're unable to preview your mail.<br>Go to Mail." data-nosubject="[No Subject]" data-timestamp='short'></div></div> <div id="yucs-help" class="yucs-activate yucs-help yucs-menu_nav"> <a id="yucs-help_button" class="sp yltasis" href="javascript:void(0);" aria-label="Help" rel="nofollow"> <em class="yucs-hide yucs-menu_anchor">Help</em> </a> <div id="yucs-help_inner" class="yucs-hide yucs-menu yucs-hm-activate" data-yltmenushown="/;_ylt=AiQyIw2eXW.8CHzoJZ_1AxV.FJF4"> <span class="sp yucs-dock"></span> <ul id="yuhead-help-panel"> <li><a class="yucs-acct-link" href="https://login.yahoo.com/account/personalinfo;_ylt=AsfjQxZ6jZsl3me2FMHIf_F.FJF4?.intl=us&.lang=en-US&.done=https://finance.yahoo.com/q/op%3fs=SPWR%26date=1430438400&.src=quote&.intl=us&.lang=en-US" target="_top">Account Info</a></li> <li><a href="https://help.yahoo.com/l/us/yahoo/finance/;_ylt=AjfX9GZyZzkrnxb9ULu_gOV.FJF4" rel="nofollow" >Help</a></li> <span class="yucs-separator" role="presentation" style="display: block;"></span><li><a href="https://us.lrd.yahoo.com/_ylt=AuxJKY_x.uu8BeISqJ3YSUN.FJF4/SIG=11r8kequs/EXP=1427280473/**http%3a//feedback.yahoo.com/forums/207809" rel="nofollow" >Suggestions</a></li> </ul> </div></div> <div id="yucs-network_link"><a id="yucs-home_link" href="https://us.lrd.yahoo.com/_ylt=AobDXob037M2iMNVA8cdqnF.FJF4/SIG=11a69k544/EXP=1427280473/**https%3a//www.yahoo.com/" rel="nofollow" target="_top"><em class="sp">Yahoo</em><span class="yucs-fc">Home</span></a></div> </div> </div> <div id="yucs-location-js" class="yucs-hide yucs-offscreen yucs-location-activate" data-appid="yahoo.locdrop.ucs.desktop" data-crumb="4BSNBZKMo4y"><!-- empty for ie --></div><div id="yUnivHead" class="yucs-hide"><!-- empty --></div><div id="yhelp_container" class="yui3-skin-sam"></div></div><!-- alert --><!-- /alert -->
+ </div>
+
+
+ </div>
+
+ <div id="content-area" class="yui-sv-bd">
+
+ <div data-region="subNav">
+
+
+ <ul id="finance-navigation" class="Grid Fz-m Fw-200 Whs-nw">
+
+
+ <li class="nav-section Grid-U first">
+ <a href="/" title="">Finance Home</a>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U nav-fin-portfolios no-pjax has-entries">
+ <a href="/portfolios.html" title="portfolio nav">My Portfolio</a>
+
+ <ul class="nav-subsection">
+
+ <li>
+ <ul class="scroll">
+
+ </ul>
+ </li>
+
+
+ <li><a href="/portfolios/manage" title="portfolio nav" class="no-pjax">View All Portfolios</a></li>
+
+ <li><a href="/portfolio/new" title="portfolio nav" class="no-pjax">Create Portfolio</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U ">
+ <a href="/my-quotes-news/" title="">My Quotes News</a>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U has-entries">
+ <a href="/market-overview/" title="">Market Data</a>
+
+ <ul class="nav-subsection">
+
+
+ <li><a href="/stock-center/" title="" class="">Stocks</a></li>
+
+ <li><a href="/funds/" title="" class="no-pjax">Mutual Funds</a></li>
+
+ <li><a href="/options/" title="" class="no-pjax">Options</a></li>
+
+ <li><a href="/etf/" title="" class="no-pjax">ETFs</a></li>
+
+ <li><a href="/bonds" title="" class="no-pjax">Bonds</a></li>
+
+ <li><a href="/futures" title="" class="no-pjax">Commodities</a></li>
+
+ <li><a href="/currency-investing" title="" class="no-pjax">Currencies</a></li>
+
+ <li><a href="http://biz.yahoo.com/research/earncal/today.html" title="" class="">Calendars</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U has-entries">
+ <a href="/yahoofinance/" title="Yahoo Originals">Yahoo Originals</a>
+
+ <ul class="nav-subsection">
+
+
+ <li><a href="/yahoofinance/business/" title="" class="">Business</a></li>
+
+ <li><a href="/yahoofinance/investing" title="" class="">Investing</a></li>
+
+ <li><a href="/yahoofinance/personalfinance" title="" class="">Personal Finance</a></li>
+
+ <li><a href="/blogs/breakout/" title="" class="no-pjax">Breakout</a></li>
+
+ <li><a href="/blogs/cost-of-living/" title="" class="no-pjax">Cost of Living</a></li>
+
+ <li><a href="/blogs/daily-ticker/" title="" class="no-pjax">The Daily Ticker</a></li>
+
+ <li><a href="/blogs/driven/" title="" class="no-pjax">Driven</a></li>
+
+ <li><a href="/blogs/hot-stock-minute/" title="" class="no-pjax">Hot Stock Minute</a></li>
+
+ <li><a href="/blogs/just-explain-it/" title="" class="no-pjax">Just Explain It</a></li>
+
+ <li><a href="http://finance.yahoo.com/blogs/author/aaron-task/" title="" class="">Aaron Task, Editor</a></li>
+
+ <li><a href="/blogs/author/michael-santoli/" title="" class="">Michael Santoli</a></li>
+
+ <li><a href="/blogs/author/jeff-macke/" title="" class="">Jeff Macke</a></li>
+
+ <li><a href="/blogs/author/aaron-pressman/" title="" class="">Aaron Pressman</a></li>
+
+ <li><a href="/blogs/author/rick-newman/" title="" class="">Rick Newman</a></li>
+
+ <li><a href="/blogs/author/mandi-woodruff/" title="" class="">Mandi Woodruff</a></li>
+
+ <li><a href="/blogs/author/chris-nichols/" title="" class="">Chris Nichols</a></li>
+
+ <li><a href="/blogs/the-exchange/" title="" class="no-pjax">The Exchange</a></li>
+
+ <li><a href="/blogs/michael-santoli/" title="" class="no-pjax">Unexpected Returns</a></li>
+
+ <li><a href="http://finance.yahoo.com/blogs/author/philip-pearlman/" title="" class="">Philip Pearlman</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U has-entries">
+ <a href="/news/" title="">Business & Finance</a>
+
+ <ul class="nav-subsection">
+
+
+ <li><a href="/corporate-news/" title="" class="">Company News</a></li>
+
+ <li><a href="/economic-policy-news/" title="" class="">Economic News</a></li>
+
+ <li><a href="/investing-news/" title="" class="">Market News</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U &amp;amp;amp;amp;amp;amp;quot;new&amp;amp;amp;amp;amp;amp;quot; has-entries">
+ <a href="/personal-finance/" title="Personal Finance">Personal Finance</a>
+
+ <ul class="nav-subsection">
+
+
+ <li><a href="/career-education/" title="" class="">Career & Education</a></li>
+
+ <li><a href="/real-estate/" title="" class="">Real Estate</a></li>
+
+ <li><a href="/retirement/" title="" class="">Retirement</a></li>
+
+ <li><a href="/credit-debt/" title="" class="">Credit & Debt</a></li>
+
+ <li><a href="/taxes/" title="" class="">Taxes</a></li>
+
+ <li><a href="/autos/" title="" class="">Autos</a></li>
+
+ <li><a href="/lifestyle/" title="" class="">Health & Lifestyle</a></li>
+
+ <li><a href="/videos/" title="" class="">Featured Videos</a></li>
+
+ <li><a href="/rates/" title="" class="no-pjax">Rates in Your Area</a></li>
+
+ <li><a href="/calculator/index/" title="" class="no-pjax">Calculators</a></li>
+
+ <li><a href="/personal-finance/tools/" title="" class="">Tools</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U has-entries">
+ <a href="/cnbc/" title="Business News from CNBC">CNBC</a>
+
+ <ul class="nav-subsection">
+
+
+ <li><a href="/blogs/big-data-download/" title="" class="no-pjax">Big Data Download</a></li>
+
+ <li><a href="/blogs/off-the-cuff/" title="" class="no-pjax">Off the Cuff</a></li>
+
+ <li><a href="/blogs/power-pitch/" title="" class="no-pjax">Power Pitch</a></li>
+
+ <li><a href="/blogs/talking-numbers/" title="" class="no-pjax">Talking Numbers</a></li>
+
+ <li><a href="/blogs/the-biz-fix/" title="" class="no-pjax">The Biz Fix</a></li>
+
+ <li><a href="/blogs/top-best-most/" title="" class="no-pjax">Top/Best/Most</a></li>
+
+ </ul>
+
+ </li>
+
+
+
+ <li class="nav-section Grid-U ">
+ <a href="/contributors/" title="Contributors">Contributors</a>
+
+ </li>
+
+
+ </ul>
+
+
+
+
+</div><!--END subNav-->
+
+
+ <div id="y-nav">
+
+
+ <div data-region="td-applet-mw-quote-search"><div id="applet_4305521169179279" class="App_v2 js-applet" data-applet-guid="4305521169179279" data-applet-type="td-applet-mw-quote-search"> <div class="App-Bd"> <div class="App-Main" data-region="main"> <div class="js-applet-view-container-main"> <style>
+ #lookupTxtQuotes {
+ float: left;
+ height: 22px;
+ padding: 3px 0 3px 5px;
+ width: 80px;
+ font-size: 11px;
+ }
+
+ .ac-form .yui3-fin-ac {
+ width: 50em;
+ border: 1px solid #DDD;
+ background: #fefefe;
+ overflow: visible;
+ text-align: left;
+ padding: .5em;
+ font-size: 12px;
+ z-index: 1000;
+ line-height: 1.22em;
+ }
+
+ .ac-form .yui3-highlight, em {
+ font-weight: bold;
+ font-style: normal;
+ }
+
+ .ac-form .yui3-fin-ac-list {
+ margin: 0;
+ padding-bottom: .4em;
+ padding: 0.38em 0;
+ width: 100%;
+ }
+
+ .ac-form .yui3-fin-ac-list li {
+ padding: 0.15em 0.38em;
+ _width: 100%;
+ cursor: default;
+ white-space: nowrap;
+ list-style: none;
+ vertical-align: bottom;
+ margin: 0;
+ position: relative;
+ }
+
+ .ac-form .symbol {
+ width: 8.5em;
+ display: inline-block;
+ margin: 0 1em 0 0;
+ overflow: hidden;
+ }
+
+ .ac-form .name {
+ display: inline-block;
+ left: 0;
+ width: 25em;
+ overflow: hidden;
+ position: relative;
+ }
+
+ .ac-form .exch_type_wrapper {
+ color: #aaa;
+ height: auto;
+ text-align: right;
+ font-size: 92%;
+ _font-size: 72%;
+ position: absolute;
+ right: 0;
+ }
+
+ .ac-form .yui-ac-ft {
+ font-family: Verdana,sans-serif;
+ font-size: 92%;
+ text-align: left;
+ }
+
+ .ac-form .moreresults {
+ padding-left: 0.3em;
+ }
+
+ .yui3-fin-ac-item-hover, .yui3-fin-ac-item-active {
+ background: #D6F7FF;
+ cursor: pointer;
+ }
+
+ .yui-ac-ft a {
+ color: #039;
+ text-decoration: none;
+ font-size: inherit !important;
+ }
+
+ .yui-ac-ft .tip {
+ border-top: 1px solid #D6D6D6;
+ color: #636363;
+ padding: 0.5em 0 0 0.4em;
+ margin-top: .25em;
+ }
+
+</style>
+<div mode="search" class="ticker-search mod" id="searchQuotes">
+ <div class="hd"></div>
+ <div class="bd" >
+ <form action="/q" name="quote" id="lookupQuote" class="ac-form">
+ <h2 class="yfi_signpost">Search for share prices</h2>
+ <label id="lookupPlaceHolder" class='Hidden'>Enter Symbol</label>
+ <input placeholder="Enter Symbol" type="text" autocomplete="off" value="" name="s" id="lookupTxtQuotes" class="fin-ac-input yui-ac-input">
+
+ <input type="hidden" autocomplete="off" value="1" name="ql" id="lookupGet_quote_logic_opt">
+
+ <div id="yfi_quotes_submit">
+ <span>
+ <span>
+ <span>
+ <input type="submit" class="rapid-nf" id="btnQuotes" value="Look Up">
+ </span>
+ </span>
+ </span>
+ </div>
+ </form>
+ </div>
+ <div class="ft"><a href="http://finance.search.yahoo.com?fr=fin-v1" data-rapid_p="4">Finance Search</a>
+ <p><span id="yfs_market_time">Tue, Mar 24 2015, 10:47pm EDT - U.S. Markets closed</span></p></div>
+</div>
+ </div> </div> </div> </div></div><!--END td-applet-mw-quote-search-->
+
+
+
+ </div>
+ <div id="yfi_doc">
+ <div id="yfi_bd">
+ <div id="marketindices">
+
+
+
+ <span><a href="/q?s=^DJI">Dow</a></span>
+ <span id="yfs_pp0_^dji">
+
+
+ <img width="10" height="14" border="0" alt="Down" class="neg_arrow" src="https://s.yimg.com/os/mit/media/m/base/images/transparent-1093278.png" style="margin-right:-2px;">
+
+
+ <b class="yfi-price-change-down">0.58%</b>
+ </span>
+
+
+
+
+
+ <span><a href="/q?s=^IXIC">Nasdaq</a></span>
+ <span id="yfs_pp0_^ixic">
+
+
+ <img width="10" height="14" border="0" alt="Down" class="neg_arrow" src="https://s.yimg.com/os/mit/media/m/base/images/transparent-1093278.png" style="margin-right:-2px;">
+
+
+ <b class="yfi-price-change-down">0.32%</b>
+
+
+
+
+
+
+ </div>
+
+ <div data-region="leftNav">
+<div id="yfi_investing_nav">
+ <div id="tickerSearch">
+
+
+ </div>
+
+ <div class="hd">
+ <h2>More on SPWR</h2>
+ </div>
+ <div class="bd">
+
+
+ <h3>Quotes</h3>
+ <ul>
+
+
+ <li ><a href="/q?s=SPWR">Summary</a></li>
+
+
+
+ <li ><a href="/q/ecn?s=SPWR+Order+Book">Order Book</a></li>
+
+
+
+ <li class="selected" ><a href="/q/op?s=SPWR+Options">Options</a></li>
+
+
+
+ <li ><a href="/q/hp?s=SPWR+Historical+Prices">Historical Prices</a></li>
+
+
+ </ul>
+
+ <h3>Charts</h3>
+ <ul>
+
+
+ <li ><a href="/echarts?s=SPWR+Interactive">Interactive</a></li>
+
+
+ </ul>
+
+ <h3>News & Info</h3>
+ <ul>
+
+
+ <li ><a href="/q/h?s=SPWR+Headlines">Headlines</a></li>
+
+
+
+
+
+ <li ><a href="/q/p?s=SPWR+Press+Releases">Press Releases</a></li>
+
+
+
+
+ <li ><a href="/q/ce?s=SPWR+Company+Events">Company Events</a></li>
+
+
+
+ <li ><a href="/mb?s=SPWR">Message Boards</a></li>
+
+
+
+ <li ><a href="/marketpulse/?s=SPWR">Market Pulse</a></li>
+
+
+ </ul>
+
+ <h3>Company</h3>
+ <ul>
+
+
+ <li ><a href="/q/pr?s=SPWR+Profile">Profile</a></li>
+
+
+
+ <li ><a href="/q/ks?s=SPWR+Key+Statistics">Key Statistics</a></li>
+
+
+
+ <li ><a href="/q/sec?s=SPWR+SEC+Filings">SEC Filings</a></li>
+
+
+
+ <li ><a href="/q/co?s=SPWR+Competitors">Competitors</a></li>
+
+
+
+ <li ><a href="/q/in?s=SPWR+Industry">Industry</a></li>
+
+
+
+
+
+ <li class="deselected">Components</li>
+
+
+
+ </ul>
+
+ <h3>Analyst Coverage</h3>
+ <ul>
+
+
+ <li ><a href="/q/ao?s=SPWR+Analyst+Opinion">Analyst Opinion</a></li>
+
+
+
+ <li ><a href="/q/ae?s=SPWR+Analyst+Estimates">Analyst Estimates</a></li>
+
+
+ </ul>
+
+ <h3>Ownership</h3>
+ <ul>
+
+
+ <li ><a href="/q/mh?s=SPWR+Major+Holders">Major Holders</a></li>
+
+
+
+ <li ><a href="/q/it?s=SPWR+Insider+Transactions">Insider Transactions</a></li>
+
+
+
+ <li ><a href="/q/ir?s=SPWR+Insider+Roster">Insider Roster</a></li>
+
+
+ </ul>
+
+ <h3>Financials</h3>
+ <ul>
+
+
+ <li ><a href="/q/is?s=SPWR+Income+Statement">Income Statement</a></li>
+
+
+
+ <li ><a href="/q/bs?s=SPWR+Balance+Sheet">Balance Sheet</a></li>
+
+
+
+ <li ><a href="/q/cf?s=SPWR+Cash+Flow">Cash Flow</a></li>
+
+
+ </ul>
+
+ </div>
+ <div class="ft">
+
+ </div>
+</div>
+
+</div><!--END leftNav-->
+ <div id="sky">
+ <div id="yom-ad-SKY"><div id="yom-ad-SKY-iframe"></div></div><!--ESI Ads for SKY -->
+ </div>
+ <div id="yfi_investing_content">
+
+ <div id="yfi_broker_buttons">
+ <div class='yom-ad D-ib W-20'>
+ <div id="yom-ad-FB2-1"><div id="yom-ad-FB2-1-iframe"><script>var FB2_1_noadPos = document.getElementById("yom-ad-FB2-1"); if (FB2_1_noadPos) {FB2_1_noadPos.style.display="none";}</script></div></div><!--ESI Ads for FB2-1 -->
+ </div>
+ <div class='yom-ad D-ib W-25'>
+ <div id="yom-ad-FB2-2"><div id="yom-ad-FB2-2-iframe"><script>var FB2_2_noadPos = document.getElementById("yom-ad-FB2-2"); if (FB2_2_noadPos) {FB2_2_noadPos.style.display="none";}</script></div></div><!--ESI Ads for FB2-2 -->
+ </div>
+ <div class='yom-ad D-ib W-25'>
+ <div id="yom-ad-FB2-3"><div id="yom-ad-FB2-3-iframe"><script>var FB2_3_noadPos = document.getElementById("yom-ad-FB2-3"); if (FB2_3_noadPos) {FB2_3_noadPos.style.display="none";}</script></div></div><!--ESI Ads for FB2-3 -->
+ </div>
+ <div class='yom-ad D-ib W-25'>
+ <div id="yom-ad-FB2-4"><div id="yom-ad-FB2-4-iframe"><script>var FB2_4_noadPos = document.getElementById("yom-ad-FB2-4"); if (FB2_4_noadPos) {FB2_4_noadPos.style.display="none";}</script></div></div><!--ESI Ads for FB2-4 -->
+ </div>
+ </div>
+
+
+ <div data-region="td-applet-mw-quote-details"><style>/*
+* Stencil defined classes - https://git.corp.yahoo.com/pages/ape/stencil/behavior/index.html
+* .PageOverlay
+* .ModalDismissBtn.Btn
+*/
+
+/*
+* User defined classes
+* #ham-nav-cue-modal - styles for the modal window
+* .padd-border - styles for the content box of #ham-nav-cue-modal
+* #ham-nav-cue-modal:after, #ham-nav-cue-modal:before - used to create modal window's arrow.
+*/
+
+.PageOverlay #ham-nav-cue-modal {
+ left: 49px;
+ transition: -webkit-transform .3s;
+ max-width: 240px;
+}
+
+.PageOverlay #ham-nav-cue-modal .padd-border {
+ border: solid #5300C5 2px;
+ padding: 5px 5px 10px 15px;
+}
+
+.PageOverlay {
+ z-index: 201;
+}
+
+#ham-nav-cue-modal:after,
+#ham-nav-cue-modal:before {
+ content: "";
+ border-style: solid;
+ border-width: 10px;
+ width: 0;
+ height: 0;
+ position: absolute;
+ top: 4%;
+ left: -20px;
+}
+
+#ham-nav-cue-modal:before {
+ border-color: transparent #5300C5 transparent transparent;
+}
+
+#ham-nav-cue-modal:after {
+ margin-left: 3px;
+ border-color: transparent #fff transparent transparent;
+}
+
+.ModalDismissBtn.Btn {
+ background: transparent;
+ border-color: transparent;
+}
+.follow-quote,.follow-quote-proxy {
+ color: #999;
+}
+.Icon.follow-quote-following {
+ color: #eac02b;
+}
+
+.follow-quote-tooltip {
+ z-index: 400;
+ text-align: center;
+}
+
+.follow-quote-area:hover .follow-quote {
+ display: inline-block;
+}
+
+.follow-quote-area:hover .quote-link,.follow-quote-visible .quote-link {
+ display: inline-block;
+ max-width: 50px;
+ _width: 50px;
+}</style><div id="applet_4305521170488091" class="App_v2 js-applet" data-applet-guid="4305521170488091" data-applet-type="td-applet-mw-quote-details"> <div class="App-Bd"> <div class="App-Main" data-region="main"> <div class="js-applet-view-container-main">
+
+ <style>
+ img {
+ vertical-align: baseline;
+ }
+ .follow-quote {
+ margin-left: 5px;
+ margin-right: 2px;
+ }
+ .yfi_rt_quote_summary .rtq_exch {
+ font: inherit;
+ }
+ .up_g.time_rtq_content, span.yfi-price-change-green {
+ color: #80 !important;
+ }
+ .time_rtq, .follow-quote-txt {
+ color: #979ba2;
+ }
+ .yfin_gs span.yfi-price-change-red, .yfin_gs span.yfi-price-change-green {
+ font-weight: bold;
+ }
+ .yfi_rt_quote_summary .hd h2 {
+ font: inherit;
+ }
+ span.yfi-price-change-red {
+ color: #C00 !important;
+ }
+ /* to hide the up/down arrow */
+ .yfi_rt_quote_summary_rt_top .time_rtq_content img {
+ display: none;
+ }
+
+ .quote_summary {
+ min-height: 77px;
+ }
+
+ .app_promo.after_hours, .app_promo.pre_market {
+ top: 8px;
+ }
+ </style>
+ <div class="rtq_leaf">
+ <div class="rtq_div">
+ <div class="yui-g quote_summary">
+ <div class="yfi_rt_quote_summary" id="yfi_rt_quote_summary">
+ <div class="hd">
+ <div class="title Fz-xl">
+ <h2 class="symbol-name">SunPower Corporation (SPWR)</h2>
+ <span class="wl_sign Invisible"><button class="follow-quote follow-quote-follow follow-quote-always-visible D-ib Bd-0 O-0 Cur-p Sprite P-0 M-0 Fz-s" data-flw-quote="SPWR"><i class="Icon"></i></button> <span class="follow-quote-txt Fz-m" data-flw-quote="SPWR">
+ Watchlist
+ </span></span>
+ </div>
+ </div>
+ <div class="yfi_rt_quote_summary_rt_top sigfig_promo_1">
+ <div>
+ <span class="time_rtq_ticker Fz-30 Fw-b">
+ <span id="yfs_l84_SPWR" data-sq="SPWR:value">33.05</span>
+ </span>
+
+
+
+ <span class="up_g time_rtq_content Fz-2xl Fw-b"><span id="yfs_c63_SPWR"><img width="10" height="14" border="0" style="margin-right:-2px;" src="https://s.yimg.com/lq/i/us/fi/03rd/up_g.gif" alt="Up"> <span class="yfi-price-change-green" data-sq="SPWR:chg">+0.07</span></span><span id="yfs_p43_SPWR">(<span class="yfi-price-change-green" data-sq="SPWR:pctChg">0.21%</span>)</span> </span>
+
+
+ <span class="time_rtq Fz-m"><span class="rtq_exch">NASDAQ - </span><span id="yfs_t53_SPWR">As of <span data-sq="SPWR:lstTrdTime">4:00PM EDT</span></span></span>
+
+ </div>
+ <div><span class="rtq_separator">|</span>
+
+ After Hours:
+ <span class="yfs_rtq_quote"><span id="yfs_l86_SPWR" data-sq="SPWR:ahValue">33.10</span></span> <span class="up_g"><span id="yfs_c85_SPWR"><img width="10" height="14" style="margin-right:-2px;" border="0" src="https://s.yimg.com/os/mit/media/m/base/images/transparent-1093278.png" class="pos_arrow" alt="Up" data-sq="SPWR:ahChg"> +0.05</span> (<span id="yfs_c86_SPWR" data-sq="SPWR:ahPctChg">0.15%</span>)</span><span class="time_rtq"> <span id="yfs_t54_SPWR" data-sq="SPWR:ahLstTrdTime">7:47PM EDT</span></span>
+
+
+ </div>
+ </div>
+ <style>
+ #yfi_toolbox_mini_rtq.sigfig_promo {
+ bottom:45px !important;
+ }
+ </style>
+ <div class="app_promo after_hours " >
+ <a href="https://mobile.yahoo.com/finance/?src=gta" title="Get the App" target="_blank" ></a>
+
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+
+
+ </div> </div> </div> </div></div><!--END td-applet-mw-quote-details-->
+
+
+
+ <div id="optionsTableApplet">
+
+
+ <div data-region="td-applet-options-table"><style>.App_v2 {
+ border: none;
+ margin: 0;
+ padding: 0;
+}
+
+.options-table {
+ position: relative;
+}
+
+/*.Icon.up {*/
+ /*display: none;*/
+/*}*/
+
+.option_column {
+ width: auto;
+}
+
+.header_text {
+ float: left;
+ max-width: 50px;
+}
+.header_sorts {
+ color: #00be8c;
+ float: left;
+}
+
+.size-toggle-menu {
+ margin-left: 600px;
+}
+
+.in-the-money-banner {
+ background-color: rgba(224,241,231,1);
+ padding: 7px;
+ position: relative;
+ top: -3px;
+ width: 95px;
+}
+
+.in-the-money.odd {
+ background-color: rgba(232,249,239,1);
+}
+
+.in-the-money.even {
+ background-color: rgba(224,241,231,1);
+}
+
+.toggle li{
+ display: inline-block;
+ cursor: pointer;
+ border: 1px solid #e2e2e6;
+ border-right-width: 0;
+ color: #454545;
+ background-color: #fff;
+ float: left;
+ padding: 0px;
+ margin: 0px;
+}
+
+.toggle li a {
+ padding: 7px;
+ display: block;
+}
+
+.toggle li:hover{
+ background-color: #e2e2e6;
+}
+
+.toggle li.active{
+ color: #fff;
+ background-color: #30d3b6;
+ border-color: #30d3b6;
+ border-bottom-color: #0c8087;
+}
+
+.toggle li:first-child{
+ border-radius: 3px 0 0 3px;
+}
+
+.toggle li:last-child{
+ border-radius: 0 3px 3px 0;
+ border-right-width: 1px;
+}
+
+.high-low .up {
+ display: none;
+}
+
+.high-low .down {
+ display: block;
+}
+
+.low-high .down {
+ display: none;
+}
+
+.low-high .up {
+ display: block;
+}
+
+.option_column.sortable {
+ cursor: pointer;
+}
+
+.option-filter-overlay {
+ background-color: #fff;
+ border: 1px solid #979ba2;
+ border-radius: 3px;
+ float: left;
+ padding: 15px;
+ position: absolute;
+ top: 60px;
+ z-index: 10;
+ display: none;
+}
+
+#optionsStraddlesTable .option-filter-overlay {
+ left: 430px;
+}
+
+.option-filter-overlay.active {
+ display: block;
+}
+
+.option-filter-overlay .strike-filter{
+ height: 25px;
+ width: 75px;
+}
+
+#straddleTable .column-strike .cell{
+ width: 30px;
+}
+
+/**columns**/
+
+#quote-table th.column-expires {
+ width: 102px;
+}
+.straddle-expire div.option_entry {
+ min-width: 65px;
+}
+.column-last .cell {
+ width: 55px;
+}
+
+.column-change .cell {
+ width: 70px;
+}
+
+.cell .change {
+ width: 35px;
+}
+
+.column-percentChange .cell {
+ width: 85px;
+}
+
+.column-volume .cell {
+ width: 70px;
+}
+
+.cell .sessionVolume {
+ width: 37px;
+}
+
+.column-session-volume .cell {
+ width: 75px;
+}
+
+.column-openInterest .cell, .column-openInterestChange .cell {
+ width: 75px;
+}
+.cell .openInterest, .cell .openInterestChange {
+ width: 37px;
+}
+
+.column-bid .cell {
+ width: 50px;
+}
+
+.column-ask .cell {
+ width: 55px;
+}
+
+.column-impliedVolatility .cell {
+ width: 75px;
+}
+
+.cell .impliedVolatility {
+ width: 37px;
+}
+
+.column-contractName .cell {
+ width: 170px;
+}
+
+.options-menu-item {
+ position: relative;
+ top: -11px;
+}
+
+.options-table {
+ margin-bottom: 30px;
+}
+.options-table.hidden {
+ display: none;
+}
+#quote-table table {
+ width: 100%;
+}
+#quote-table tr * {
+ font-family: 'Helvetica Neue', Helvetica, Arial, sans-serif;
+ font-size: 15px;
+ color: #454545;
+ font-weight: 200;
+}
+#quote-table tr a {
+ color: #1D1DA3;
+}
+#quote-table tr .Icon {
+ font-family: YGlyphs;
+}
+#quote-table tr.odd {
+ background-color: #f7f7f7;
+}
+#quote-table tr th {
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+ text-align: center;
+ width: 60px;
+ font-size: 11px !important;
+ padding-top: 10px;
+ padding-right: 5px;
+ padding-bottom: 10px;
+ vertical-align: middle;
+}
+#quote-table tr th * {
+ font-size: 11px;
+}
+#quote-table tr th .expand-icon {
+ display: block !important;
+ margin: 0 auto;
+ border: 1px solid #e2e2e6;
+ background-color: #fcfcfc;
+ -webkit-border-radius: 2px;
+ border-radius: 2px;
+ padding: 2px 0;
+}
+#quote-table tr th.column-strike {
+ width: 82px;
+}
+#quote-table tr th .sort-icons {
+ position: absolute;
+ margin-left: 2px;
+}
+#quote-table tr th .Icon {
+ display: none;
+}
+#quote-table tr th.low-high .up {
+ display: block !important;
+}
+#quote-table tr th.high-low .down {
+ display: block !important;
+}
+#quote-table td {
+ text-align: center;
+ padding: 7px 5px 7px 5px;
+}
+#quote-table td:first-child,
+#quote-table th:first-child {
+ border-right: 1px solid #e2e2e6;
+}
+#quote-table .D-ib .Icon {
+ color: #66aeb2;
+}
+#quote-table caption {
+ background-color: #454545 !important;
+ color: #fff;
+ font-size: medium;
+ padding: 4px;
+ padding-left: 20px !important;
+ text-rendering: antialiased;
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+}
+#quote-table caption .callStraddles {
+ width:50%;
+ text-align:center;
+ float:left;
+}
+#quote-table caption .putStraddles {
+ width:50%;
+ text-align:center;
+ float:right;
+}
+#quote-table .in-the-money.even {
+ background-color: #f3fdfc;
+}
+#quote-table .in-the-money.even td:first-child {
+ -webkit-box-shadow: inset 5px 0 0 0 #d5f8f3;
+ box-shadow: inset 5px 0 0 0 #d5f8f3;
+}
+#quote-table .in-the-money.even td:last-child {
+ -webkit-box-shadow: inset -5px 0 0 0 #d5f8f3;
+ box-shadow: inset -5px 0 0 0 #d5f8f3;
+}
+#quote-table .in-the-money.odd {
+ background-color: #ecf6f4;
+}
+#quote-table .in-the-money.odd td:first-child {
+ -webkit-box-shadow: inset 5px 0 0 0 #cff3ec;
+ box-shadow: inset 5px 0 0 0 #cff3ec;
+}
+#quote-table .in-the-money.odd td:last-child {
+ -webkit-box-shadow: inset -5px 0 0 0 #cff3ec;
+ box-shadow: inset -5px 0 0 0 #cff3ec;
+}
+#quote-table .column-strike {
+ text-align: center;
+ padding: 4px 20px;
+}
+#quote-table .column-strike .header_text,
+#quote-table .column-expires .cell .expiration{
+ color: #454545;
+ font-size: 15px;
+ font-weight: bold;
+ max-width: 100%;
+}
+#quote-table .column-strike .header_text {
+ width: 100%;
+}
+#quote-table .column-strike .filter {
+ border: 1px solid #e2e2e6;
+ background-color: #fcfcfc;
+ color: #858585;
+ display: inline-block;
+ padding: 1px 10px;
+ -webkit-border-radius: 3px;
+ border-radius: 3px;
+ margin-top: 4px;
+}
+#quote-table .column-strike .filter span {
+ position: relative;
+ top: -2px;
+ font-weight: bold;
+ margin-left: -5px;
+}
+
+#quote-table .column-strike .sort-icons {
+ top: 35px;
+}
+#quote-table .column-expires .sort-icons {
+ top: 45px;
+}
+#optionsStraddlesTable .column-expires .sort-icons {
+ top: 40px;
+}
+#quote-table #options_menu {
+ width: 100%;
+}
+#quote-table #options_menu .SelectBox-Pick {
+ background-color: #fcfcfc !important;
+ border: 1px solid #e2e2e6;
+ color: #128086;
+ font-size: 14px;
+ padding: 5px;
+ padding-top: 8px;
+}
+#quote-table #options_menu .SelectBox-Text {
+ font-weight: bold;
+}
+#quote-table .size-toggle-menu {
+ margin-left: 15px !important;
+}
+#quote-table .options-menu-item {
+ top: -9px;
+}
+#quote-table .option_view {
+ float: right;
+}
+#quote-table .option-change-pos {
+ color: #2ac194;
+}
+#quote-table .option-change-neg {
+ color: #f90f31;
+}
+#quote-table .toggle li {
+ color: #128086;
+ background-color: #fcfcfc;
+}
+#quote-table .toggle li.active {
+ color: #fff;
+ background-color: #35d2b6;
+}
+#quote-table .expand-icon {
+ color: #b5b5b5;
+ font-size: 12px;
+ cursor: pointer;
+}
+#quote-table .straddleCallContractName {
+ padding-left: 25px;
+}
+#quote-table .straddlePutContractName {
+ padding-left: 20px;
+}
+#quote-table .straddle-row-expand {
+ display: none;
+ border-bottom: 1px solid #f9f9f9;
+}
+#quote-table .straddle-row-expand td {
+ padding-right: 5px;
+}
+#quote-table .straddle-row-expand label {
+ color: #454545;
+ font-size: 11px;
+ margin-bottom: 2px;
+ color: #888;
+}
+#quote-table .straddle-row-expand label,
+#quote-table .straddle-row-expand div {
+ display: block;
+ font-weight: 400;
+ text-align: left;
+ padding-left: 5px;
+}
+#quote-table .expand-icon-up {
+ display: none;
+}
+#quote-table tr.expanded + .straddle-row-expand {
+ display: table-row;
+}
+#quote-table tr.expanded .expand-icon-up {
+ display: inline-block;
+}
+#quote-table tr.expanded .expand-icon-down {
+ display: none;
+}
+.in-the-money-banner {
+ color: #7f8584;
+ font-size: 11px;
+ background-color: #eefcfa;
+ border-left: 12px solid #e0faf6;
+ border-right: 12px solid #e0faf6;
+ width: 76px !important;
+ text-align: center;
+ padding: 5px !important;
+ margin-top: 5px;
+ margin-left: 15px;
+}
+#optionsStraddlesTable td div {
+ text-align: center;
+}
+#optionsStraddlesTable .straddle-strike,
+#optionsStraddlesTable .column-strike,
+#optionsStraddlesTable .straddle-expire{
+ border-right: 1px solid #e2e2e6;
+ border-left: 1px solid #e2e2e6;
+}
+#optionsStraddlesTable td:first-child,
+#optionsStraddlesTable th:first-child {
+ border-right: none !important;
+}
+#optionsStraddlesTable .odd td.in-the-money {
+ background-color: #ecf6f4;
+}
+#optionsStraddlesTable .odd td.in-the-money:first-child {
+ -webkit-box-shadow: inset 5px 0 0 0 #cff3ec;
+ box-shadow: inset 5px 0 0 0 #cff3ec;
+}
+#optionsStraddlesTable .odd td.in-the-money:last-child {
+ -webkit-box-shadow: inset -5px 0 0 0 #cff3ec;
+ box-shadow: inset -5px 0 0 0 #cff3ec;
+}
+#optionsStraddlesTable .even td.in-the-money {
+ background-color: #f3fdfc;
+}
+#optionsStraddlesTable .even td.in-the-money:first-child {
+ -webkit-box-shadow: inset 5px 0 0 0 #d5f8f3;
+ box-shadow: inset 5px 0 0 0 #d5f8f3;
+}
+#optionsStraddlesTable .even td.in-the-money:last-child {
+ -webkit-box-shadow: inset -5px 0 0 0 #d5f8f3;
+ box-shadow: inset -5px 0 0 0 #d5f8f3;
+}
+.column-expand-all {
+ cursor: pointer;
+}
+.options-table.expand-all tr + .straddle-row-expand {
+ display: table-row !important;
+}
+.options-table.expand-all tr .expand-icon-up {
+ display: inline-block !important;
+}
+.options-table.expand-all tr .expand-icon-down {
+ display: none !important;
+}
+.options_menu .toggle a {
+ color: #128086;
+}
+.options_menu .toggle a:hover {
+ text-decoration: none;
+}
+.options_menu .toggle .active a {
+ color: #fff;
+}
+#options_menu .symbol_lookup {
+ float: right;
+ top: -11px;
+}
+.symbol_lookup .options-ac-input {
+ border-radius: 0;
+ height: 26px;
+ width: 79%;
+}
+.goto-icon {
+ border-left: 1px solid #e2e2e6;
+ color: #028087;
+ cursor: pointer;
+}
+.symbol_lookup .goto-icon {
+ height: 27px;
+ line-height: 2.1em;
+}
+#finAcOutput {
+ left: 10px;
+ top: -10px;
+}
+#finAcOutput .yui3-fin-ac-hidden {
+ display: none;
+}
+#finAcOutput .yui3-aclist {
+ border: 1px solid #DDD;
+ background: #fefefe;
+ font-size: 92%;
+ left: 0 !important;
+ overflow: visible;
+ padding: .5em;
+ position: absolute !important;
+ text-align: left;
+ top: 0 !important;
+
+}
+#finAcOutput li.yui3-fin-ac-item-active,
+#finAcOutput li.yui3-fin-ac-item-hover {
+ background: #F1F1F1;
+ cursor: pointer;
+}
+#finAcOutput div:first-child {
+ width: 30em !important;
+}
+#finAcOutput b.yui3-highlight {
+ font-weight: bold;
+}
+#finAcOutput li .name {
+ display: inline-block;
+ left: 0;
+ width: 25em;
+ overflow: hidden;
+ position: relative;
+}
+
+#finAcOutput li .symbol {
+ width: 8.5em;
+ display: inline-block;
+ margin: 0 1em 0 0;
+ overflow: hidden;
+}
+
+#finAcOutput li {
+ color: #444;
+ cursor: default;
+ font-weight: 300;
+ list-style: none;
+ margin: 0;
+ padding: .15em .38em;
+ position: relative;
+ vertical-align: bottom;
+ white-space: nowrap;
+}
+
+.yui3-fin-ac-hidden {
+ visibility: hidden;
+}
+
+.filterRangeRow {
+ line-height: 5px;
+}
+.filterRangeTitle {
+ padding-bottom: 5px;
+ font-size: 12px !important;
+}
+.clear-filter {
+ padding-left: 20px;
+}
+.closeFilter {
+ font-size: 10px !important;
+ color: red !important;
+}
+.modify-filter {
+ font-size: 11px !important;
+}
+.showModifyFilter {
+ top: 80px;
+ left: 630px;
+}
+
+#options_menu {
+ margin-bottom: -15px;
+}
+
+#optionsTableApplet {
+ margin-top: 9px;
+ width: 1070px;
+}
+
+#yfi_charts.desktop #yfi_doc, #yfi_charts.tablet #yfi_doc {
+ width: 1440px;
+}
+
+#yfi_charts.tablet #yfi_investing_content {
+ width: 1070px;
+}
+
+#sky {
+ float: right;
+ margin-left: 30px;
+ margin-top: 50px;
+ width: 170px;
+}
+</style><div id="applet_4305521169702139" class="App_v2 js-applet" data-applet-guid="4305521169702139" data-applet-type="td-applet-options-table"> <div class="App-Bd"> <div class="App-Main" data-region="main"> <div class="js-applet-view-container-main"> <div id="quote-table">
+ <div id="options_menu" class="Grid-U options_menu">
+
+ <form class="Grid-U SelectBox Disabled">
+ <div class="SelectBox-Pick"><b class='SelectBox-Text '>May 1, 2015</b><i class='Icon Va-m'></i></div>
+ <select class='Start-0' disabled data-plugin="selectbox">
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1427414400" value="1427414400" >March 27, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1427932800" value="1427932800" >April 2, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1428624000" value="1428624000" >April 10, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1429228800" value="1429228800" >April 17, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1429833600" value="1429833600" >April 24, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1430438400" value="1430438400" selected >May 1, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1434672000" value="1434672000" >June 19, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1442534400" value="1442534400" >September 18, 2015</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1452816000" value="1452816000" >January 15, 2016</option>
+
+
+ <option data-selectbox-link="/q/op?s=SPWR&date=1484870400" value="1484870400" >January 20, 2017</option>
+
+ </select>
+ </form>
+
+
+
+ <div class="Grid-U options-menu-item symbol_lookup">
+ <div class="Cf">
+ <div class="fin-ac-container Bd-1 Pos-r M-10">
+ <input placeholder="Lookup Option" type="text" autocomplete="off" value="" name="s" class="options-ac-input Bd-0" id="finAcOptions">
+ <i class="Icon Fl-end W-20 goto-icon"></i>
+ </div>
+ <div id="finAcOutput" class="yui-ac-container Pos-r"></div>
+ </div>
+ </div>
+ <div class="Grid-U option_view options-menu-item">
+ <ul class="toggle toggle-view-mode">
+ <li class="toggle-list active">
+ <a href="/q/op?s=SPWR&date=1430438400">List</a>
+ </li>
+ <li class="toggle-straddle ">
+ <a href="/q/op?s=SPWR&straddle=true&date=1430438400">Straddle</a>
+ </li>
+ </ul>
+
+ </div>
+ <div class="Grid-U in_the_money in-the-money-banner">
+ In The Money
+ </div>
+ </div>
+
+
+
+ <div class="options-table " id="optionsCallsTable" data-sec="options-calls-table">
+ <div class="strike-filter option-filter-overlay">
+ <p>Show Me Strikes From</p>
+ <div class="My-6">
+ $ <input class="filter-low strike-filter" data-filter-type="low" type="text">
+ to $ <input class="filter-high strike-filter" data-filter-type="high" type="text">
+ </div>
+ <a data-table-filter="optionsCalls" class="Cur-p apply-filter">Apply Filter</a>
+ <a class="Cur-p clear-filter">Clear Filter</a>
+</div>
+
+
+<div class="follow-quote-area">
+ <div class="quote-table-overflow">
+ <table class="details-table quote-table Fz-m">
+
+
+ <caption>
+ Calls
+ </caption>
+
+
+ <thead class="details-header quote-table-headers">
+ <tr>
+
+
+
+
+ <th class='column-strike Pstart-38 low-high Fz-xs filterable sortable option_column' style='color: #454545;' data-sort-column='strike' data-col-pos='0'>
+ <div class="cell">
+ <div class="D-ib header_text strike">Strike</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ <div class="filter Cur-p "><span>∵</span> Filter</div>
+ </th>
+
+
+
+
+
+ <th class='column-contractName Pstart-10 '>Contract Name</th>
+
+
+
+
+
+
+ <th class='column-last Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='lastPrice' data-col-pos='2'>
+ <div class="cell">
+ <div class="D-ib lastPrice">Last</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-bid Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='bid' data-col-pos='3'>
+ <div class="cell">
+ <div class="D-ib bid">Bid</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-ask Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='ask' data-col-pos='4'>
+ <div class="cell">
+ <div class="D-ib ask">Ask</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-change Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='change' data-col-pos='5'>
+ <div class="cell">
+ <div class="D-ib change">Change</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-percentChange Pstart-16 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='percentChange' data-col-pos='6'>
+ <div class="cell">
+ <div class="D-ib percentChange">%Change</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-volume Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='volume' data-col-pos='7'>
+ <div class="cell">
+ <div class="D-ib volume">Volume</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-openInterest Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='openInterest' data-col-pos='8'>
+ <div class="cell">
+ <div class="D-ib openInterest">Open Interest</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-impliedVolatility Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='impliedVolatility' data-col-pos='9'>
+ <div class="cell">
+ <div class="D-ib impliedVolatility">Implied Volatility</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+ </tr>
+
+ <tr class="filterRangeRow D-n">
+ <td colspan="10">
+ <div>
+ <span class="filterRangeTitle"></span>
+ <span class="closeFilter Cur-p">✕</span>
+ <span class="modify-filter Cur-p">[modify]</span>
+ </div>
+ </td>
+ </tr>
+
+ </thead>
+
+ <tbody>
+
+
+
+ <tr data-row="0" data-row-quote="_" class="in-the-money
+
+ even
+
+ ">
+ <td>
+ <strong data-sq=":value" data-raw=""><a href="/q/op?s=SPWR&strike=30.50">30.50</a></strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" ><a href="/q?s=SPWR150501C00030500">SPWR150501C00030500</a></div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >3.57</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >3.30</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >4.20</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >-0.49</div>
+ </td>
+ <td>
+
+
+
+ <div class="option_entry Fz-m option-change-neg">-13.73%</div>
+
+
+ </td>
+ <td>
+ <strong data-sq=":volume" data-raw="10">10</strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >20</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >55.08%</div>
+ </td>
+ </tr>
+
+ <tr data-row="1" data-row-quote="_" class="
+
+ odd
+
+ ">
+ <td>
+ <strong data-sq=":value" data-raw=""><a href="/q/op?s=SPWR&strike=35.00">35.00</a></strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" ><a href="/q?s=SPWR150501C00035000">SPWR150501C00035000</a></div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >1.10</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >1.06</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >1.44</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >0.00</div>
+ </td>
+ <td>
+
+
+ <div class="option_entry Fz-m">0.00%</div>
+
+
+
+ </td>
+ <td>
+ <strong data-sq=":volume" data-raw="107">107</strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >119</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >52.20%</div>
+ </td>
+ </tr>
+
+ <tr data-row="2" data-row-quote="_" class="
+
+ even
+
+ ">
+ <td>
+ <strong data-sq=":value" data-raw=""><a href="/q/op?s=SPWR&strike=42.00">42.00</a></strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" ><a href="/q?s=SPWR150501C00042000">SPWR150501C00042000</a></div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >0.41</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >0.00</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >0.50</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >0.00</div>
+ </td>
+ <td>
+
+
+ <div class="option_entry Fz-m">0.00%</div>
+
+
+
+ </td>
+ <td>
+ <strong data-sq=":volume" data-raw="20">20</strong>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >10</div>
+ </td>
+ <td>
+ <div class="option_entry Fz-m" >54.00%</div>
+ </td>
+ </tr>
+
+
+
+
+
+
+
+ </tbody>
+ </table>
+ </div>
+</div>
+
+
+ </div>
+
+ <div class="options-table " id="optionsPutsTable" data-sec="options-puts-table">
+ <div class="strike-filter option-filter-overlay">
+ <p>Show Me Strikes From</p>
+ <div class="My-6">
+ $ <input class="filter-low strike-filter" data-filter-type="low" type="text">
+ to $ <input class="filter-high strike-filter" data-filter-type="high" type="text">
+ </div>
+ <a data-table-filter="optionsPuts" class="Cur-p apply-filter">Apply Filter</a>
+ <a class="Cur-p clear-filter">Clear Filter</a>
+</div>
+
+
+<div class="follow-quote-area">
+ <div class="quote-table-overflow">
+ <table class="details-table quote-table Fz-m">
+
+
+ <caption>
+ Puts
+ </caption>
+
+
+ <thead class="details-header quote-table-headers">
+ <tr>
+
+
+
+
+ <th class='column-strike Pstart-38 low-high Fz-xs filterable sortable option_column' style='color: #454545;' data-sort-column='strike' data-col-pos='0'>
+ <div class="cell">
+ <div class="D-ib header_text strike">Strike</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ <div class="filter Cur-p "><span>∵</span> Filter</div>
+ </th>
+
+
+
+
+
+ <th class='column-contractName Pstart-10 '>Contract Name</th>
+
+
+
+
+
+
+ <th class='column-last Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='lastPrice' data-col-pos='2'>
+ <div class="cell">
+ <div class="D-ib lastPrice">Last</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-bid Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='bid' data-col-pos='3'>
+ <div class="cell">
+ <div class="D-ib bid">Bid</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-ask Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='ask' data-col-pos='4'>
+ <div class="cell">
+ <div class="D-ib ask">Ask</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-change Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='change' data-col-pos='5'>
+ <div class="cell">
+ <div class="D-ib change">Change</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-percentChange Pstart-16 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='percentChange' data-col-pos='6'>
+ <div class="cell">
+ <div class="D-ib percentChange">%Change</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-volume Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='volume' data-col-pos='7'>
+ <div class="cell">
+ <div class="D-ib volume">Volume</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-openInterest Pstart-14 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='openInterest' data-col-pos='8'>
+ <div class="cell">
+ <div class="D-ib openInterest">Open Interest</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+
+
+ <th class='column-impliedVolatility Pstart-10 Fz-xs sortable option_column' style='color: #454545;' data-sort-column='impliedVolatility' data-col-pos='9'>
+ <div class="cell">
+ <div class="D-ib impliedVolatility">Implied Volatility</div>
+ <div class="D-ib sort-icons">
+ <i class='Icon up'></i>
+ <i class='Icon down'></i>
+ </div>
+ </div>
+ </th>
+
+
+
+
+ </tr>
+
+ <tr class="filterRangeRow D-n">
+ <td colspan="10">
+ <div>
+ <span class="filterRangeTitle"></span>
+ <span class="closeFilter Cur-p">✕</span>
+ <span class="modify-filter Cur-p">[modify]</span>
+ </div>
+ </td>
+ </tr>
+
+ </thead>
+
+ <tbody>
+
+
+
+
+
+
+
+
+
+ </tbody>
+ </table>
+ </div>
+</div>
+
+
+ </div>
+
+
+</div>
+ </div> </div> </div> </div></div><!--END td-applet-options-table-->
+
+
+
+ </div>
+
+
+ </div>
+
+ </div>
+ </div>
+
+
+
+ </div>
+</div>
+
+ <script>
+(function (root) {
+// -- Data --
+root.Af || (root.Af = {});
+root.Af.config || (root.Af.config = {});
+root.Af.config.transport || (root.Af.config.transport = {});
+root.Af.config.transport.xhr = "\u002F_td_charts_api";
+root.YUI || (root.YUI = {});
+root.YUI.Env || (root.YUI.Env = {});
+root.YUI.Env.Af || (root.YUI.Env.Af = {});
+root.YUI.Env.Af.settings || (root.YUI.Env.Af.settings = {});
+root.YUI.Env.Af.settings.transport || (root.YUI.Env.Af.settings.transport = {});
+root.YUI.Env.Af.settings.transport.xhr = "\u002F_td_charts_api";
+root.YUI.Env.Af.settings.beacon || (root.YUI.Env.Af.settings.beacon = {});
+root.YUI.Env.Af.settings.beacon.pathPrefix = "\u002F_td_charts_api\u002Fbeacon";
+root.app || (root.app = {});
+root.app.yui = {"use":function bootstrap() { var self = this, d = document, head = d.getElementsByTagName('head')[0], ie = /MSIE/.test(navigator.userAgent), pending = 0, callback = [], args = arguments, config = typeof YUI_config != "undefined" ? YUI_config : {}; function flush() { var l = callback.length, i; if (!self.YUI && typeof YUI == "undefined") { throw new Error("YUI was not injected correctly!"); } self.YUI = self.YUI || YUI; for (i = 0; i < l; i++) { callback.shift()(); } } function decrementRequestPending() { pending--; if (pending <= 0) { setTimeout(flush, 0); } else { load(); } } function createScriptNode(src) { var node = d.createElement('script'); if (node.async) { node.async = false; } if (ie) { node.onreadystatechange = function () { if (/loaded|complete/.test(this.readyState)) { this.onreadystatechange = null; decrementRequestPending(); } }; } else { node.onload = node.onerror = decrementRequestPending; } node.setAttribute('src', src); return node; } function load() { if (!config.seed) { throw new Error('YUI_config.seed array is required.'); } var seed = config.seed, l = seed.length, i, node; pending = pending || seed.length; self._injected = true; for (i = 0; i < l; i++) { node = createScriptNode(seed.shift()); head.appendChild(node); if (node.async !== false) { break; } } } callback.push(function () { var i; if (!self._Y) { self.YUI.Env.core.push.apply(self.YUI.Env.core, config.extendedCore || []); self._Y = self.YUI(); self.use = self._Y.use; if (config.patches && config.patches.length) { for (i = 0; i < config.patches.length; i += 1) { config.patches[i](self._Y, self._Y.Env._loader); } } } self._Y.use.apply(self._Y, args); }); self.YUI = self.YUI || (typeof YUI != "undefined" ? YUI : null); if (!self.YUI && !self._injected) { load(); } else if (pending <= 0) { flush(); } return this; },"ready":function (callback) { this.use(function () { callback(); }); }};
+root.routeMap = {"quote-details":{"path":"\u002Fq\u002F?","keys":[],"regexp":/^\/q\/?\/?$/i,"annotations":{"name":"quote-details","aliases":["quote-details"]}},"recent-quotes":{"path":"\u002Fquotes\u002F?","keys":[],"regexp":/^\/quotes\/?\/?$/i,"annotations":{"name":"recent-quotes","aliases":["recent-quotes"]}},"quote-chart":{"path":"\u002Fchart\u002F?","keys":[],"regexp":/^\/chart\/?\/?$/i,"annotations":{"name":"quote-chart","aliases":["quote-chart"]}},"desktop-chart":{"path":"\u002Fecharts\u002F?","keys":[],"regexp":/^\/echarts\/?\/?$/i,"annotations":{"name":"desktop-chart","aliases":["desktop-chart"]}},"desktop-chart-virgo":{"path":"\u002Fecharts2\u002F?","keys":[],"regexp":/^\/echarts2\/?\/?$/i,"annotations":{"name":"desktop-chart-virgo","aliases":["desktop-chart-virgo"]}},"options":{"path":"\u002Fq\u002Fop\u002F?","keys":[],"regexp":/^\/q\/op\/?\/?$/i,"annotations":{"name":"options","aliases":["options"]}}};
+root.genUrl = function (routeName, context) {
+ var route = routeMap[routeName],
+ path, keys, i, len, key, param, regex;
+
+ if (!route) { return ''; }
+
+ path = route.path;
+ keys = route.keys;
+
+ if (context && (len = keys.length)) {
+ for (i = 0; i < len; i += 1) {
+ key = keys[i];
+ param = key.name || key;
+ regex = new RegExp('[:*]' + param + '\\b');
+ path = path.replace(regex, context[param]);
+ }
+ }
+
+ // Replace missing params with empty strings.
+ return path.replace(/([:*])([\w\-]+)?/g, '');
+ };
+root.App || (root.App = {});
+root.App.Cache || (root.App.Cache = {});
+root.App.Cache.globals = {"config":{"hosts":{"_default":"finance.yahoo.com","production":"finance.yahoo.com","staging":"stage.finance.yahoo.com","functional.test":"qa1.finance.yahoo.com","smoke.test":"int1.finance.yahoo.com","development":"int1.finance.yahoo.com"},"dss":{"assetPath":"\u002Fpv\u002Fstatic\u002Flib\u002Fios-default-set_201312031214.js","pn":"yahoo_finance_us_web","secureAssetHost":"https:\u002F\u002Fs.yimg.com","assetHost":"http:\u002F\u002Fl.yimg.com","cookieName":"DSS"},"mrs":{"mrs_host":"mrs-ynews.mrs.o.yimg.com","key":"mrs.ynews.crumbkey","app_id":"ynews"},"title":"Yahoo Finance - Business Finance, Stock Market, Quotes, News","crumbKey":"touchdown.crumbkey","asset_combo":true,"asset_mode":"prod","asset_filter":"min","assets":{"js":[{"location":"bottom","value":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Fmedia\u002Fm\u002Fheader\u002Fheader-uh3-finance-hardcoded-jsonblob-min-1583812.js"}],"css":["css.master",{"location":"top","value":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Fmedia\u002Fm\u002Fquotes\u002Fquotes-search-gs-smartphone-min-1680382.css"}],"options":{"inc_init_bottom":"0","inc_rapid":"1","rapid_version":"3.21","yui_instance_location":"bottom"}},"cdn":{"comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&","prefixMap":{"http:\u002F\u002Fl.yimg.com\u002F":""},"base":"https:\u002F\u002Fs.yimg.com"},"prefix_map":{"http:\u002F\u002Fl.yimg.com\u002F":""},"xhrPath":"_td_charts_api","adsEnabled":true,"ads":{"position":{"LREC":{"w":"300","h":"265"},"FB2-1":{"w":"198","h":"60"},"FB2-2":{"w":"198","h":"60"},"FB2-3":{"w":"198","h":"60"},"FB2-4":{"w":"198","h":"60"},"LDRP":{"w":"320","h":"76","metaSize":true},"WBTN":{"w":"120","h":"60"},"WBTN-1":{"w":"120","h":"60"},"FB2-0":{"w":"120","h":"60"},"SKY":{"w":"160","h":"600"}}},"spaceid":"2022773886","customSpaceIds":{"currency":"2142178955","mutualfund":"1197773430"},"urlSpaceId":"true","urlSpaceIdMap":{"quotes":"980779717","q\u002Fop":"28951412","q":"980779724"},"rapidSettings":{"webworker_file":"\u002Frapid-worker.js","client_only":1,"keys":{"version":"td app","site":"mobile-web-quotes"},"ywa":{"project_id":"1000911397279","document_group":"interactive-chart","host":"y.analytics.yahoo.com"},"ywaMappingAction":{"click":12,"hvr":115,"rottn":128,"drag":105},"ywaMappingCf":{"_p":20,"ad":58,"authfb":11,"bpos":24,"camp":54,"cat":25,"code":55,"cpos":21,"ct":23,"dcl":26,"dir":108,"domContentLoadedEventEnd":44,"elm":56,"elmt":57,"f":40,"ft":51,"grpt":109,"ilc":39,"itc":111,"loadEventEnd":45,"ltxt":17,"mpos":110,"mrkt":12,"pcp":67,"pct":48,"pd":46,"pkgt":22,"pos":20,"prov":114,"psp":72,"pst":68,"pstcat":47,"pt":13,"rescode":27,"responseEnd":43,"responseStart":41,"rspns":107,"sca":53,"sec":18,"site":42,"slk":19,"sort":28,"t1":121,"t2":122,"t3":123,"t4":124,"t5":125,"t6":126,"t7":127,"t8":128,"t9":129,"tar":113,"test":14,"v":52,"ver":49,"x":50},"tracked_mods":["yfi_investing_nav","chart-details"],"nofollow_class":[]},"property":"finance","uh":{"experience":"GS"},"loginRedirectHost":"finance.yahoo.com","default_ticker":"YHOO","default_market_tickers":["^DJI","^IXIC"],"uhAssetsBase":"https:\u002F\u002Fs.yimg.com","sslEnabled":true,"layout":"options","packageName":"finance-td-app-mobile-web","customActions":{"before":[function (req, res, data, callback) {
+ var header,
+ config = req.config(),
+ path = req.path;
+
+ if (req.i13n && req.i13n.stampNonClassified) {
+ //console.log('=====> [universal_header] page stamped: ' + req.i13n.isStamped() + ' with spaceid ' + req.i13n.getSpaceid());
+ req.i13n.stampNonClassified(config.spaceid);
+ }
+ config.uh = config.uh || {};
+ config.uh.experience = config.uh.experience || 'uh3';
+
+ req.query.experience = config.uh.experience;
+ req.query.property = 'finance';
+ header = finUH.getMarkup(req);
+
+ res.locals = res.locals || {};
+
+ if (header.sidebar) {
+ res.locals.sidebar_css = header.sidebar.uh_css;
+ res.locals.sidebar_js = header.sidebar.uh_js;
+ data.sidebar_markup = header.sidebar.uh_markup;
+ }
+
+ res.locals.uh_css = header.uh_css;
+ res.locals.uh_js = header.uh_js;
+ data.uh_markup = header.uh_markup;
+ //TODO - localize these strings
+ if (path && path.indexOf('op') > -1) {
+ res.locals.page_title = parseSymbol(req.query.s) + " Option Chain | Yahoo! Inc. Stock - Yahoo! Finance";
+ } else if (path && ((path.indexOf('echarts') > -1) || (path.indexOf('q') > -1))) {
+ res.locals.page_title = parseSymbol(req.query.s) + " Interactive Stock Chart | Yahoo! Inc. Stock - Yahoo! Finance";
+ } else {
+ res.locals.page_title = config.title;
+ }
+ callback();
+},function (req, res, data, next) {
+ /* this would invoke the ESI plugin on YTS */
+ res.parentRes.set('X-Esi', '1');
+
+ var hosts = req.config().hosts,
+ hostToSet = hosts._default;
+
+ Object.keys(hosts).some(function (host) {
+ if (req.headers.host.indexOf(host) >= 0) {
+ hostToSet = hosts[host];
+ return true;
+ }
+ });
+
+ /* saving request host server name for esi end point */
+ res.locals.requesturl = {
+ host: hostToSet
+ };
+
+ /* saving header x-yahoo-request-url for Darla configuration */
+ res.locals.requestxhosturl = req.headers['x-env-host'] ? {host: req.headers['x-env-host']} : {host: hostToSet};
+
+ //urlPath is used for ./node_modules/assembler/node_modules/dust-helpers/lib/util.js::getSpaceId()
+ //see: https://git.corp.yahoo.com/sports/sportacular-web
+ req.context.urlPath = req.path;
+
+ // console.log(JSON.stringify({
+ // requesturl: res.locals.requesturl.host,
+ // requestxhosturl: res.locals.requestxhosturl,
+ // urlPath: req.context.urlPath
+ // }));
+
+ next();
+},function (req, res, data, callback) {
+
+ res.locals = res.locals || {};
+ if (req.query && req.query.s) {
+ res.locals.quote = req.query.s;
+ }
+
+ callback();
+},function (req, res, data, callback) {
+ var params,
+ ticker,
+ config, i;
+
+ req = req || {};
+ req.params = req.params || {};
+
+ config = req.config() || {};
+
+
+ data = data || {};
+
+ params = req.params || {};
+ ticker = (params.ticker || (req.query && req.query.s) || 'YHOO').toUpperCase();
+ ticker = ticker.split('+')[0];//Split on + if it's in the ticker
+ ticker = ticker.split(' ')[0];//Split on space if it's in the ticker
+
+ params.tickers = [];
+ if (config.default_market_tickers) {
+ params.tickers = params.tickers.concat(config.default_market_tickers);
+ }
+ params.tickers.push(ticker);
+ params.tickers = params.tickers.join(',');
+ params.format = 'inflated';
+
+ //Move this into a new action
+ res.locals.isTablet = config.isTablet;
+
+ quoteStore.read('finance_quote', params, req, function (err, qData) {
+ if (!err && qData.quotes && qData.quotes.length > 0) {
+ res.locals.quoteData = qData;
+ for (i = 0; i < qData.quotes.length; i = i + 1) {
+ if (qData.quotes[i].symbol.toUpperCase() === ticker.toUpperCase()) {
+ params.ticker_securityType = qData.quotes[i].type;
+ }
+ }
+ params.tickers = ticker;
+ }
+ callback();
+ });
+},function (req, res, data, callback) {
+
+ marketTimeStore.read('markettime', {}, req, function (err, data) {
+ if (data && data.index) {
+ res.parentRes.locals.markettime = data.index.markettime;
+ }
+ callback();
+ });
+}],"after":[]}},"context":{"authed":"0","ynet":"0","ssl":"1","spdy":"0","bucket":"","colo":"gq1","device":"desktop","environment":"prod","lang":"en-US","partner":"none","site":"finance","region":"US","intl":"us","tz":"America\u002FLos_Angeles","edgepipeEnabled":false,"urlPath":"\u002Fq\u002Fop"},"intl":{"locales":"en-US"},"user":{"crumb":"RaKZ96VJ.kK","firstName":null}};
+root.YUI_config = {"version":"3.17.2","base":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:3.17.2\u002F","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&","root":"yui:3.17.2\u002F","filter":"min","logLevel":"error","combine":true,"patches":[function patchLangBundlesRequires(Y, loader) {
+ var getRequires = loader.getRequires;
+ loader.getRequires = function (mod) {
+ var i, j, m, name, mods, loadDefaultBundle,
+ locales = Y.config.lang || [],
+ r = getRequires.apply(this, arguments);
+ // expanding requirements with optional requires
+ if (mod.langBundles && !mod.langBundlesExpanded) {
+ mod.langBundlesExpanded = [];
+ locales = typeof locales === 'string' ? [locales] : locales.concat();
+ for (i = 0; i < mod.langBundles.length; i += 1) {
+ mods = [];
+ loadDefaultBundle = false;
+ name = mod.group + '-lang-' + mod.langBundles[i];
+ for (j = 0; j < locales.length; j += 1) {
+ m = this.getModule(name + '_' + locales[j].toLowerCase());
+ if (m) {
+ mods.push(m);
+ } else {
+ // if one of the requested locales is missing,
+ // the default lang should be fetched
+ loadDefaultBundle = true;
+ }
+ }
+ if (!mods.length || loadDefaultBundle) {
+ // falling back to the default lang bundle when needed
+ m = this.getModule(name);
+ if (m) {
+ mods.push(m);
+ }
+ }
+ // adding requirements for each lang bundle
+ // (duplications are not a problem since they will be deduped)
+ for (j = 0; j < mods.length; j += 1) {
+ mod.langBundlesExpanded = mod.langBundlesExpanded.concat(this.getRequires(mods[j]), [mods[j].name]);
+ }
+ }
+ }
+ return mod.langBundlesExpanded && mod.langBundlesExpanded.length ?
+ [].concat(mod.langBundlesExpanded, r) : r;
+ };
+}],"modules":{"IntlPolyfill":{"fullpath":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:platform\u002Fintl\u002F0.1.4\u002FIntl.min.js&yui:platform\u002Fintl\u002F0.1.4\u002Flocale-data\u002Fjsonp\u002F{lang}.js","condition":{"name":"IntlPolyfill","trigger":"intl-messageformat","test":function (Y) {
+ return !Y.config.global.Intl;
+ },"when":"before"},"configFn":function (mod) {
+ var lang = 'en-US';
+ if (window.YUI_config && window.YUI_config.lang && window.IntlAvailableLangs && window.IntlAvailableLangs[window.YUI_config.lang]) {
+ lang = window.YUI_config.lang;
+ }
+ mod.fullpath = mod.fullpath.replace('{lang}', lang);
+ return true;
+ }}},"groups":{"finance-td-app-mobile-web":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"ape-af":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002F","root":"os\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"mjata":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002F","root":"os\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"ape-applet":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002F","root":"os\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"applet-server":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002F","root":"os\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-api":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"finance-streamer":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"stencil":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002F","root":"os\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-ads":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-charts":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"finance-yui-scripts":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-lib-social":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-details":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-news":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-search":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quotes":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-options-table":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-finance-uh":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"assembler":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002F","root":"os\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-dev-info":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"dust-helpers":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002F","root":"os\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"}},"seed":["yui","loader-finance-td-app-mobile-web","loader-ape-af","loader-mjata","loader-ape-applet","loader-applet-server","loader-td-api","loader-finance-streamer","loader-stencil","loader-td-applet-ads","loader-td-applet-charts","loader-finance-yui-scripts","loader-td-lib-social","loader-td-applet-mw-quote-details","loader-td-applet-mw-quote-news","loader-td-applet-mw-quote-search","loader-td-applet-mw-quotes","loader-td-applet-options-table","loader-td-finance-uh","loader-assembler","loader-td-dev-info","loader-dust-helpers"],"extendedCore":["loader-finance-td-app-mobile-web","loader-ape-af","loader-mjata","loader-ape-applet","loader-applet-server","loader-td-api","loader-finance-streamer","loader-stencil","loader-td-applet-ads","loader-td-applet-charts","loader-finance-yui-scripts","loader-td-lib-social","loader-td-applet-mw-quote-details","loader-td-applet-mw-quote-news","loader-td-applet-mw-quote-search","loader-td-applet-mw-quotes","loader-td-applet-options-table","loader-td-finance-uh","loader-assembler","loader-td-dev-info","loader-dust-helpers"]};
+root.YUI_config || (root.YUI_config = {});
+root.YUI_config.seed = ["https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:3.17.2\u002Fyui\u002Fyui-min.js&os\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002Floader-finance-td-app-mobile-web\u002Floader-finance-td-app-mobile-web-min.js&os\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002Floader-ape-af\u002Floader-ape-af-min.js&os\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002Floader-mjata\u002Floader-mjata-min.js&os\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002Floader-ape-applet\u002Floader-ape-applet-min.js&os\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002Floader-applet-server\u002Floader-applet-server-min.js&os\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002Floader-td-api\u002Floader-td-api-min.js&os\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002Floader-finance-streamer\u002Floader-finance-streamer-min.js&os\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002Floader-stencil\u002Floader-stencil-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002Floader-td-applet-ads\u002Floader-td-applet-ads-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002Floader-td-applet-charts\u002Floader-td-applet-charts-min.js&os\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002Floader-finance-yui-scripts\u002Floader-finance-yui-scripts-min.js&os\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002Floader-td-lib-social\u002Floader-td-lib-social-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002Floader-td-applet-mw-quote-details\u002Floader-td-applet-mw-quote-details-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002Floader-td-applet-mw-quote-news\u002Floader-td-applet-mw-quote-news-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002Floader-td-applet-mw-quote-search\u002Floader-td-applet-mw-quote-search-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002Floader-td-applet-mw-quotes\u002Floader-td-applet-mw-quotes-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002Floader-td-applet-options-table\u002Floader-td-applet-options-table-min.js&os\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002Floader-td-finance-uh\u002Floader-td-finance-uh-min.js&os\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002Floader-assembler\u002Floader-assembler-min.js&os\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002Floader-td-dev-info\u002Floader-td-dev-info-min.js&os\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002Floader-dust-helpers\u002Floader-dust-helpers-min.js"];
+root.YUI_config.lang = "en-US";
+}(this));
+</script>
+
+
+
+<script type="text/javascript" src="https://s.yimg.com/zz/combo?yui:/3.17.2/yui/yui-min.js&/os/mit/td/asset-loader-s-4065d1ab.js&/ss/rapid-3.21.js&/os/mit/media/m/header/header-uh3-finance-hardcoded-jsonblob-min-1583812.js"></script>
+
+<script>
+(function (root) {
+// -- Data --
+root.Af || (root.Af = {});
+root.Af.config || (root.Af.config = {});
+root.Af.config.transport || (root.Af.config.transport = {});
+root.Af.config.transport.xhr = "\u002F_td_charts_api";
+root.YUI || (root.YUI = {});
+root.YUI.Env || (root.YUI.Env = {});
+root.YUI.Env.Af || (root.YUI.Env.Af = {});
+root.YUI.Env.Af.settings || (root.YUI.Env.Af.settings = {});
+root.YUI.Env.Af.settings.transport || (root.YUI.Env.Af.settings.transport = {});
+root.YUI.Env.Af.settings.transport.xhr = "\u002F_td_charts_api";
+root.YUI.Env.Af.settings.beacon || (root.YUI.Env.Af.settings.beacon = {});
+root.YUI.Env.Af.settings.beacon.pathPrefix = "\u002F_td_charts_api\u002Fbeacon";
+root.app || (root.app = {});
+root.app.yui = {"use":function bootstrap() { var self = this, d = document, head = d.getElementsByTagName('head')[0], ie = /MSIE/.test(navigator.userAgent), pending = 0, callback = [], args = arguments, config = typeof YUI_config != "undefined" ? YUI_config : {}; function flush() { var l = callback.length, i; if (!self.YUI && typeof YUI == "undefined") { throw new Error("YUI was not injected correctly!"); } self.YUI = self.YUI || YUI; for (i = 0; i < l; i++) { callback.shift()(); } } function decrementRequestPending() { pending--; if (pending <= 0) { setTimeout(flush, 0); } else { load(); } } function createScriptNode(src) { var node = d.createElement('script'); if (node.async) { node.async = false; } if (ie) { node.onreadystatechange = function () { if (/loaded|complete/.test(this.readyState)) { this.onreadystatechange = null; decrementRequestPending(); } }; } else { node.onload = node.onerror = decrementRequestPending; } node.setAttribute('src', src); return node; } function load() { if (!config.seed) { throw new Error('YUI_config.seed array is required.'); } var seed = config.seed, l = seed.length, i, node; pending = pending || seed.length; self._injected = true; for (i = 0; i < l; i++) { node = createScriptNode(seed.shift()); head.appendChild(node); if (node.async !== false) { break; } } } callback.push(function () { var i; if (!self._Y) { self.YUI.Env.core.push.apply(self.YUI.Env.core, config.extendedCore || []); self._Y = self.YUI(); self.use = self._Y.use; if (config.patches && config.patches.length) { for (i = 0; i < config.patches.length; i += 1) { config.patches[i](self._Y, self._Y.Env._loader); } } } self._Y.use.apply(self._Y, args); }); self.YUI = self.YUI || (typeof YUI != "undefined" ? YUI : null); if (!self.YUI && !self._injected) { load(); } else if (pending <= 0) { flush(); } return this; },"ready":function (callback) { this.use(function () { callback(); }); }};
+root.routeMap = {"quote-details":{"path":"\u002Fq\u002F?","keys":[],"regexp":/^\/q\/?\/?$/i,"annotations":{"name":"quote-details","aliases":["quote-details"]}},"recent-quotes":{"path":"\u002Fquotes\u002F?","keys":[],"regexp":/^\/quotes\/?\/?$/i,"annotations":{"name":"recent-quotes","aliases":["recent-quotes"]}},"quote-chart":{"path":"\u002Fchart\u002F?","keys":[],"regexp":/^\/chart\/?\/?$/i,"annotations":{"name":"quote-chart","aliases":["quote-chart"]}},"desktop-chart":{"path":"\u002Fecharts\u002F?","keys":[],"regexp":/^\/echarts\/?\/?$/i,"annotations":{"name":"desktop-chart","aliases":["desktop-chart"]}},"desktop-chart-virgo":{"path":"\u002Fecharts2\u002F?","keys":[],"regexp":/^\/echarts2\/?\/?$/i,"annotations":{"name":"desktop-chart-virgo","aliases":["desktop-chart-virgo"]}},"options":{"path":"\u002Fq\u002Fop\u002F?","keys":[],"regexp":/^\/q\/op\/?\/?$/i,"annotations":{"name":"options","aliases":["options"]}}};
+root.genUrl = function (routeName, context) {
+ var route = routeMap[routeName],
+ path, keys, i, len, key, param, regex;
+
+ if (!route) { return ''; }
+
+ path = route.path;
+ keys = route.keys;
+
+ if (context && (len = keys.length)) {
+ for (i = 0; i < len; i += 1) {
+ key = keys[i];
+ param = key.name || key;
+ regex = new RegExp('[:*]' + param + '\\b');
+ path = path.replace(regex, context[param]);
+ }
+ }
+
+ // Replace missing params with empty strings.
+ return path.replace(/([:*])([\w\-]+)?/g, '');
+ };
+root.App || (root.App = {});
+root.App.Cache || (root.App.Cache = {});
+root.App.Cache.globals = {"config":{"hosts":{"_default":"finance.yahoo.com","production":"finance.yahoo.com","staging":"stage.finance.yahoo.com","functional.test":"qa1.finance.yahoo.com","smoke.test":"int1.finance.yahoo.com","development":"int1.finance.yahoo.com"},"dss":{"assetPath":"\u002Fpv\u002Fstatic\u002Flib\u002Fios-default-set_201312031214.js","pn":"yahoo_finance_us_web","secureAssetHost":"https:\u002F\u002Fs.yimg.com","assetHost":"http:\u002F\u002Fl.yimg.com","cookieName":"DSS"},"mrs":{"mrs_host":"mrs-ynews.mrs.o.yimg.com","key":"mrs.ynews.crumbkey","app_id":"ynews"},"title":"Yahoo Finance - Business Finance, Stock Market, Quotes, News","crumbKey":"touchdown.crumbkey","asset_combo":true,"asset_mode":"prod","asset_filter":"min","assets":{"js":[{"location":"bottom","value":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Fmedia\u002Fm\u002Fheader\u002Fheader-uh3-finance-hardcoded-jsonblob-min-1583812.js"}],"css":["css.master",{"location":"top","value":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Fmedia\u002Fm\u002Fquotes\u002Fquotes-search-gs-smartphone-min-1680382.css"}],"options":{"inc_init_bottom":"0","inc_rapid":"1","rapid_version":"3.21","yui_instance_location":"bottom"}},"cdn":{"comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&","prefixMap":{"http:\u002F\u002Fl.yimg.com\u002F":""},"base":"https:\u002F\u002Fs.yimg.com"},"prefix_map":{"http:\u002F\u002Fl.yimg.com\u002F":""},"xhrPath":"_td_charts_api","adsEnabled":true,"ads":{"position":{"LREC":{"w":"300","h":"265"},"FB2-1":{"w":"198","h":"60"},"FB2-2":{"w":"198","h":"60"},"FB2-3":{"w":"198","h":"60"},"FB2-4":{"w":"198","h":"60"},"LDRP":{"w":"320","h":"76","metaSize":true},"WBTN":{"w":"120","h":"60"},"WBTN-1":{"w":"120","h":"60"},"FB2-0":{"w":"120","h":"60"},"SKY":{"w":"160","h":"600"}}},"spaceid":"2022773886","customSpaceIds":{"currency":"2142178955","mutualfund":"1197773430"},"urlSpaceId":"true","urlSpaceIdMap":{"quotes":"980779717","q\u002Fop":"28951412","q":"980779724"},"rapidSettings":{"webworker_file":"\u002Frapid-worker.js","client_only":1,"keys":{"version":"td app","site":"mobile-web-quotes"},"ywa":{"project_id":"1000911397279","document_group":"interactive-chart","host":"y.analytics.yahoo.com"},"ywaMappingAction":{"click":12,"hvr":115,"rottn":128,"drag":105},"ywaMappingCf":{"_p":20,"ad":58,"authfb":11,"bpos":24,"camp":54,"cat":25,"code":55,"cpos":21,"ct":23,"dcl":26,"dir":108,"domContentLoadedEventEnd":44,"elm":56,"elmt":57,"f":40,"ft":51,"grpt":109,"ilc":39,"itc":111,"loadEventEnd":45,"ltxt":17,"mpos":110,"mrkt":12,"pcp":67,"pct":48,"pd":46,"pkgt":22,"pos":20,"prov":114,"psp":72,"pst":68,"pstcat":47,"pt":13,"rescode":27,"responseEnd":43,"responseStart":41,"rspns":107,"sca":53,"sec":18,"site":42,"slk":19,"sort":28,"t1":121,"t2":122,"t3":123,"t4":124,"t5":125,"t6":126,"t7":127,"t8":128,"t9":129,"tar":113,"test":14,"v":52,"ver":49,"x":50},"tracked_mods":["yfi_investing_nav","chart-details"],"nofollow_class":[]},"property":"finance","uh":{"experience":"GS"},"loginRedirectHost":"finance.yahoo.com","default_ticker":"YHOO","default_market_tickers":["^DJI","^IXIC"],"uhAssetsBase":"https:\u002F\u002Fs.yimg.com","sslEnabled":true,"layout":"options","packageName":"finance-td-app-mobile-web","customActions":{"before":[function (req, res, data, callback) {
+ var header,
+ config = req.config(),
+ path = req.path;
+
+ if (req.i13n && req.i13n.stampNonClassified) {
+ //console.log('=====> [universal_header] page stamped: ' + req.i13n.isStamped() + ' with spaceid ' + req.i13n.getSpaceid());
+ req.i13n.stampNonClassified(config.spaceid);
+ }
+ config.uh = config.uh || {};
+ config.uh.experience = config.uh.experience || 'uh3';
+
+ req.query.experience = config.uh.experience;
+ req.query.property = 'finance';
+ header = finUH.getMarkup(req);
+
+ res.locals = res.locals || {};
+
+ if (header.sidebar) {
+ res.locals.sidebar_css = header.sidebar.uh_css;
+ res.locals.sidebar_js = header.sidebar.uh_js;
+ data.sidebar_markup = header.sidebar.uh_markup;
+ }
+
+ res.locals.uh_css = header.uh_css;
+ res.locals.uh_js = header.uh_js;
+ data.uh_markup = header.uh_markup;
+ //TODO - localize these strings
+ if (path && path.indexOf('op') > -1) {
+ res.locals.page_title = parseSymbol(req.query.s) + " Option Chain | Yahoo! Inc. Stock - Yahoo! Finance";
+ } else if (path && ((path.indexOf('echarts') > -1) || (path.indexOf('q') > -1))) {
+ res.locals.page_title = parseSymbol(req.query.s) + " Interactive Stock Chart | Yahoo! Inc. Stock - Yahoo! Finance";
+ } else {
+ res.locals.page_title = config.title;
+ }
+ callback();
+},function (req, res, data, next) {
+ /* this would invoke the ESI plugin on YTS */
+ res.parentRes.set('X-Esi', '1');
+
+ var hosts = req.config().hosts,
+ hostToSet = hosts._default;
+
+ Object.keys(hosts).some(function (host) {
+ if (req.headers.host.indexOf(host) >= 0) {
+ hostToSet = hosts[host];
+ return true;
+ }
+ });
+
+ /* saving request host server name for esi end point */
+ res.locals.requesturl = {
+ host: hostToSet
+ };
+
+ /* saving header x-yahoo-request-url for Darla configuration */
+ res.locals.requestxhosturl = req.headers['x-env-host'] ? {host: req.headers['x-env-host']} : {host: hostToSet};
+
+ //urlPath is used for ./node_modules/assembler/node_modules/dust-helpers/lib/util.js::getSpaceId()
+ //see: https://git.corp.yahoo.com/sports/sportacular-web
+ req.context.urlPath = req.path;
+
+ // console.log(JSON.stringify({
+ // requesturl: res.locals.requesturl.host,
+ // requestxhosturl: res.locals.requestxhosturl,
+ // urlPath: req.context.urlPath
+ // }));
+
+ next();
+},function (req, res, data, callback) {
+
+ res.locals = res.locals || {};
+ if (req.query && req.query.s) {
+ res.locals.quote = req.query.s;
+ }
+
+ callback();
+},function (req, res, data, callback) {
+ var params,
+ ticker,
+ config, i;
+
+ req = req || {};
+ req.params = req.params || {};
+
+ config = req.config() || {};
+
+
+ data = data || {};
+
+ params = req.params || {};
+ ticker = (params.ticker || (req.query && req.query.s) || 'YHOO').toUpperCase();
+ ticker = ticker.split('+')[0];//Split on + if it's in the ticker
+ ticker = ticker.split(' ')[0];//Split on space if it's in the ticker
+
+ params.tickers = [];
+ if (config.default_market_tickers) {
+ params.tickers = params.tickers.concat(config.default_market_tickers);
+ }
+ params.tickers.push(ticker);
+ params.tickers = params.tickers.join(',');
+ params.format = 'inflated';
+
+ //Move this into a new action
+ res.locals.isTablet = config.isTablet;
+
+ quoteStore.read('finance_quote', params, req, function (err, qData) {
+ if (!err && qData.quotes && qData.quotes.length > 0) {
+ res.locals.quoteData = qData;
+ for (i = 0; i < qData.quotes.length; i = i + 1) {
+ if (qData.quotes[i].symbol.toUpperCase() === ticker.toUpperCase()) {
+ params.ticker_securityType = qData.quotes[i].type;
+ }
+ }
+ params.tickers = ticker;
+ }
+ callback();
+ });
+},function (req, res, data, callback) {
+
+ marketTimeStore.read('markettime', {}, req, function (err, data) {
+ if (data && data.index) {
+ res.parentRes.locals.markettime = data.index.markettime;
+ }
+ callback();
+ });
+}],"after":[]}},"context":{"authed":"0","ynet":"0","ssl":"1","spdy":"0","bucket":"","colo":"gq1","device":"desktop","environment":"prod","lang":"en-US","partner":"none","site":"finance","region":"US","intl":"us","tz":"America\u002FLos_Angeles","edgepipeEnabled":false,"urlPath":"\u002Fq\u002Fop"},"intl":{"locales":"en-US"},"user":{"crumb":"RaKZ96VJ.kK","firstName":null}};
+root.YUI_config = {"version":"3.17.2","base":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:3.17.2\u002F","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&","root":"yui:3.17.2\u002F","filter":"min","logLevel":"error","combine":true,"patches":[function patchLangBundlesRequires(Y, loader) {
+ var getRequires = loader.getRequires;
+ loader.getRequires = function (mod) {
+ var i, j, m, name, mods, loadDefaultBundle,
+ locales = Y.config.lang || [],
+ r = getRequires.apply(this, arguments);
+ // expanding requirements with optional requires
+ if (mod.langBundles && !mod.langBundlesExpanded) {
+ mod.langBundlesExpanded = [];
+ locales = typeof locales === 'string' ? [locales] : locales.concat();
+ for (i = 0; i < mod.langBundles.length; i += 1) {
+ mods = [];
+ loadDefaultBundle = false;
+ name = mod.group + '-lang-' + mod.langBundles[i];
+ for (j = 0; j < locales.length; j += 1) {
+ m = this.getModule(name + '_' + locales[j].toLowerCase());
+ if (m) {
+ mods.push(m);
+ } else {
+ // if one of the requested locales is missing,
+ // the default lang should be fetched
+ loadDefaultBundle = true;
+ }
+ }
+ if (!mods.length || loadDefaultBundle) {
+ // falling back to the default lang bundle when needed
+ m = this.getModule(name);
+ if (m) {
+ mods.push(m);
+ }
+ }
+ // adding requirements for each lang bundle
+ // (duplications are not a problem since they will be deduped)
+ for (j = 0; j < mods.length; j += 1) {
+ mod.langBundlesExpanded = mod.langBundlesExpanded.concat(this.getRequires(mods[j]), [mods[j].name]);
+ }
+ }
+ }
+ return mod.langBundlesExpanded && mod.langBundlesExpanded.length ?
+ [].concat(mod.langBundlesExpanded, r) : r;
+ };
+}],"modules":{"IntlPolyfill":{"fullpath":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:platform\u002Fintl\u002F0.1.4\u002FIntl.min.js&yui:platform\u002Fintl\u002F0.1.4\u002Flocale-data\u002Fjsonp\u002F{lang}.js","condition":{"name":"IntlPolyfill","trigger":"intl-messageformat","test":function (Y) {
+ return !Y.config.global.Intl;
+ },"when":"before"},"configFn":function (mod) {
+ var lang = 'en-US';
+ if (window.YUI_config && window.YUI_config.lang && window.IntlAvailableLangs && window.IntlAvailableLangs[window.YUI_config.lang]) {
+ lang = window.YUI_config.lang;
+ }
+ mod.fullpath = mod.fullpath.replace('{lang}', lang);
+ return true;
+ }}},"groups":{"finance-td-app-mobile-web":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"ape-af":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002F","root":"os\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"mjata":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002F","root":"os\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"ape-applet":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002F","root":"os\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"applet-server":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002F","root":"os\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-api":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"finance-streamer":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"stencil":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002F","root":"os\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-ads":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-charts":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"finance-yui-scripts":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002F","root":"os\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-lib-social":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-details":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-news":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quote-search":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-mw-quotes":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-applet-options-table":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-finance-uh":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"assembler":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002F","root":"os\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"td-dev-info":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002F","root":"os\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"},"dust-helpers":{"base":"https:\u002F\u002Fs.yimg.com\u002Fos\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002F","root":"os\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002F","combine":true,"filter":"min","comboBase":"https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?","comboSep":"&"}},"seed":["yui","loader-finance-td-app-mobile-web","loader-ape-af","loader-mjata","loader-ape-applet","loader-applet-server","loader-td-api","loader-finance-streamer","loader-stencil","loader-td-applet-ads","loader-td-applet-charts","loader-finance-yui-scripts","loader-td-lib-social","loader-td-applet-mw-quote-details","loader-td-applet-mw-quote-news","loader-td-applet-mw-quote-search","loader-td-applet-mw-quotes","loader-td-applet-options-table","loader-td-finance-uh","loader-assembler","loader-td-dev-info","loader-dust-helpers"],"extendedCore":["loader-finance-td-app-mobile-web","loader-ape-af","loader-mjata","loader-ape-applet","loader-applet-server","loader-td-api","loader-finance-streamer","loader-stencil","loader-td-applet-ads","loader-td-applet-charts","loader-finance-yui-scripts","loader-td-lib-social","loader-td-applet-mw-quote-details","loader-td-applet-mw-quote-news","loader-td-applet-mw-quote-search","loader-td-applet-mw-quotes","loader-td-applet-options-table","loader-td-finance-uh","loader-assembler","loader-td-dev-info","loader-dust-helpers"]};
+root.YUI_config || (root.YUI_config = {});
+root.YUI_config.seed = ["https:\u002F\u002Fs.yimg.com\u002Fzz\u002Fcombo?yui:3.17.2\u002Fyui\u002Fyui-min.js&os\u002Fmit\u002Ftd\u002Ffinance-td-app-mobile-web-2.0.356\u002Floader-finance-td-app-mobile-web\u002Floader-finance-td-app-mobile-web-min.js&os\u002Fmit\u002Ftd\u002Fape-af-0.0.318\u002Floader-ape-af\u002Floader-ape-af-min.js&os\u002Fmit\u002Ftd\u002Fmjata-0.4.35\u002Floader-mjata\u002Floader-mjata-min.js&os\u002Fmit\u002Ftd\u002Fape-applet-0.0.202\u002Floader-ape-applet\u002Floader-ape-applet-min.js&os\u002Fmit\u002Ftd\u002Fapplet-server-0.2.75\u002Floader-applet-server\u002Floader-applet-server-min.js&os\u002Fmit\u002Ftd\u002Ftd-api-0.1.85\u002Floader-td-api\u002Floader-td-api-min.js&os\u002Fmit\u002Ftd\u002Ffinance-streamer-0.0.16\u002Floader-finance-streamer\u002Floader-finance-streamer-min.js&os\u002Fmit\u002Ftd\u002Fstencil-0.1.306\u002Floader-stencil\u002Floader-stencil-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-ads-0.1.575\u002Floader-td-applet-ads\u002Floader-td-applet-ads-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-charts-0.2.312\u002Floader-td-applet-charts\u002Floader-td-applet-charts-min.js&os\u002Fmit\u002Ftd\u002Ffinance-yui-scripts-0.0.23\u002Floader-finance-yui-scripts\u002Floader-finance-yui-scripts-min.js&os\u002Fmit\u002Ftd\u002Ftd-lib-social-0.1.181\u002Floader-td-lib-social\u002Floader-td-lib-social-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-details-2.3.157\u002Floader-td-applet-mw-quote-details\u002Floader-td-applet-mw-quote-details-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-news-2.3.224\u002Floader-td-applet-mw-quote-news\u002Floader-td-applet-mw-quote-news-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quote-search-1.2.63\u002Floader-td-applet-mw-quote-search\u002Floader-td-applet-mw-quote-search-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-mw-quotes-4.2.10\u002Floader-td-applet-mw-quotes\u002Floader-td-applet-mw-quotes-min.js&os\u002Fmit\u002Ftd\u002Ftd-applet-options-table-0.1.191\u002Floader-td-applet-options-table\u002Floader-td-applet-options-table-min.js&os\u002Fmit\u002Ftd\u002Ftd-finance-uh-0.1.2\u002Floader-td-finance-uh\u002Floader-td-finance-uh-min.js&os\u002Fmit\u002Ftd\u002Fassembler-0.3.97\u002Floader-assembler\u002Floader-assembler-min.js&os\u002Fmit\u002Ftd\u002Ftd-dev-info-0.0.30\u002Floader-td-dev-info\u002Floader-td-dev-info-min.js&os\u002Fmit\u002Ftd\u002Fdust-helpers-0.0.142\u002Floader-dust-helpers\u002Floader-dust-helpers-min.js"];
+root.YUI_config.lang = "en-US";
+}(this));
+</script>
+<script>YMedia = YUI({"combine":true,"filter":"min","maxURLLength":2000});</script><script>if (YMedia.config.patches && YMedia.config.patches.length) {for (var i = 0; i < YMedia.config.patches.length; i += 1) {YMedia.config.patches[i](YMedia, YMedia.Env._loader);}}</script>
+<script>YMedia.applyConfig({"groups":{"td-applet-mw-quote-search":{"base":"https://s1.yimg.com/os/mit/td/td-applet-mw-quote-search-1.2.63/","root":"os/mit/td/td-applet-mw-quote-search-1.2.63/","combine":true,"filter":"min","comboBase":"https://s.yimg.com/zz/combo?","comboSep":"&"}}});</script><script>window.Af=window.Af||{};window.Af.bootstrap=window.Af.bootstrap||{};window.Af.bootstrap["4305521169179279"] = {"applet_type":"td-applet-mw-quote-search","views":{"main":{"yui_module":"td-applet-quotesearch-desktopview","yui_class":"TD.Applet.QuotesearchDesktopView","config":{"type":"lookup"}}},"templates":{"main":{"yui_module":"td-applet-mw-quote-search-templates-main","template_name":"td-applet-mw-quote-search-templates-main"},"lookup":{"yui_module":"td-applet-mw-quote-search-templates-lookup","template_name":"td-applet-mw-quote-search-templates-lookup"}},"i18n":{"TITLE":"quotesearch"},"transport":{"xhr":"/_td_charts_api"},"context":{"bucket":"","crumb":"RaKZ96VJ.kK","device":"desktop","lang":"en-US","region":"US","site":"finance"}};</script>
+<script>YMedia.applyConfig({"groups":{"td-applet-mw-quote-search":{"base":"https://s1.yimg.com/os/mit/td/td-applet-mw-quote-search-1.2.63/","root":"os/mit/td/td-applet-mw-quote-search-1.2.63/","combine":true,"filter":"min","comboBase":"https://s.yimg.com/zz/combo?","comboSep":"&"}}});</script><script>window.Af=window.Af||{};window.Af.bootstrap=window.Af.bootstrap||{};window.Af.bootstrap["4305521170092653"] = {"applet_type":"td-applet-mw-quote-search","views":{"main":{"yui_module":"td-applet-quotesearch-desktopview","yui_class":"TD.Applet.QuotesearchDesktopView","config":{"type":"options"}}},"templates":{"main":{"yui_module":"td-applet-mw-quote-search-templates-main","template_name":"td-applet-mw-quote-search-templates-main"},"lookup":{"yui_module":"td-applet-mw-quote-search-templates-lookup","template_name":"td-applet-mw-quote-search-templates-lookup"}},"i18n":{"TITLE":"quotesearch"},"transport":{"xhr":"/_td_charts_api"},"context":{"bucket":"","crumb":"RaKZ96VJ.kK","device":"desktop","lang":"en-US","region":"US","site":"finance"}};</script>
+<script>YMedia.applyConfig({"groups":{"td-applet-options-table":{"base":"https://s1.yimg.com/os/mit/td/td-applet-options-table-0.1.191/","root":"os/mit/td/td-applet-options-table-0.1.191/","combine":true,"filter":"min","comboBase":"https://s.yimg.com/zz/combo?","comboSep":"&"}}});</script><script>window.Af=window.Af||{};window.Af.bootstrap=window.Af.bootstrap||{};window.Af.bootstrap["4305521169702139"] = {"applet_type":"td-applet-options-table","models":{"options-table":{"yui_module":"td-options-table-model","yui_class":"TD.Options-table.Model"},"applet_model":{"models":["options-table"],"data":{"optionData":{"underlyingSymbol":"SPWR","expirationDates":["2015-03-27T00:00:00.000Z","2015-04-02T00:00:00.000Z","2015-04-10T00:00:00.000Z","2015-04-17T00:00:00.000Z","2015-04-24T00:00:00.000Z","2015-05-01T00:00:00.000Z","2015-06-19T00:00:00.000Z","2015-09-18T00:00:00.000Z","2016-01-15T00:00:00.000Z","2017-01-20T00:00:00.000Z"],"strikes":[30.5,35,42],"hasMiniOptions":false,"quote":{"preMarketChange":0,"preMarketChangePercent":0,"preMarketTime":1427113398,"preMarketPrice":32.87,"preMarketSource":"DELAYED","postMarketChange":0.049999237,"postMarketChangePercent":0.15128362,"postMarketTime":1427240864,"postMarketPrice":33.1,"postMarketSource":"DELAYED","regularMarketChange":0.069999695,"regularMarketChangePercent":0.21224892,"regularMarketTime":1427227200,"regularMarketPrice":33.05,"regularMarketDayHigh":33.76,"regularMarketDayLow":32.8,"regularMarketVolume":1611401,"regularMarketPreviousClose":32.98,"regularMarketOpen":32.91,"bid":39.21,"ask":39.31,"bidSize":1,"askSize":1,"averageDailyVolume3Month":2325996,"averageDailyVolume10Day":1402050,"fiftyTwoWeekLow":22.75,"fiftyTwoWeekHigh":42.07,"regularMarketSource":"DELAYED","exchange":"NMS","quoteType":"EQUITY","symbol":"SPWR","shortName":"SunPower Corporation","longName":"SunPower Corporation","currency":"USD","epsTrailingTwelveMonths":1.552,"epsForward":1.79,"sharesOutstanding":131480377,"marketCap":4345426400,"marketState":"POST"},"options":{"calls":[{"contractSymbol":"SPWR150501C00030500","currency":"USD","volume":10,"openInterest":20,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250638,"inTheMoney":true,"percentChangeRaw":-13.725491,"impliedVolatilityRaw":0.5507857421875001,"impliedVolatility":"55.08","strike":"30.50","lastPrice":"3.57","change":"-0.49","percentChange":"-13.73","bid":"3.30","ask":"4.20"},{"contractSymbol":"SPWR150501C00035000","currency":"USD","volume":107,"openInterest":119,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250639,"inTheMoney":false,"percentChangeRaw":0,"impliedVolatilityRaw":0.5219774365234374,"impliedVolatility":"52.20","strike":"35.00","lastPrice":"1.10","change":"0.00","percentChange":"0.00","bid":"1.06","ask":"1.44"},{"contractSymbol":"SPWR150501C00042000","currency":"USD","volume":20,"openInterest":10,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250639,"inTheMoney":false,"percentChangeRaw":0,"impliedVolatilityRaw":0.5400436621093752,"impliedVolatility":"54.00","strike":"42.00","lastPrice":"0.41","change":"0.00","percentChange":"0.00","bid":"0.00","ask":"0.50"}],"puts":[]},"_options":[{"expirationDate":1430438400,"hasMiniOptions":false,"calls":[{"contractSymbol":"SPWR150501C00030500","currency":"USD","volume":10,"openInterest":20,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250638,"inTheMoney":true,"percentChangeRaw":-13.725491,"impliedVolatilityRaw":0.5507857421875001,"impliedVolatility":"55.08","strike":"30.50","lastPrice":"3.57","change":"-0.49","percentChange":"-13.73","bid":"3.30","ask":"4.20"},{"contractSymbol":"SPWR150501C00035000","currency":"USD","volume":107,"openInterest":119,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250639,"inTheMoney":false,"percentChangeRaw":0,"impliedVolatilityRaw":0.5219774365234374,"impliedVolatility":"52.20","strike":"35.00","lastPrice":"1.10","change":"0.00","percentChange":"0.00","bid":"1.06","ask":"1.44"},{"contractSymbol":"SPWR150501C00042000","currency":"USD","volume":20,"openInterest":10,"contractSize":"REGULAR","expiration":1430438400,"lastTradeDate":1427250639,"inTheMoney":false,"percentChangeRaw":0,"impliedVolatilityRaw":0.5400436621093752,"impliedVolatility":"54.00","strike":"42.00","lastPrice":"0.41","change":"0.00","percentChange":"0.00","bid":"0.00","ask":"0.50"}],"puts":[]}],"epochs":[1427414400,1427932800,1428624000,1429228800,1429833600,1430438400,1434672000,1442534400,1452816000,1484870400]},"columns":{"list_table_columns":[{"column":{"name":"Strike","header_cell_class":"column-strike Pstart-38 low-high","body_cell_class":"Pstart-10","template":"table/columns/strike","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"strike","filter":true}},{"column":{"name":"Contract Name","header_cell_class":"column-contractName Pstart-10","body_cell_class":"w-100","template":"table/columns/contract_name","sortable":false,"align":null,"sort_order":null,"column_id":"","sort_name":"symbol"}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"lastPrice"}},{"column":{"name":"Bid","header_cell_class":"column-bid Pstart-10","body_cell_class":"w-100","template":"table/columns/bid","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"bid"}},{"column":{"name":"Ask","header_cell_class":"column-ask Pstart-10","body_cell_class":"w-100","template":"table/columns/ask","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"ask"}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-14","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"change"}},{"column":{"name":"%Change","header_cell_class":"column-percentChange Pstart-16","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-14","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-14","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"openInterest"}},{"column":{"name":"Implied Volatility","header_cell_class":"column-impliedVolatility Pstart-10","body_cell_class":"w-100","template":"table/columns/implied_volatility","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"impliedVolatility"}}],"straddle_table_columns":[{"column":{"name":"Expand All","header_cell_class":"column-expand-all Pstart-38","body_cell_class":"Pstart-10","template":"table/columns/strike","sortable":false,"align":null,"sort_order":null,"column_id":"","sort_name":"expand","filter":false}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.lastPrice","filter":false}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-10","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.change"}},{"column":{"name":"%Change","header_cell_class":"column-pctchange","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-10","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-10","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.openInterest"}},{"column":{"name":"Strike","header_cell_class":"column-strike","body_cell_class":"Pstart-10","template":"table/columns/strike","sortable":false,"align":null,"sort_order":null,"column_id":"","sort_name":"strike","filter":true}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.lastPrice","filter":false}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-10","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.change"}},{"column":{"name":"%Change","header_cell_class":"column-pctchange","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-10","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-10","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.openInterest"}}],"single_strike_filter_list_table_columns":[{"column":{"name":"Expires","header_cell_class":"column-expires Pstart-38 low-high","body_cell_class":"Pstart-10","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"expiration","filter":false}},{"column":{"name":"Contract Name","header_cell_class":"column-contractName Pstart-10","body_cell_class":"w-100","template":"table/columns/contract_name","sortable":false,"align":null,"sort_order":null,"column_id":"","sort_name":"symbol"}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"lastPrice"}},{"column":{"name":"Bid","header_cell_class":"column-bid Pstart-10","body_cell_class":"w-100","template":"table/columns/bid","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"bid"}},{"column":{"name":"Ask","header_cell_class":"column-ask Pstart-10","body_cell_class":"w-100","template":"table/columns/ask","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"ask"}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-14","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"change"}},{"column":{"name":"%Change","header_cell_class":"column-percentChange Pstart-16","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-14","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-14","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"openInterest"}},{"column":{"name":"Implied Volatility","header_cell_class":"column-impliedVolatility Pstart-10","body_cell_class":"w-100","template":"table/columns/implied_volatility","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"impliedVolatility"}}],"single_strike_filter_straddle_table_columns":[{"column":{"name":"Expand All","header_cell_class":"column-expand-all Pstart-38","body_cell_class":"Pstart-10","template":"table/columns/strike","sortable":false,"align":null,"sort_order":null,"column_id":"","sort_name":"expand","filter":false}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.lastPrice","filter":false}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-10","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.change"}},{"column":{"name":"%Change","header_cell_class":"column-pctchange","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-10","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-10","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"call.openInterest"}},{"column":{"name":"Expires","header_cell_class":"column-expires","body_cell_class":"Pstart-10","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"expiration"}},{"column":{"name":"Last","header_cell_class":"column-last Pstart-10","body_cell_class":"w-100","template":"table/columns/last","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.lastPrice","filter":false}},{"column":{"name":"Change","header_cell_class":"column-change Pstart-10","body_cell_class":"w-100","template":"table/columns/change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.change"}},{"column":{"name":"%Change","header_cell_class":"column-pctchange","body_cell_class":"w-100","template":"table/columns/pct_change","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.percentChange"}},{"column":{"name":"Volume","header_cell_class":"column-volume Pstart-10","body_cell_class":"w-100","template":"table/columns/volume","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.volume"}},{"column":{"name":"Open Interest","header_cell_class":"column-openInterest Pstart-10","body_cell_class":"w-100","template":"table/columns/open_interest","sortable":true,"align":null,"sort_order":null,"column_id":"","sort_name":"put.openInterest"}}]},"params":{"date":"1430438400","size":false,"straddle":false,"ticker":"SPWR","singleStrikeFilter":false,"dateObj":"2015-05-01T00:00:00.000Z"}}}},"views":{"main":{"yui_module":"td-options-table-mainview","yui_class":"TD.Options-table.MainView"}},"templates":{"main":{"yui_module":"td-applet-options-table-templates-main","template_name":"td-applet-options-table-templates-main"},"error":{"yui_module":"td-applet-options-table-templates-error","template_name":"td-applet-options-table-templates-error"}},"i18n":{"TITLE":"options-table"},"transport":{"xhr":"/_td_charts_api"},"context":{"bucket":"","crumb":"RaKZ96VJ.kK","device":"desktop","lang":"en-US","region":"US","site":"finance"}};</script>
+<script>YMedia.applyConfig({"groups":{"td-applet-mw-quote-details":{"base":"https://s.yimg.com/os/mit/td/td-applet-mw-quote-details-2.3.157/","root":"os/mit/td/td-applet-mw-quote-details-2.3.157/","combine":true,"filter":"min","comboBase":"https://s.yimg.com/zz/combo?","comboSep":"&"}}});</script><script>window.Af=window.Af||{};window.Af.bootstrap=window.Af.bootstrap||{};window.Af.bootstrap["4305521170488091"] = {"applet_type":"td-applet-mw-quote-details","models":{"mwquotedetails":{"yui_module":"td-applet-mw-quote-details-model","yui_class":"TD.Applet.MWQuoteDetailsModel","data":{"quoteDetails":{"quotes":[{"name":"SunPower Corporation","symbol":"SPWR","details_url":"http://finance.yahoo.com/q?s=SPWR","exchange":{"symbol":"NASDAQ","id":"NMS","status":"REGULAR_MARKET"},"type":"equity","price":{"fmt":"33.05","raw":"33.049999"},"volume":{"fmt":"1.6m","raw":"1614011","longFmt":"1,614,011"},"avg_daily_volume":{"fmt":"2.4m","raw":"2360670","longFmt":"2,360,670"},"avg_3m_volume":{"fmt":"2.4m","raw":"2360670","longFmt":"2,360,670"},"timestamp":"1427227200","time":"4:00PM EDT","trend":"up","price_change":{"fmt":"+0.07","raw":"0.070000"},"price_pct_change":{"fmt":"0.21%","raw":"0.212249"},"day_high":{"fmt":"33.76","raw":"33.759998"},"day_low":{"fmt":"32.80","raw":"32.799999"},"fiftytwo_week_high":{"fmt":"42.07","raw":"42.070000"},"fiftytwo_week_low":{"fmt":"22.75","raw":"22.750000"},"open":{"data_source":"1","fmt":"32.91","raw":"32.910000"},"pe_ratio":{"fmt":"21.30","raw":"21.295101"},"prev_close":{"data_source":"1","fmt":"32.98","raw":"32.980000"},"beta_coefficient":{"fmt":"2.92","raw":"2.920000"},"market_cap":{"data_source":"1","currency":"USD","fmt":"4.35B","raw":"4345414144.000000"},"eps":{"fmt":"1.55","raw":"1.552000"},"one_year_target":{"fmt":"41.08","raw":"41.080000"},"after_hours":{"percent_change":"0.15%","change":{"data_source":"1","raw":"0.049999","fmt":"+0.05"},"isUp":true,"time":{"data_source":"1","raw":"2015-03-24T23:47:44Z","fmt":"7:47PM EDT"},"price":{"data_source":"1","raw":"33.099998","fmt":"33.10"}}}]},"symbol":"spwr","login":"https://login.yahoo.com/config/login_verify2?.src=finance&.done=http%3A%2F%2Ffinance.yahoo.com%2Fecharts%3Fs%3Dspwr","hamNavQueEnabled":false,"crumb":"RaKZ96VJ.kK"}},"applet_model":{"models":["mwquotedetails"],"data":{}}},"views":{"main":{"yui_module":"td-applet-quote-details-desktopview","yui_class":"TD.Applet.QuoteDetailsDesktopView"}},"templates":{"main":{"yui_module":"td-applet-mw-quote-details-templates-main","template_name":"td-applet-mw-quote-details-templates-main"}},"i18n":{"HAM_NAV_MODAL_MSG":"has been added to your list. Go to My Portfolio for more!","FOLLOW":"Follow","FOLLOWING":"Following","WATCHLIST":"Watchlist","IN_WATCHLIST":"In Watchlist","TO_FOLLOW":" to Follow","TO_WATCHLIST":" to Add to Watchlist"},"transport":{"xhr":"/_td_charts_api"},"context":{"bucket":"","crumb":"RaKZ96VJ.kK","device":"desktop","lang":"en-US","region":"US","site":"finance"}};</script>
+
+
+ <script>if (!window.YMedia) { var YMedia = YUI(); YMedia.includes = []; }</script><div id="yom-ad-SDARLA-iframe"><script type='text/javascript' src='https://s.yimg.com/rq/darla/2-8-7/js/g-r-min.js'></script><script type="text/x-safeframe" id="fc" _ver="2-8-7">{ "positions": [ { "html": "<!-- SpaceID=28951412 loc=FB2 noad --><!-- fac-gd2-noad --><!-- gd2-status-2 --><!--QYZ CMS_NONE_AVAIL,,98.139.115.80;;FB2;28951412;2;-->", "id": "FB2-1", "meta": { "y": { "cscHTML": "<scr"+"ipt language=javascr"+"ipt>\nif(window.xzq_d==null)window.xzq_d=new Object();\nwindow.xzq_d['WP.0v2KLc6Q-']='(as$125cialb8,aid$WP.0v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)';\n</scr"+"ipt><noscr"+"ipt><img width=1 height=1 alt=\"\" src=\"https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$125cialb8,aid$WP.0v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)\"></noscr"+"ipt>", "cscURI": "https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$125cialb8,aid$WP.0v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)", "impID": "", "supp_ugc": "0", "placementID": "-1", "creativeID": "-1", "serveTime": "1.4272516740806E+15", "behavior": "non_exp", "adID": "#2", "matchID": "#2", "err": "invalid_space", "hasExternal": 0, "size": "", "bookID": "CMS_NONE_AVAIL", "serveType": "-1", "slotID": "0", "fdb": "{ \"fdb_url\": \"http:\\/\\/gd1457.adx.gq1.yahoo.com\\/af?bv=1.0.0&bs=(15ir45r6b(gid$jmTVQDk4LjHHbFsHU5jMkgKkMTAuNwAAAACljpkK,st$1402537233026922,srv$1,si$13303551,adv$25941429036,ct$25,li$3239250051,exp$1402544433026922,cr$4154984551,pbid$25372728133,v$1.0))&al=(type${type},cmnt${cmnt},subo${subo})&r=10\", \"fdb_on\": \"1\", \"fdb_exp\": \"1402544433026\", \"fdb_intl\": \"en-us\" , \"d\" : \"1\" }", "slotData": "{\"pt\":\"672938972\",\"bamt\":\"10000000000.000000\",\"namt\":\"0.000000\",\"is_ad_feedback\":\"false\",\"isCompAds\":\"false\",\"pvid\":\"969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY\"}", "adc": "{\"label\":\"AdChoices\",\"url\":\"https:\\/\\/info.yahoo.com\\/privacy\\/us\\/yahoo\\/relevantads.html\",\"close\":\"Close\"}", "is3rd": "0" } } },{ "html": "<!-- SpaceID=28951412 loc=FB2 noad --><!-- fac-gd2-noad --><!-- gd2-status-2 --><!--QYZ CMS_NONE_AVAIL,,98.139.115.80;;FB2;28951412;2;-->", "id": "FB2-2", "meta": { "y": { "cscHTML": "<scr"+"ipt language=javascr"+"ipt>\nif(window.xzq_d==null)window.xzq_d=new Object();\nwindow.xzq_d['gAq1v2KLc6Q-']='(as$12536rf1u,aid$gAq1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)';\n</scr"+"ipt><noscr"+"ipt><img width=1 height=1 alt=\"\" src=\"https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$12536rf1u,aid$gAq1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)\"></noscr"+"ipt>", "cscURI": "https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$12536rf1u,aid$gAq1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)", "impID": "", "supp_ugc": "0", "placementID": "-1", "creativeID": "-1", "serveTime": "1.4272516740806E+15", "behavior": "non_exp", "adID": "#2", "matchID": "#2", "err": "invalid_space", "hasExternal": 0, "size": "", "bookID": "CMS_NONE_AVAIL", "serveType": "-1", "slotID": "1", "fdb": "{ \"fdb_url\": \"http:\\/\\/gd1457.adx.gq1.yahoo.com\\/af?bv=1.0.0&bs=(15ir45r6b(gid$jmTVQDk4LjHHbFsHU5jMkgKkMTAuNwAAAACljpkK,st$1402537233026922,srv$1,si$13303551,adv$25941429036,ct$25,li$3239250051,exp$1402544433026922,cr$4154984551,pbid$25372728133,v$1.0))&al=(type${type},cmnt${cmnt},subo${subo})&r=10\", \"fdb_on\": \"1\", \"fdb_exp\": \"1402544433026\", \"fdb_intl\": \"en-us\" , \"d\" : \"1\" }", "slotData": "{\"pt\":\"672938972\",\"bamt\":\"10000000000.000000\",\"namt\":\"0.000000\",\"is_ad_feedback\":\"false\",\"isCompAds\":\"false\",\"pvid\":\"969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY\"}", "adc": "{\"label\":\"AdChoices\",\"url\":\"https:\\/\\/info.yahoo.com\\/privacy\\/us\\/yahoo\\/relevantads.html\",\"close\":\"Close\"}", "is3rd": "0" } } },{ "html": "<!-- SpaceID=28951412 loc=FB2 noad --><!-- fac-gd2-noad --><!-- gd2-status-2 --><!--QYZ CMS_NONE_AVAIL,,98.139.115.80;;FB2;28951412;2;-->", "id": "FB2-3", "meta": { "y": { "cscHTML": "<scr"+"ipt language=javascr"+"ipt>\nif(window.xzq_d==null)window.xzq_d=new Object();\nwindow.xzq_d['qBW1v2KLc6Q-']='(as$12525obku,aid$qBW1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)';\n</scr"+"ipt><noscr"+"ipt><img width=1 height=1 alt=\"\" src=\"https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$12525obku,aid$qBW1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)\"></noscr"+"ipt>", "cscURI": "https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$12525obku,aid$qBW1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)", "impID": "", "supp_ugc": "0", "placementID": "-1", "creativeID": "-1", "serveTime": "1.4272516740806E+15", "behavior": "non_exp", "adID": "#2", "matchID": "#2", "err": "invalid_space", "hasExternal": 0, "size": "", "bookID": "CMS_NONE_AVAIL", "serveType": "-1", "slotID": "2", "fdb": "{ \"fdb_url\": \"http:\\/\\/gd1457.adx.gq1.yahoo.com\\/af?bv=1.0.0&bs=(15ir45r6b(gid$jmTVQDk4LjHHbFsHU5jMkgKkMTAuNwAAAACljpkK,st$1402537233026922,srv$1,si$13303551,adv$25941429036,ct$25,li$3239250051,exp$1402544433026922,cr$4154984551,pbid$25372728133,v$1.0))&al=(type${type},cmnt${cmnt},subo${subo})&r=10\", \"fdb_on\": \"1\", \"fdb_exp\": \"1402544433026\", \"fdb_intl\": \"en-us\" , \"d\" : \"1\" }", "slotData": "{\"pt\":\"672938972\",\"bamt\":\"10000000000.000000\",\"namt\":\"0.000000\",\"is_ad_feedback\":\"false\",\"isCompAds\":\"false\",\"pvid\":\"969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY\"}", "adc": "{\"label\":\"AdChoices\",\"url\":\"https:\\/\\/info.yahoo.com\\/privacy\\/us\\/yahoo\\/relevantads.html\",\"close\":\"Close\"}", "is3rd": "0" } } },{ "html": "<!-- SpaceID=28951412 loc=FB2 noad --><!-- fac-gd2-noad --><!-- gd2-status-2 --><!--QYZ CMS_NONE_AVAIL,,98.139.115.80;;FB2;28951412;2;-->", "id": "FB2-4", "meta": { "y": { "cscHTML": "<scr"+"ipt language=javascr"+"ipt>\nif(window.xzq_d==null)window.xzq_d=new Object();\nwindow.xzq_d['0CC1v2KLc6Q-']='(as$125kcp4l2,aid$0CC1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)';\n</scr"+"ipt><noscr"+"ipt><img width=1 height=1 alt=\"\" src=\"https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$125kcp4l2,aid$0CC1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)\"></noscr"+"ipt>", "cscURI": "https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$125kcp4l2,aid$0CC1v2KLc6Q-,cr$-1,ct$25,at$H,eob$gd1_match_id=-1:ypos=FB2)", "impID": "", "supp_ugc": "0", "placementID": "-1", "creativeID": "-1", "serveTime": "1.4272516740806E+15", "behavior": "non_exp", "adID": "#2", "matchID": "#2", "err": "invalid_space", "hasExternal": 0, "size": "", "bookID": "CMS_NONE_AVAIL", "serveType": "-1", "slotID": "3", "fdb": "{ \"fdb_url\": \"http:\\/\\/gd1457.adx.gq1.yahoo.com\\/af?bv=1.0.0&bs=(15ir45r6b(gid$jmTVQDk4LjHHbFsHU5jMkgKkMTAuNwAAAACljpkK,st$1402537233026922,srv$1,si$13303551,adv$25941429036,ct$25,li$3239250051,exp$1402544433026922,cr$4154984551,pbid$25372728133,v$1.0))&al=(type${type},cmnt${cmnt},subo${subo})&r=10\", \"fdb_on\": \"1\", \"fdb_exp\": \"1402544433026\", \"fdb_intl\": \"en-us\" , \"d\" : \"1\" }", "slotData": "{\"pt\":\"672938972\",\"bamt\":\"10000000000.000000\",\"namt\":\"0.000000\",\"is_ad_feedback\":\"false\",\"isCompAds\":\"false\",\"pvid\":\"969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY\"}", "adc": "{\"label\":\"AdChoices\",\"url\":\"https:\\/\\/info.yahoo.com\\/privacy\\/us\\/yahoo\\/relevantads.html\",\"close\":\"Close\"}", "is3rd": "0" } } },{ "html": "<!-- APT Vendor: Right Media, Format: Standard Graphical -->\n<SCR"+"IPT TYPE=\"text/javascr"+"ipt\" SRC=\"https://ads.yahoo.com/st?ad_type=ad&publisher_blob=${RS}|969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY|28951412|SKY|1427251674.118915|2-8-7|ysd|1&cnt=yan&ad_size=160x600&site=140440§ion_code=3298733051&cb=1427251674.118915&yud=smpv%3d3%26ed%3dzAomdC25_0v58WhS9XOuKMdqiupb5raETJKzYQ--&K=1&pub_redirect_unencoded=1&pub_url=http://finance.yahoo.com/q/op&pub_redirect=https://beap-bc.yahoo.com/yc/YnY9MS4wLjAmYnM9KDE3ZnY1aXBscihnaWQkOTY5c0ZUSXdOaTZtMUZtelZSSUxZQUNOTVRBNExsVVNJZHJfbmJlWSxzdCQxNDI3MjUxNjc0MDgwNTg5LHNpJDQ0NTEwNTEsc3AkMjg5NTE0MTIsY3IkNDI2NTMxMDA1MSx2JDIuMCxhaWQkSURlMXYyS0xjNlEtLGN0JDI1LHlieCRBSEE5RGN1Mmd4bkZ2TzczcWZXVmhBLGJpJDIxNjUyNDEwNTEsbW1lJDkxMzk1ODUzOTg2Mzg3MDM0NTAsbG5nJGVuLXVzLHIkMCx5b28kMSxhZ3AkMzI5ODczMzA1MSxhcCRTS1kpKQ/2/*\"></SCR"+"IPT><scr"+"ipt>var url = \"\"; if(url && url.search(\"http\") != -1){new Image().src = url;}</scr"+"ipt><!--QYZ 2165241051,4265310051,98.139.115.80;;SKY;28951412;1;-->", "id": "SKY", "meta": { "y": { "cscHTML": "<scr"+"ipt language=javascr"+"ipt>\nif(window.xzq_d==null)window.xzq_d=new Object();\nwindow.xzq_d['IDe1v2KLc6Q-']='(as$13a4ivhc2,aid$IDe1v2KLc6Q-,bi$2165241051,agp$3298733051,cr$4265310051,ct$25,at$H,eob$gd1_match_id=-1:ypos=SKY)';\n</scr"+"ipt><noscr"+"ipt><img width=1 height=1 alt=\"\" src=\"https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$13a4ivhc2,aid$IDe1v2KLc6Q-,bi$2165241051,agp$3298733051,cr$4265310051,ct$25,at$H,eob$gd1_match_id=-1:ypos=SKY)\"></noscr"+"ipt>", "cscURI": "https://csc.beap.bc.yahoo.com/yi?bv=1.0.0&bs=(134jqr6p5(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,si$4451051,sp$28951412,pv$0,v$2.0))&t=J_3-D_3&al=(as$13a4ivhc2,aid$IDe1v2KLc6Q-,bi$2165241051,agp$3298733051,cr$4265310051,ct$25,at$H,eob$gd1_match_id=-1:ypos=SKY)", "impID": "IDe1v2KLc6Q-", "supp_ugc": "0", "placementID": "3298733051", "creativeID": "4265310051", "serveTime": "1427251674080589", "behavior": "non_exp", "adID": "9139585398638703450", "matchID": "999999.999999.999999.999999", "err": "", "hasExternal": 0, "size": "160x600", "bookID": "2165241051", "serveType": "-1", "slotID": "5", "fdb": "{ \"fdb_url\": \"https:\\\/\\\/beap-bc.yahoo.com\\\/af\\\/us?bv=1.0.0&bs=(15h35eaj4(gid$969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY,st$1427251674080589,srv$1,si$4451051,adv$26513753608,ct$25,li$3293594551,exp$1427258874080589,cr$4265310051,pbid$20459933223,v$1.0))&al=(type${type},cmnt${cmnt},subo${subo})&r=10\", \"fdb_on\": \"1\", \"fdb_exp\": \"1427258874080\", \"fdb_intl\": \"en-US\" }", "slotData": "{\"pt\":\"8\",\"bamt\":\"10000000000.000000\",\"namt\":\"0.000000\",\"is_ad_feedback\":\"false\",\"isCompAds\":\"false\",\"adjf\":\"1.000000\",\"alpha\":\"-1.000000\",\"ffrac\":\"0.999356\",\"pcpm\":\"-1.000000\",\"fc\":\"false\",\"sdate\":\"1411704000\",\"edate\":\"1498881599\",\"bimpr\":399999991808.000000,\"pimpr\":0.000000,\"spltp\":0.000000,\"frp\":\"false\",\"pvid\":\"969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY\"}", "adc": "{\"label\":\"AdChoices\",\"url\":\"https:\\/\\/info.yahoo.com\\/privacy\\/us\\/yahoo\\/relevantads.html\",\"close\":\"Close\"}", "is3rd": "1" } } } ], "meta": { "y": { "pageEndHTML": "", "pos_list": [ "FB2-1","FB2-2","FB2-3","FB2-4","LOGO","SKY" ], "spaceID": "28951412", "host": "finance.yahoo.com", "lookupTime": "45", "k2_uri": "", "fac_rt": "38077", "serveTime":"1427251674080589", "pvid": "969sFTIwNi6m1FmzVRILYACNMTA4LlUSIdr_nbeY", "tID": "darla_prefetch_1427251674081_687567458_1", "npv": "1", "ep": "{\"site-attribute\":{},\"ult\":{\"ln\":{\"slk\":\"ads\"}},\"nopageview\":true,\"ref\":\"http:\\/\\/finance.yahoo.com\\/q\\/op\",\"secure\":true,\"filter\":\"no_expandable;exp_iframe_expandable;\",\"darlaID\":\"darla_instance_1427251674081_4984828_0\"}", "pe": "CWZ1bmN0aW9uIGRlcGZkKCkgeyAKCQppZih3aW5kb3cueHpxX2Q9PW51bGwpd2luZG93Lnh6cV9kPW5ldyBPYmplY3QoKTsKd2luZG93Lnh6cV9kWydXUC4wdjJLTGM2US0nXT0nKGFzJDEyNWNpYWxiOCxhaWQkV1AuMHYyS0xjNlEtLGNyJC0xLGN0JDI1LGF0JEgsZW9iJGdkMV9tYXRjaF9pZD0tMTp5cG9zPUZCMiknOwoKCQppZih3aW5kb3cueHpxX2Q9PW51bGwpd2luZG93Lnh6cV9kPW5ldyBPYmplY3QoKTsKd2luZG93Lnh6cV9kWydnQXExdjJLTGM2US0nXT0nKGFzJDEyNTM2cmYxdSxhaWQkZ0FxMXYyS0xjNlEtLGNyJC0xLGN0JDI1LGF0JEgsZW9iJGdkMV9tYXRjaF9pZD0tMTp5cG9zPUZCMiknOwoKCQppZih3aW5kb3cueHpxX2Q9PW51bGwpd2luZG93Lnh6cV9kPW5ldyBPYmplY3QoKTsKd2luZG93Lnh6cV9kWydxQlcxdjJLTGM2US0nXT0nKGFzJDEyNTI1b2JrdSxhaWQkcUJXMXYyS0xjNlEtLGNyJC0xLGN0JDI1LGF0JEgsZW9iJGdkMV9tYXRjaF9pZD0tMTp5cG9zPUZCMiknOwoKCQppZih3aW5kb3cueHpxX2Q9PW51bGwpd2luZG93Lnh6cV9kPW5ldyBPYmplY3QoKTsKd2luZG93Lnh6cV9kWycwQ0MxdjJLTGM2US0nXT0nKGFzJDEyNWtjcDRsMixhaWQkMENDMXYyS0xjNlEtLGNyJC0xLGN0JDI1LGF0JEgsZW9iJGdkMV9tYXRjaF9pZD0tMTp5cG9zPUZCMiknOwoKCQppZih3aW5kb3cueHpxX2Q9PW51bGwpd2luZG93Lnh6cV9kPW5ldyBPYmplY3QoKTsKd2luZG93Lnh6cV9kWycuQ3UxdjJLTGM2US0nXT0nKGFzJDEyNTAzdWUxNSxhaWQkLkN1MXYyS0xjNlEtLGNyJC0xLGN0JDI1LGF0JEgsZW9iJGdkMV9tYXRjaF9pZD0tMTp5cG9zPUxPR08pJzsKCgkKaWYod2luZG93Lnh6cV9kPT1udWxsKXdpbmRvdy54enFfZD1uZXcgT2JqZWN0KCk7CndpbmRvdy54enFfZFsnSURlMXYyS0xjNlEtJ109JyhhcyQxM2E0aXZoYzIsYWlkJElEZTF2MktMYzZRLSxiaSQyMTY1MjQxMDUxLGFncCQzMjk4NzMzMDUxLGNyJDQyNjUzMTAwNTEsY3QkMjUsYXQkSCxlb2IkZ2QxX21hdGNoX2lkPS0xOnlwb3M9U0tZKSc7CgkgfTsKZGVwZmQudHJhbnNJRCA9ICJkYXJsYV9wcmVmZXRjaF8xNDI3MjUxNjc0MDgxXzY4NzU2NzQ1OF8xIjsKCglmdW5jdGlvbiBkcGVyKCkgeyAKCQppZih3aW5kb3cueHpxX3N2cil4enFfc3ZyKCdodHRwczovL2NzYy5iZWFwLmJjLnlhaG9vLmNvbS8nKTsKaWYod2luZG93Lnh6cV9wKXh6cV9wKCd5aT9idj0xLjAuMCZicz0oMTM0anFyNnA1KGdpZCQ5NjlzRlRJd05pNm0xRm16VlJJTFlBQ05NVEE0TGxVU0lkcl9uYmVZLHN0JDE0MjcyNTE2NzQwODA1ODksc2kkNDQ1MTA1MSxzcCQyODk1MTQxMixwdiQwLHYkMi4wKSkmdD1KXzMtRF8zJyk7CmlmKHdpbmRvdy54enFfcyl4enFfcygpOwooZnVuY3Rpb24oYyl7dmFyIGQ9Imh0dHBzOi8vIixhPWMmJmMuSlNPTixlPSJ5cGNkYiIsZz1kb2N1bWVudCxiO2Z1bmN0aW9uIGoobixxLHAsbyl7dmFyIG0scjt0cnl7bT1uZXcgRGF0ZSgpO20uc2V0VGltZShtLmdldFRpbWUoKStvKjEwMDApO2cuY29va2llPVtuLCI9IixlbmNvZGVVUklDb21wb25lbnQocSksIjsgZG9tYWluPSIscCwiOyBwYXRoPS87IG1heC1hZ2U9IixvLCI7IGV4cGlyZXM9IixtLnRvVVRDU3RyaW5nKCldLmpvaW4oIiIpfWNhdGNoKHIpe319ZnVuY3Rpb24gayhtKXtyZXR1cm4gZnVuY3Rpb24oKXtpKG0pfX1mdW5jdGlvbiBpKG4pe3ZhciBtLG87dHJ5e209bmV3IEltYWdlKCk7bS5vbmVycm9yPW0ub25sb2FkPWZ1bmN0aW9uKCl7bS5vbmVycm9yPW0ub25sb2FkPW51bGw7bT1udWxsfTttLnNyYz1ufWNhdGNoKG8pe319ZnVuY3Rpb24gZihvKXt2YXIgcD0iIixuLHMscixxO2lmKG8pe3RyeXtuPW8ubWF0Y2goL15odHRwcz86XC9cLyhbXlwvXD9dKikoeWFob29cLmNvbXx5aW1nXC5jb218ZmxpY2tyXC5jb218eWFob29cLm5ldHxyaXZhbHNcLmNvbSkoOlxkKyk/KFtcL1w/XXwkKS8pO2lmKG4mJm5bMl0pe3A9blsyXX1uPShuJiZuWzFdKXx8bnVsbDtzPW4/bi5sZW5ndGgtMTotMTtyPW4mJnM+PTA/bltzXTpudWxsO2lmKHImJnIhPSIuIiYmciE9Ii8iKXtwPSIifX1jYXRjaChxKXtwPSIifX1yZXR1cm4gcH1mdW5jdGlvbiBsKEIsbixxLG0scCl7dmFyIHUscyx0LEEscixGLHosRSxDLHksbyxELHgsdj0xMDAwLHc9djt0cnl7Yj1sb2NhdGlvbn1jYXRjaCh6KXtiPW51bGx9dHJ5e2lmKGEpe0M9YS5wYXJzZShwKX1lbHNle3k9bmV3IEZ1bmN0aW9uKCJyZXR1cm4gIitwKTtDPXkoKX19Y2F0Y2goeil7Qz1udWxsfWlmKHkpe3k9bnVsbH10cnl7cz1iLmhvc3RuYW1lO3Q9Yi5wcm90b2NvbDtpZih0KXt0Kz0iLy8ifX1jYXRjaCh6KXtzPXQ9IiJ9aWYoIXMpe3RyeXtBPWcuVVJMfHxiLmhyZWZ8fCIiO3I9QS5tYXRjaCgvXigoaHR0cFtzXT8pXDpbXC9dKyk/KFteOlwvXHNdK3xbXDpcZGFiY2RlZlwuXSspL2kpO2lmKHImJnJbMV0mJnJbM10pe3Q9clsxXXx8IiI7cz1yWzNdfHwiIn19Y2F0Y2goeil7dD1zPSIifX1pZighc3x8IUN8fCF0fHwhcSl7cmV0dXJufUE9Zy5VUkx8fGIuaHJlZnx8IiI7RT1mKEEpO2lmKCFFfHxnLmNvb2tpZS5pbmRleE9mKCJ5cGNkYj0iK24pPi0xKXtyZXR1cm59aWYodD09PWQpe3E9bX11PTA7d2hpbGUoRj1xW3UrK10pe289Ri5sYXN0SW5kZXhPZigiPSIpO2lmKG8hPS0xKXtEPUYuc3Vic3RyKDErbyk7eD1DW0RdO2lmKHgpe3NldFRpbWVvdXQoayh0K0YreCksdyk7dys9dn19fXU9MDt3aGlsZShGPUJbdSsrXSl7c2V0VGltZW91dChrKHQrRiksdyk7dys9dn1zZXRUaW1lb3V0KGZ1bmN0aW9uKCl7aihlLG4sRSw4NjQwMCl9LHcpfWZ1bmN0aW9uIGgoKXtsKFtdLCdmYzE0MTQ0MzU1YWRiODMxNTUwYWFjYTE2NDNkN2FlMycsWydjc3luYy5mbGlja3IuY29tL2NzeW5jP3Zlcj0yLjEnLCdjc3luYy55YWhvb2FwaXMuY29tL2NzeW5jP3Zlcj0yLjEnXSxbJ2NzeW5jLmZsaWNrci5jb20vY3N5bmM/dmVyPTIuMScsJ2NzeW5jLnlhaG9vYXBpcy5jb20vY3N5bmM/dmVyPTIuMSddLCd7IjIuMSI6IiZpZD0yMzM1MSZ2YWx1ZT1ucXkyY3pxbnU0MmUwJTI2byUzZDMlMjZmJTNkdXAmb3B0b3V0PSZ0aW1lb3V0PTE0MjcyNTE2NzQmc2lnPTExZ3ZkcWgwbCJ9Jyl9aWYoYy5hZGRFdmVudExpc3RlbmVyKXtjLmFkZEV2ZW50TGlzdGVuZXIoImxvYWQiLGgsZmFsc2UpfWVsc2V7aWYoYy5hdHRhY2hFdmVudCl7Yy5hdHRhY2hFdmVudCgib25sb2FkIixoKX1lbHNle2Mub25sb2FkPWh9fX0pKHdpbmRvdyk7CgogfTsKZHBlci50cmFuc0lEID0iZGFybGFfcHJlZmV0Y2hfMTQyNzI1MTY3NDA4MV82ODc1Njc0NThfMSI7Cg==", "pym": "" } } } </script></div><div id="yom-ad-SDARLAEXTRA-iframe"><script type='text/javascript'>
+DARLA_CONFIG = {"useYAC":0,"servicePath":"https:\/\/finance.yahoo.com\/__darla\/php\/fc.php","xservicePath":"","beaconPath":"https:\/\/finance.yahoo.com\/__darla\/php\/b.php","renderPath":"","allowFiF":false,"srenderPath":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7\/html\/r-sf.html","renderFile":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7\/html\/r-sf.html","sfbrenderPath":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7\/html\/r-sf.html","msgPath":"https:\/\/finance.yahoo.com\/__darla\/2-8-7\/html\/msg.html","cscPath":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7\/html\/r-csc.html","root":"__darla","edgeRoot":"http:\/\/l.yimg.com\/rq\/darla\/2-8-7","sedgeRoot":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7","version":"2-8-7","tpbURI":"","hostFile":"https:\/\/s.yimg.com\/rq\/darla\/2-8-7\/js\/g-r-min.js","beaconsDisabled":true,"rotationTimingDisabled":true,"fdb_locale":"What don't you like about this ad?|It's offensive|Something else|Thank you for helping us improve your Yahoo experience|It's not relevant|It's distracting|I don't like this ad|Send|Done|Why do I see ads?|Learn more about your feedback.","positions":{"FB2-1":[],"FB2-2":[],"FB2-3":[],"FB2-4":[],"LOGO":[],"SKY":{"w":160,"h":600}}};
+DARLA_CONFIG.servicePath = DARLA_CONFIG.servicePath.replace(/\:8033/g, "");
+DARLA_CONFIG.msgPath = DARLA_CONFIG.msgPath.replace(/\:8033/g, "");
+DARLA_CONFIG.k2E2ERate = 2;
+DARLA_CONFIG.positions = {"FB2-4":{"w":"198","h":"60","dest":"yom-ad-FB2-4-iframe","fr":"expIfr_exp","pos":"FB2-4","id":"FB2-4","clean":"yom-ad-FB2-4","rmxp":0},"FB2-1":{"w":"198","h":"60","dest":"yom-ad-FB2-1-iframe","fr":"expIfr_exp","pos":"FB2-1","id":"FB2-1","clean":"yom-ad-FB2-1","rmxp":0},"FB2-2":{"w":"198","h":"60","dest":"yom-ad-FB2-2-iframe","fr":"expIfr_exp","pos":"FB2-2","id":"FB2-2","clean":"yom-ad-FB2-2","rmxp":0},"SKY":{"w":"160","h":"600","dest":"yom-ad-SKY-iframe","fr":"expIfr_exp","pos":"SKY","id":"SKY","clean":"yom-ad-SKY","rmxp":0},"FB2-3":{"w":"198","h":"60","dest":"yom-ad-FB2-3-iframe","fr":"expIfr_exp","pos":"FB2-3","id":"FB2-3","clean":"yom-ad-FB2-3","rmxp":0},"FB2-0":{"w":"120","h":"60","dest":"yom-ad-FB2-0-iframe","fr":"expIfr_exp","pos":"FB2-0","id":"FB2-0","clean":"yom-ad-FB2-0","rmxp":0},"WBTN-1":{"w":"120","h":"60","dest":"yom-ad-WBTN-1-iframe","fr":"expIfr_exp","pos":"WBTN-1","id":"WBTN-1","clean":"yom-ad-WBTN-1","rmxp":0},"WBTN":{"w":"120","h":"60","dest":"yom-ad-WBTN-iframe","fr":"expIfr_exp","pos":"WBTN","id":"WBTN","clean":"yom-ad-WBTN","rmxp":0},"LDRP":{"w":"320","h":"76","dest":"yom-ad-LDRP-iframe","fr":"expIfr_exp","pos":"LDRP","id":"LDRP","clean":"yom-ad-LDRP","rmxp":0,"metaSize":true,"supports":{"exp-ovr":1,"exp-push":1}},"LREC":{"w":"300","h":"265","dest":"yom-ad-LREC-iframe","fr":"expIfr_exp","pos":"LREC","id":"LREC","clean":"yom-ad-LREC","rmxp":0,"metaSize":true,"supports":{"exp-ovr":1,"lyr":1}},"LREC-1":{"w":"300","h":"265","dest":"yom-ad-LREC-iframe-lb","fr":"expIfr_exp","pos":"LREC","id":"LREC-1","clean":"yom-ad-LREC-lb","rmxp":0,"metaSize":true,"supports":{"exp-ovr":1,"lyr":1}}};DARLA_CONFIG.positions['DEFAULT'] = { meta: { title: document.title, url: document.URL || location.href, urlref: document.referrer }};
+DARLA_CONFIG.events = {"darla_td":{"lvl":"","sp":"28951412","npv":true,"bg":"","sa":[],"sa_orig":[],"filter":"no_expandable;exp_iframe_expandable;","mpid":"","mpnm":"","locale":"","ps":"LREC,FB2-1,FB2-2,FB2-3,FB2-4,LDRP,WBTN,WBTN-1,FB2-0,SKY","ml":"","mps":"","ssl":"1"}};YMedia.later(10, this, function() {YMedia.use("node-base", function(Y){
+
+ /* YUI Ads Darla begins... */
+ YUI.AdsDarla = (function (){
+
+ var NAME = 'AdsDarla',
+ LB_EVENT = 'lightbox',
+ AUTO_EVENT = 'AUTO',
+ LREC3_EVENT = 'lrec3Event',
+ MUTEX_ADS = {},
+ AD_PERF_COMP = [];
+
+ if (DARLA_CONFIG.positions && DARLA_CONFIG.positions['TL1']) {
+ var navlink = Y.one('ul.navlist li>a'),
+ linkcolor;
+ if (navlink) {
+ linkcolor = navlink.getStyle('color');
+ DARLA_CONFIG.positions['TL1'].css = ".ad-tl2b {overflow:hidden; text-align:left;} p {margin:0px;} .y-fp-pg-controls {margin-top:5px; margin-bottom:5px;} #tl1_slug { font-family:'Helvetica Neue',Helvetica,Arial,sans-serif; font-size:12px; color:" + linkcolor + ";} #fc_align a {font-family:'Helvetica Neue',Helvetica,Arial,sans-serif; font-size:11px; color:" + linkcolor + ";} a:link {text-decoration:none;} a:hover {color: " + linkcolor + ";}";
+ }
+ }
+
+ /* setting up DARLA events */
+ var w = window,
+ D = w.DARLA,
+ C = w.DARLA_CONFIG,
+ DM = w.DOC_DOMAIN_SET || 0;
+ if (D) {
+ if (D && C) {
+ C.dm = DM;
+ }
+
+
+ /* setting DARLA configuration */
+ DARLA.config(C);
+
+ /* prefetch Ads if applicable */
+ DARLA.prefetched("fc");
+
+ /* rendering prefetched Ad */
+
+ DARLA.render();
+
+
+ }
+
+ return {
+ event: function (eventId, spaceId, adsSa) {
+ if (window.DARLA && eventId) {
+ var eventConfig = {};
+ if (!isNaN(spaceId)) {
+ eventConfig.sp = spaceId;
+ }
+ /* Site attributes */
+ adsSa = (typeof adsSa !== "undefined" && adsSa !== null) ? adsSa : "";
+ eventConfig.sa = DARLA_CONFIG.events[eventId].sa_orig.replace ? DARLA_CONFIG.events[eventId].sa_orig.replace("ADSSA", adsSa) : "";
+ DARLA.event(eventId, eventConfig);
+ }
+ },
+ render: function() {
+ if (!!(Y.one('#yom-slideshow-lightbox') || Y.one('#content-lightbox') || false)) {
+ /* skip configuring DARLA in case of lightbox being triggered */
+ } else {
+ // abort current darla action
+ if (DARLA && DARLA.abort) {
+ DARLA.abort();
+ }
+
+ /* setting DARLA configuration */
+ DARLA.config(DARLA_CONFIG);
+
+ /* prefetch Ads if applicable */
+ DARLA.prefetched("fc");
+
+ /* rendering prefetched Ad */
+ DARLA.render();
+ }
+ }
+ };
+
+})(); /* End of YUI.AdsDarla */
+
+YUI.AdsDarla.darla_td = { fetch: (Y.bind(YUI.AdsDarla.event, YUI.AdsDarla, 'darla_td')) }; YUI.AdsDarla.fetch = YUI.AdsDarla.darla_td.fetch;
+ Y.Global.fire('darla:ready');
+}); /* End of YMedia */}); /* End of YMedia.later */var ___adLT___ = [];
+function onDarlaFinishPosRender(position) {
+ if (window.performance !== undefined && window.performance.now !== undefined) {
+ var ltime = window.performance.now();
+ ___adLT___.push(['AD_'+position, Math.round(ltime)]);
+ setTimeout(function () {
+ if (window.LH !== undefined && window.YAFT !== undefined && window.YAFT.isInitialized()) {
+ window.YAFT.triggerCustomTiming('yom-ad-'+position, '', ltime);
+ }
+ },1000);
+ }
+}
+
+if ((DARLA && DARLA.config) || DARLA_CONFIG) {
+ var oldConf = DARLA.config() || DARLA_CONFIG || null;
+ if (oldConf) {
+ if (oldConf.onFinishPosRender) {
+ (function() {
+ var oldVersion = oldConf.onFinishPosRender;
+ oldConf.onFinishPosRender = function(position) {
+ onDarlaFinishPosRender(position);
+ return oldVersion.apply(me, arguments);
+ };
+ })();
+ } else {
+ oldConf.onFinishPosRender = onDarlaFinishPosRender;
+ }
+ DARLA.config(oldConf);
+ }
+}
+
+</script></div><div><!-- SpaceID=28951412 loc=LOGO noad --><!-- fac-gd2-noad --><!-- gd2-status-2 --><!--QYZ CMS_NONE_AVAIL,,98.139.115.80;;LOGO;28951412;2;--></div><!-- END DARLA CONFIG -->
+
+ <script>window.YAHOO = window.YAHOO || {}; window.YAHOO.i13n = window.YAHOO.i13n || {}; if (!window.YMedia) { var YMedia = YUI(); YMedia.includes = []; }</script><script>YAHOO.i13n.YWA_CF_MAP = {"_p":20,"ad":58,"authfb":11,"bpos":24,"camp":54,"cat":25,"code":55,"cpos":21,"ct":23,"dcl":26,"dir":108,"domContentLoadedEventEnd":44,"elm":56,"elmt":57,"f":40,"ft":51,"grpt":109,"ilc":39,"itc":111,"loadEventEnd":45,"ltxt":17,"mpos":110,"mrkt":12,"pcp":67,"pct":48,"pd":46,"pkgt":22,"pos":20,"prov":114,"psp":72,"pst":68,"pstcat":47,"pt":13,"rescode":27,"responseEnd":43,"responseStart":41,"rspns":107,"sca":53,"sec":18,"site":42,"slk":19,"sort":28,"t1":121,"t2":122,"t3":123,"t4":124,"t5":125,"t6":126,"t7":127,"t8":128,"t9":129,"tar":113,"test":14,"v":52,"ver":49,"x":50};YAHOO.i13n.YWA_ACTION_MAP = {"click":12,"hvr":115,"rottn":128,"drag":105};YAHOO.i13n.YWA_OUTCOME_MAP = {};</script><script>YMedia.rapid = new YAHOO.i13n.Rapid({"spaceid":"28951412","client_only":1,"test_id":"","compr_type":"deflate","webworker_file":"/rapid-worker.js","text_link_len":8,"keys":{"version":"td app","site":"mobile-web-quotes"},"ywa":{"project_id":"1000911397279","document_group":"interactive-chart","host":"y.analytics.yahoo.com"},"tracked_mods":["yfi_investing_nav","chart-details"],"perf_navigationtime":0,"perf_resourcetime":0,"nofollow_class":[],"pageview_on_init":true});</script><!-- RAPID INIT -->
+
+ <script>
+ YMedia.use('main');
+ </script>
+
+ <!-- Universal Header -->
+ <script src="https://s.yimg.com/zz/combo?kx/yucs/uh3/uh/1078/js/uh-min.js&kx/yucs/uh3/uh/1078/js/gallery-jsonp-min.js&kx/yucs/uh3/uh/1134/js/menu_utils_v3-min.js&kx/yucs/uh3/uh/1078/js/localeDateFormat-min.js&kx/yucs/uh3/uh/1078/js/timestamp_library_v2-min.js&kx/yucs/uh3/uh/1104/js/logo_debug-min.js&kx/yucs/uh3/switch-theme/6/js/switch_theme-min.js&kx/yucs/uhc/meta/55/js/meta-min.js&kx/yucs/uh_common/beacon/18/js/beacon-min.js&kx/yucs/uh2/comet/84/js/cometd-yui3-min.js&kx/yucs/uh2/comet/84/js/conn-min.js&kx/yucs/uh2/comet/84/js/dark-test-min.js&kx/yucs/uh3/disclaimer/384/js/disclaimer_seed-min.js&kx/yucs/uh3/top-bar/321/js/top_bar_v3-min.js&kx/yucs/uh3/search/598/js/search-min.js&kx/yucs/uh3/search/611/js/search_plugin-min.js&kx/yucs/uh3/help/83/js/help_menu_v3-min.js&kx/yucs/uhc/rapid/41/js/uh_rapid-min.js&kx/yucs/uh3/get-the-app/148/js/inputMaskClient-min.js&kx/yucs/uh3/get-the-app/160/js/get_the_app-min.js&kx/yucs/uh3/location/10/js/uh_locdrop-min.js&"></script>
+
+ </body>
+
+</html>
+<!-- ad prefetch pagecsc setting -->
\ No newline at end of file
diff --git a/pandas/io/tests/test_data.py b/pandas/io/tests/test_data.py
index 937af834d348b..70a25a45c0ad4 100644
--- a/pandas/io/tests/test_data.py
+++ b/pandas/io/tests/test_data.py
@@ -101,6 +101,10 @@ def test_get_multi_invalid(self):
self.assertIn('INVALID', pan.minor_axis)
@network
+ def test_get_multi_all_invalid(self):
+ sl = ['INVALID', 'INVALID2', 'INVALID3']
+ self.assertRaises(RemoteDataError, web.get_data_google, sl, '2012')
+
def test_get_multi2(self):
with warnings.catch_warnings(record=True) as w:
for locale in self.locales:
@@ -297,6 +301,7 @@ def setUpClass(cls):
cls.dirpath = tm.get_data_path()
cls.html1 = os.path.join(cls.dirpath, 'yahoo_options1.html')
cls.html2 = os.path.join(cls.dirpath, 'yahoo_options2.html')
+ cls.html3 = os.path.join(cls.dirpath, 'yahoo_options3.html') #Empty table GH#22
cls.data1 = cls.aapl._option_frames_from_url(cls.html1)['puts']
@classmethod
@@ -428,6 +433,12 @@ def test_month_year(self):
self.assertTrue(len(data) > 1)
+ @network
+ def test_empty_table(self):
+ #GH22
+ empty = self.aapl._option_frames_from_url(self.html3)['puts']
+ self.assertTrue(len(empty) == 0)
+
class TestOptionsWarnings(tm.TestCase):
@classmethod
| Two bug fixes from pandas-datareader.
pydata/pandas-datareader#25
pydata/pandas-datareader#24
| https://api.github.com/repos/pandas-dev/pandas/pulls/9742 | 2015-03-28T03:30:41Z | 2015-03-29T17:10:43Z | 2015-03-29T17:10:43Z | 2015-04-07T09:05:49Z |
ENH: support CategoricalIndex (GH7629) | diff --git a/doc/source/advanced.rst b/doc/source/advanced.rst
index 1749409c863df..688935c6b104d 100644
--- a/doc/source/advanced.rst
+++ b/doc/source/advanced.rst
@@ -594,6 +594,95 @@ faster than fancy indexing.
timeit ser.ix[indexer]
timeit ser.take(indexer)
+.. _indexing.categoricalindex:
+
+CategoricalIndex
+----------------
+
+.. versionadded:: 0.16.1
+
+We introduce a ``CategoricalIndex``, a new type of index object that is useful for supporting
+indexing with duplicates. This is a container around a ``Categorical`` (introduced in v0.15.0)
+and allows efficient indexing and storage of an index with a large number of duplicated elements. Prior to 0.16.1,
+setting the index of a ``DataFrame/Series`` with a ``category`` dtype would convert this to regular object-based ``Index``.
+
+.. ipython:: python
+
+ df = DataFrame({'A' : np.arange(6),
+ 'B' : Series(list('aabbca')).astype('category',
+ categories=list('cab'))
+ })
+ df
+ df.dtypes
+ df.B.cat.categories
+
+Setting the index, will create create a ``CategoricalIndex``
+
+.. ipython:: python
+
+ df2 = df.set_index('B')
+ df2.index
+
+Indexing with ``__getitem__/.iloc/.loc/.ix`` works similarly to an ``Index`` with duplicates.
+The indexers MUST be in the category or the operation will raise.
+
+.. ipython:: python
+
+ df2.loc['a']
+
+These PRESERVE the ``CategoricalIndex``
+
+.. ipython:: python
+
+ df2.loc['a'].index
+
+Sorting will order by the order of the categories
+
+.. ipython:: python
+
+ df2.sort_index()
+
+Groupby operations on the index will preserve the index nature as well
+
+.. ipython:: python
+
+ df2.groupby(level=0).sum()
+ df2.groupby(level=0).sum().index
+
+Reindexing operations, will return a resulting index based on the type of the passed
+indexer, meaning that passing a list will return a plain-old-``Index``; indexing with
+a ``Categorical`` will return a ``CategoricalIndex``, indexed according to the categories
+of the PASSED ``Categorical`` dtype. This allows one to arbitrarly index these even with
+values NOT in the categories, similarly to how you can reindex ANY pandas index.
+
+.. ipython :: python
+
+ df2.reindex(['a','e'])
+ df2.reindex(['a','e']).index
+ df2.reindex(pd.Categorical(['a','e'],categories=list('abcde')))
+ df2.reindex(pd.Categorical(['a','e'],categories=list('abcde'))).index
+
+.. warning::
+
+ Reshaping and Comparision operations on a ``CategoricalIndex`` must have the same categories
+ or a ``TypeError`` will be raised.
+
+ .. code-block:: python
+
+ In [10]: df3 = DataFrame({'A' : np.arange(6),
+ 'B' : Series(list('aabbca')).astype('category',
+ categories=list('abc'))
+ }).set_index('B')
+
+ In [11]: df3.index
+ Out[11]:
+ CategoricalIndex([u'a', u'a', u'b', u'b', u'c', u'a'],
+ categories=[u'a', u'b', u'c'],
+ ordered=False)
+
+ In [12]: pd.concat([df2,df3]
+ TypeError: categories must match existing categories when appending
+
.. _indexing.float64index:
Float64Index
@@ -706,4 +795,3 @@ Of course if you need integer based selection, then use ``iloc``
.. ipython:: python
dfir.iloc[0:5]
-
diff --git a/doc/source/api.rst b/doc/source/api.rst
index af9f8c84388bd..b1540ff528605 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -1291,6 +1291,34 @@ Selecting
Index.slice_indexer
Index.slice_locs
+.. _api.categoricalindex:
+
+CategoricalIndex
+----------------
+
+.. autosummary::
+ :toctree: generated/
+
+ CategoricalIndex
+
+Categorical Components
+~~~~~~~~~~~~~~~~~~~~~~
+
+.. autosummary::
+ :toctree: generated/
+
+ CategoricalIndex.codes
+ CategoricalIndex.categories
+ CategoricalIndex.ordered
+ CategoricalIndex.rename_categories
+ CategoricalIndex.reorder_categories
+ CategoricalIndex.add_categories
+ CategoricalIndex.remove_categories
+ CategoricalIndex.remove_unused_categories
+ CategoricalIndex.set_categories
+ CategoricalIndex.as_ordered
+ CategoricalIndex.as_unordered
+
.. _api.datetimeindex:
DatetimeIndex
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index fcb5cd6a5ec30..cbd5ad3f49c18 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -7,6 +7,10 @@ This is a minor bug-fix release from 0.16.0 and includes a a large number of
bug fixes along several new features, enhancements, and performance improvements.
We recommend that all users upgrade to this version.
+Highlights include:
+
+- Support for a ``CategoricalIndex``, a category based index, see :ref:`here <whatsnew_0161`.enhancements.categoricalindex>`
+
.. contents:: What's new in v0.16.1
:local:
:backlinks: none
@@ -31,6 +35,7 @@ Enhancements
will return a `np.array` instead of a boolean `Index` (:issue:`8875`). This enables the following expression
to work naturally:
+
.. ipython:: python
idx = Index(['a1', 'a2', 'b1', 'b2'])
@@ -40,6 +45,7 @@ Enhancements
s[s.index.str.startswith('a')]
- ``DataFrame.mask()`` and ``Series.mask()`` now support same keywords as ``where`` (:issue:`8801`)
+
- ``drop`` function can now accept ``errors`` keyword to suppress ValueError raised when any of label does not exist in the target data. (:issue:`6736`)
.. ipython:: python
@@ -58,6 +64,75 @@ Enhancements
- ``DataFrame`` and ``Series`` now have ``_constructor_expanddim`` property as overridable constructor for one higher dimensionality data. This should be used only when it is really needed, see :ref:`here <ref-subclassing-pandas>`
+.. _whatsnew_0161.enhancements.categoricalindex:
+
+CategoricalIndex
+^^^^^^^^^^^^^^^^
+
+We introduce a ``CategoricalIndex``, a new type of index object that is useful for supporting
+indexing with duplicates. This is a container around a ``Categorical`` (introduced in v0.15.0)
+and allows efficient indexing and storage of an index with a large number of duplicated elements. Prior to 0.16.1,
+setting the index of a ``DataFrame/Series`` with a ``category`` dtype would convert this to regular object-based ``Index``.
+
+.. ipython :: python
+
+ df = DataFrame({'A' : np.arange(6),
+ 'B' : Series(list('aabbca')).astype('category',
+ categories=list('cab'))
+ })
+ df
+ df.dtypes
+ df.B.cat.categories
+
+setting the index, will create create a CategoricalIndex
+
+.. ipython :: python
+
+ df2 = df.set_index('B')
+ df2.index
+
+indexing with ``__getitem__/.iloc/.loc/.ix`` works similarly to an Index with duplicates.
+The indexers MUST be in the category or the operation will raise.
+
+.. ipython :: python
+
+ df2.loc['a']
+
+and preserves the ``CategoricalIndex``
+
+.. ipython :: python
+
+ df2.loc['a'].index
+
+sorting will order by the order of the categories
+
+.. ipython :: python
+
+ df2.sort_index()
+
+groupby operations on the index will preserve the index nature as well
+
+.. ipython :: python
+
+ df2.groupby(level=0).sum()
+ df2.groupby(level=0).sum().index
+
+reindexing operations, will return a resulting index based on the type of the passed
+indexer, meaning that passing a list will return a plain-old-``Index``; indexing with
+a ``Categorical`` will return a ``CategoricalIndex``, indexed according to the categories
+of the PASSED ``Categorical`` dtype. This allows one to arbitrarly index these even with
+values NOT in the categories, similarly to how you can reindex ANY pandas index.
+
+.. ipython :: python
+
+ df2.reindex(['a','e'])
+ df2.reindex(['a','e']).index
+ df2.reindex(pd.Categorical(['a','e'],categories=list('abcde')))
+ df2.reindex(pd.Categorical(['a','e'],categories=list('abcde'))).index
+
+See the :ref:`documentation <advanced.categoricalindex>` for more. (:issue:`7629`)
+>>>>>>> support CategoricalIndex
+
.. _whatsnew_0161.api:
API changes
diff --git a/pandas/core/api.py b/pandas/core/api.py
index a8b10342593ce..fde9bc77c4bd9 100644
--- a/pandas/core/api.py
+++ b/pandas/core/api.py
@@ -8,7 +8,7 @@
from pandas.core.categorical import Categorical
from pandas.core.groupby import Grouper
from pandas.core.format import set_eng_float_format
-from pandas.core.index import Index, Int64Index, Float64Index, MultiIndex
+from pandas.core.index import Index, CategoricalIndex, Int64Index, Float64Index, MultiIndex
from pandas.core.series import Series, TimeSeries
from pandas.core.frame import DataFrame
diff --git a/pandas/core/base.py b/pandas/core/base.py
index a25651a73f507..c0233a5a33308 100644
--- a/pandas/core/base.py
+++ b/pandas/core/base.py
@@ -121,7 +121,7 @@ def _delegate_method(self, name, *args, **kwargs):
raise TypeError("You cannot call method {name}".format(name=name))
@classmethod
- def _add_delegate_accessors(cls, delegate, accessors, typ):
+ def _add_delegate_accessors(cls, delegate, accessors, typ, overwrite=False):
"""
add accessors to cls from the delegate class
@@ -131,6 +131,8 @@ def _add_delegate_accessors(cls, delegate, accessors, typ):
delegate : the class to get methods/properties & doc-strings
acccessors : string list of accessors to add
typ : 'property' or 'method'
+ overwrite : boolean, default False
+ overwrite the method/property in the target class if it exists
"""
@@ -164,7 +166,7 @@ def f(self, *args, **kwargs):
f = _create_delegator_method(name)
# don't overwrite existing methods/properties
- if not hasattr(cls, name):
+ if overwrite or not hasattr(cls, name):
setattr(cls,name,f)
diff --git a/pandas/core/categorical.py b/pandas/core/categorical.py
index 0d66a89b0a585..9537523380350 100644
--- a/pandas/core/categorical.py
+++ b/pandas/core/categorical.py
@@ -9,12 +9,11 @@
from pandas.core.algorithms import factorize
from pandas.core.base import PandasObject, PandasDelegate
-from pandas.core.index import Index, _ensure_index
-from pandas.tseries.period import PeriodIndex
import pandas.core.common as com
from pandas.util.decorators import cache_readonly
-from pandas.core.common import (CategoricalDtype, ABCSeries, isnull, notnull,
+from pandas.core.common import (CategoricalDtype, ABCSeries, ABCIndexClass, ABCPeriodIndex, ABCCategoricalIndex,
+ isnull, notnull, is_dtype_equal,
is_categorical_dtype, is_integer_dtype, is_object_dtype,
_possibly_infer_to_datetimelike, get_dtype_kinds,
is_list_like, is_sequence, is_null_slice, is_bool,
@@ -22,7 +21,6 @@
_coerce_indexer_dtype, _values_from_object, take_1d)
from pandas.util.terminal import get_terminal_size
from pandas.core.config import get_option
-from pandas.core import format as fmt
def _cat_compare_op(op):
def f(self, other):
@@ -86,7 +84,7 @@ def f(self, other):
def maybe_to_categorical(array):
""" coerce to a categorical if a series is given """
- if isinstance(array, ABCSeries):
+ if isinstance(array, (ABCSeries, ABCCategoricalIndex)):
return array.values
return array
@@ -236,15 +234,17 @@ def __init__(self, values, categories=None, ordered=False, name=None, fastpath=F
# sanitize input
if is_categorical_dtype(values):
- # we are either a Series or a Categorical
- cat = values
- if isinstance(values, ABCSeries):
- cat = values.values
+ # we are either a Series or a CategoricalIndex
+ if isinstance(values, (ABCSeries, ABCCategoricalIndex)):
+ values = values.values
+
+ if ordered is None:
+ ordered = values.ordered
if categories is None:
- categories = cat.categories
+ categories = values.categories
values = values.__array__()
- elif isinstance(values, Index):
+ elif isinstance(values, ABCIndexClass):
pass
else:
@@ -295,11 +295,11 @@ def __init__(self, values, categories=None, ordered=False, name=None, fastpath=F
warn("Values and categories have different dtypes. Did you mean to use\n"
"'Categorical.from_codes(codes, categories)'?", RuntimeWarning)
- if is_integer_dtype(values) and (codes == -1).all():
+ if len(values) and is_integer_dtype(values) and (codes == -1).all():
warn("None of the categories were found in values. Did you mean to use\n"
"'Categorical.from_codes(codes, categories)'?", RuntimeWarning)
- self.set_ordered(ordered, inplace=True)
+ self.set_ordered(ordered or False, inplace=True)
self.categories = categories
self.name = name
self._codes = _coerce_indexer_dtype(codes, categories)
@@ -309,11 +309,27 @@ def copy(self):
return Categorical(values=self._codes.copy(),categories=self.categories,
name=self.name, ordered=self.ordered, fastpath=True)
+ def astype(self, dtype):
+ """ coerce this type to another dtype """
+ if is_categorical_dtype(dtype):
+ return self
+ return np.array(self, dtype=dtype)
+
@cache_readonly
def ndim(self):
"""Number of dimensions of the Categorical """
return self._codes.ndim
+ @cache_readonly
+ def size(self):
+ """ return the len of myself """
+ return len(self)
+
+ @cache_readonly
+ def itemsize(self):
+ """ return the size of a single category """
+ return self.categories.itemsize
+
def reshape(self, new_shape, **kwargs):
""" compat with .reshape """
return self
@@ -395,7 +411,8 @@ def _set_codes(self, codes):
codes = property(fget=_get_codes, fset=_set_codes, doc=_codes_doc)
def _get_labels(self):
- """ Get the category labels (deprecated).
+ """
+ Get the category labels (deprecated).
Deprecated, use .codes!
"""
@@ -409,8 +426,10 @@ def _get_labels(self):
@classmethod
def _validate_categories(cls, categories):
- """" Validates that we have good categories """
- if not isinstance(categories, Index):
+ """
+ Validates that we have good categories
+ """
+ if not isinstance(categories, ABCIndexClass):
dtype = None
if not hasattr(categories, "dtype"):
categories = _convert_to_list_like(categories)
@@ -421,6 +440,8 @@ def _validate_categories(cls, categories):
with_na = np.array(categories)
if with_na.dtype != without_na.dtype:
dtype = "object"
+
+ from pandas import Index
categories = Index(categories, dtype=dtype)
if not categories.is_unique:
raise ValueError('Categorical categories must be unique')
@@ -761,6 +782,8 @@ def remove_unused_categories(self, inplace=False):
cat = self if inplace else self.copy()
_used = sorted(np.unique(cat._codes))
new_categories = cat.categories.take(_ensure_platform_int(_used))
+
+ from pandas.core.index import _ensure_index
new_categories = _ensure_index(new_categories)
cat._codes = _get_codes_for_values(cat.__array__(), new_categories)
cat._categories = new_categories
@@ -790,7 +813,8 @@ def shape(self):
return tuple([len(self._codes)])
def __array__(self, dtype=None):
- """ The numpy array interface.
+ """
+ The numpy array interface.
Returns
-------
@@ -799,7 +823,7 @@ def __array__(self, dtype=None):
dtype as categorical.categories.dtype
"""
ret = take_1d(self.categories.values, self._codes)
- if dtype and dtype != self.categories.dtype:
+ if dtype and not is_dtype_equal(dtype,self.categories.dtype):
return np.asarray(ret, dtype)
return ret
@@ -997,7 +1021,7 @@ def get_values(self):
"""
# if we are a period index, return a string repr
- if isinstance(self.categories, PeriodIndex):
+ if isinstance(self.categories, ABCPeriodIndex):
return take_1d(np.array(self.categories.to_native_types(), dtype=object),
self._codes)
@@ -1243,7 +1267,8 @@ def __iter__(self):
"""Returns an Iterator over the values of this Categorical."""
return iter(np.array(self))
- def _tidy_repr(self, max_vals=10):
+ def _tidy_repr(self, max_vals=10, footer=True):
+ """ a short repr displaying only max_vals and an optional (but default footer) """
num = max_vals // 2
head = self[:num]._get_repr(length=False, name=False, footer=False)
tail = self[-(max_vals - num):]._get_repr(length=False,
@@ -1251,23 +1276,31 @@ def _tidy_repr(self, max_vals=10):
footer=False)
result = '%s, ..., %s' % (head[:-1], tail[1:])
- result = '%s\n%s' % (result, self._repr_footer())
+ if footer:
+ result = '%s\n%s' % (result, self._repr_footer())
return compat.text_type(result)
- def _repr_categories_info(self):
- """ Returns a string representation of the footer."""
-
+ def _repr_categories(self):
+ """ return the base repr for the categories """
max_categories = (10 if get_option("display.max_categories") == 0
else get_option("display.max_categories"))
+ from pandas.core import format as fmt
category_strs = fmt.format_array(self.categories.get_values(), None)
if len(category_strs) > max_categories:
num = max_categories // 2
head = category_strs[:num]
tail = category_strs[-(max_categories - num):]
category_strs = head + ["..."] + tail
+
# Strip all leading spaces, which format_array adds for columns...
category_strs = [x.strip() for x in category_strs]
+ return category_strs
+
+ def _repr_categories_info(self):
+ """ Returns a string representation of the footer."""
+
+ category_strs = self._repr_categories()
levheader = "Categories (%d, %s): " % (len(self.categories),
self.categories.dtype)
width, height = get_terminal_size()
@@ -1299,8 +1332,11 @@ def _repr_footer(self):
len(self), self._repr_categories_info())
def _get_repr(self, name=False, length=True, na_rep='NaN', footer=True):
- formatter = fmt.CategoricalFormatter(self, name=name,
- length=length, na_rep=na_rep,
+ from pandas.core import format as fmt
+ formatter = fmt.CategoricalFormatter(self,
+ name=name,
+ length=length,
+ na_rep=na_rep,
footer=footer)
result = formatter.to_string()
return compat.text_type(result)
@@ -1315,9 +1351,9 @@ def __unicode__(self):
name=True)
else:
result = '[], %s' % self._get_repr(name=True,
- length=False,
- footer=True,
- ).replace("\n",", ")
+ length=False,
+ footer=True,
+ ).replace("\n",", ")
return result
@@ -1358,6 +1394,8 @@ def __setitem__(self, key, value):
"categories")
rvalue = value if is_list_like(value) else [value]
+
+ from pandas import Index
to_add = Index(rvalue).difference(self.categories)
# no assignments of values not in categories, but it's always ok to set something to np.nan
@@ -1516,11 +1554,27 @@ def equals(self, other):
-------
are_equal : boolean
"""
- if not isinstance(other, Categorical):
- return False
# TODO: should this also test if name is equal?
- return (self.categories.equals(other.categories) and self.ordered == other.ordered and
- np.array_equal(self._codes, other._codes))
+ return self.is_dtype_equal(other) and np.array_equal(self._codes, other._codes)
+
+ def is_dtype_equal(self, other):
+ """
+ Returns True if categoricals are the same dtype
+ same categories, and same ordered
+
+ Parameters
+ ----------
+ other : Categorical
+
+ Returns
+ -------
+ are_equal : boolean
+ """
+
+ try:
+ return self.categories.equals(other.categories) and self.ordered == other.ordered
+ except (AttributeError, TypeError):
+ return False
def describe(self):
""" Describes this Categorical
@@ -1604,18 +1658,20 @@ def _delegate_method(self, name, *args, **kwargs):
##### utility routines #####
def _get_codes_for_values(values, categories):
- """"
+ """
utility routine to turn values into codes given the specified categories
"""
from pandas.core.algorithms import _get_data_algo, _hashtables
- if values.dtype != categories.dtype:
+ if not is_dtype_equal(values.dtype,categories.dtype):
values = _ensure_object(values)
categories = _ensure_object(categories)
+
(hash_klass, vec_klass), vals = _get_data_algo(values, _hashtables)
- t = hash_klass(len(categories))
- t.map_locations(_values_from_object(categories))
- return _coerce_indexer_dtype(t.lookup(values), categories)
+ (_, _), cats = _get_data_algo(categories, _hashtables)
+ t = hash_klass(len(cats))
+ t.map_locations(cats)
+ return _coerce_indexer_dtype(t.lookup(vals), cats)
def _convert_to_list_like(list_like):
if hasattr(list_like, "dtype"):
diff --git a/pandas/core/common.py b/pandas/core/common.py
index ffe12d0c1546c..3d23aeff942dc 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -83,6 +83,16 @@ def _check(cls, inst):
ABCDatetimeIndex = create_pandas_abc_type("ABCDatetimeIndex", "_typ", ("datetimeindex",))
ABCTimedeltaIndex = create_pandas_abc_type("ABCTimedeltaIndex", "_typ", ("timedeltaindex",))
ABCPeriodIndex = create_pandas_abc_type("ABCPeriodIndex", "_typ", ("periodindex",))
+ABCCategoricalIndex = create_pandas_abc_type("ABCCategoricalIndex", "_typ", ("categoricalindex",))
+ABCIndexClass = create_pandas_abc_type("ABCIndexClass", "_typ", ("index",
+ "int64index",
+ "float64index",
+ "multiindex",
+ "datetimeindex",
+ "timedeltaindex",
+ "periodindex",
+ "categoricalindex"))
+
ABCSeries = create_pandas_abc_type("ABCSeries", "_typ", ("series",))
ABCDataFrame = create_pandas_abc_type("ABCDataFrame", "_typ", ("dataframe",))
ABCPanel = create_pandas_abc_type("ABCPanel", "_typ", ("panel",))
@@ -2455,11 +2465,27 @@ def _get_dtype_type(arr_or_dtype):
return np.dtype(arr_or_dtype).type
elif isinstance(arr_or_dtype, CategoricalDtype):
return CategoricalDtypeType
+ elif isinstance(arr_or_dtype, compat.string_types):
+ if is_categorical_dtype(arr_or_dtype):
+ return CategoricalDtypeType
+ return _get_dtype_type(np.dtype(arr_or_dtype))
try:
return arr_or_dtype.dtype.type
except AttributeError:
raise ValueError('%r is not a dtype' % arr_or_dtype)
+def is_dtype_equal(source, target):
+ """ return a boolean if the dtypes are equal """
+ source = _get_dtype_type(source)
+ target = _get_dtype_type(target)
+
+ try:
+ return source == target
+ except TypeError:
+
+ # invalid comparison
+ # object == category will hit this
+ return False
def is_any_int_dtype(arr_or_dtype):
tipo = _get_dtype_type(arr_or_dtype)
diff --git a/pandas/core/groupby.py b/pandas/core/groupby.py
index 4ef3bbce85467..e5b1a96f81677 100644
--- a/pandas/core/groupby.py
+++ b/pandas/core/groupby.py
@@ -14,7 +14,7 @@
from pandas.core.categorical import Categorical
from pandas.core.frame import DataFrame
from pandas.core.generic import NDFrame
-from pandas.core.index import Index, MultiIndex, _ensure_index, _union_indexes
+from pandas.core.index import Index, MultiIndex, CategoricalIndex, _ensure_index, _union_indexes
from pandas.core.internals import BlockManager, make_block
from pandas.core.series import Series
from pandas.core.panel import Panel
@@ -1928,7 +1928,7 @@ def __init__(self, index, grouper=None, obj=None, name=None, level=None,
self.grouper = com._asarray_tuplesafe(self.grouper)
# a passed Categorical
- elif isinstance(self.grouper, Categorical):
+ elif is_categorical_dtype(self.grouper):
# must have an ordered categorical
if self.sort:
@@ -1942,8 +1942,15 @@ def __init__(self, index, grouper=None, obj=None, name=None, level=None,
# fix bug #GH8868 sort=False being ignored in categorical groupby
else:
self.grouper = self.grouper.reorder_categories(self.grouper.unique())
+
+ # we make a CategoricalIndex out of the cat grouper
+ # preserving the categories / ordered attributes
self._labels = self.grouper.codes
- self._group_index = self.grouper.categories
+
+ c = self.grouper.categories
+ self._group_index = CategoricalIndex(Categorical.from_codes(np.arange(len(c)),
+ categories=c,
+ ordered=self.grouper.ordered))
if self.name is None:
self.name = self.grouper.name
@@ -2131,8 +2138,8 @@ def is_in_obj(gpr):
else:
in_axis, name = False, None
- if isinstance(gpr, Categorical) and len(gpr) != len(obj):
- raise ValueError("Categorical grouper must have len(grouper) == len(data)")
+ if is_categorical_dtype(gpr) and len(gpr) != len(obj):
+ raise ValueError("Categorical dtype grouper must have len(grouper) == len(data)")
ping = Grouping(group_axis, gpr, obj=obj, name=name,
level=level, sort=sort, in_axis=in_axis)
@@ -3252,7 +3259,7 @@ def _reindex_output(self, result):
return result
elif len(groupings) == 1:
return result
- elif not any([isinstance(ping.grouper, Categorical)
+ elif not any([isinstance(ping.grouper, (Categorical, CategoricalIndex))
for ping in groupings]):
return result
diff --git a/pandas/core/index.py b/pandas/core/index.py
index 8b509c6876ec7..8b650fea9b440 100644
--- a/pandas/core/index.py
+++ b/pandas/core/index.py
@@ -2,6 +2,7 @@
import datetime
import warnings
import operator
+
from functools import partial
from pandas.compat import range, zip, lrange, lzip, u, reduce, filter, map
from pandas import compat
@@ -13,13 +14,13 @@
import pandas.algos as _algos
import pandas.index as _index
from pandas.lib import Timestamp, Timedelta, is_datetime_array
-from pandas.core.base import PandasObject, FrozenList, FrozenNDArray, IndexOpsMixin, _shared_docs
+from pandas.core.base import PandasObject, FrozenList, FrozenNDArray, IndexOpsMixin, _shared_docs, PandasDelegate
from pandas.util.decorators import (Appender, Substitution, cache_readonly,
deprecate)
-from pandas.core.common import isnull, array_equivalent
import pandas.core.common as com
-from pandas.core.common import (_values_from_object, is_float, is_integer,
- ABCSeries, _ensure_object, _ensure_int64, is_bool_indexer,
+from pandas.core.common import (isnull, array_equivalent, is_dtype_equal, is_object_dtype,
+ _values_from_object, is_float, is_integer, is_iterator, is_categorical_dtype,
+ ABCSeries, ABCCategorical, _ensure_object, _ensure_int64, is_bool_indexer,
is_list_like, is_bool_dtype, is_null_slice, is_integer_dtype)
from pandas.core.config import get_option
from pandas.io.common import PerformanceWarning
@@ -44,26 +45,6 @@ def _try_get_item(x):
except AttributeError:
return x
-def _indexOp(opname):
- """
- Wrapper function for index comparison operations, to avoid
- code duplication.
- """
- def wrapper(self, other):
- func = getattr(self.values, opname)
- result = func(np.asarray(other))
-
- # technically we could support bool dtyped Index
- # for now just return the indexing array directly
- if is_bool_dtype(result):
- return result
- try:
- return Index(result)
- except: # pragma: no cover
- return result
- return wrapper
-
-
class InvalidIndexError(Exception):
pass
@@ -162,6 +143,8 @@ def __new__(cls, data=None, dtype=None, copy=False, name=None, fastpath=False,
return Float64Index(data, copy=copy, dtype=dtype, name=name)
elif issubclass(data.dtype.type, np.bool) or is_bool_dtype(data):
subarr = data.astype('object')
+ elif is_categorical_dtype(data) or is_categorical_dtype(dtype):
+ return CategoricalIndex(data, copy=copy, name=name, **kwargs)
else:
subarr = com._asarray_tuplesafe(data, dtype=object)
@@ -170,6 +153,8 @@ def __new__(cls, data=None, dtype=None, copy=False, name=None, fastpath=False,
if copy:
subarr = subarr.copy()
+ elif is_categorical_dtype(data) or is_categorical_dtype(dtype):
+ return CategoricalIndex(data, copy=copy, name=name, **kwargs)
elif hasattr(data, '__array__'):
return Index(np.asarray(data), dtype=dtype, copy=copy, name=name,
**kwargs)
@@ -258,7 +243,7 @@ def __len__(self):
"""
return len(self._data)
- def __array__(self, result=None):
+ def __array__(self, dtype=None):
""" the array interface, return my values """
return self._data.view(np.ndarray)
@@ -282,9 +267,6 @@ def get_values(self):
""" return the underlying data as an ndarray """
return self.values
- def _array_values(self):
- return self._data
-
# ops compat
def tolist(self):
"""
@@ -410,8 +392,7 @@ def __unicode__(self):
Invoked by unicode(df) in py2 only. Yields a Unicode String in both
py2/py3.
"""
- prepr = com.pprint_thing(self, escape_chars=('\t', '\r', '\n'),
- quote_strings=True)
+ prepr = default_pprint(self)
return "%s(%s, dtype='%s')" % (type(self).__name__, prepr, self.dtype)
def to_series(self, **kwargs):
@@ -429,9 +410,10 @@ def to_series(self, **kwargs):
def _to_embed(self, keep_tz=False):
"""
+ *this is an internal non-public method*
+
return an array repr of this object, potentially casting to object
- This is for internal compat
"""
return self.values
@@ -623,7 +605,10 @@ def is_numeric(self):
return self.inferred_type in ['integer', 'floating']
def is_object(self):
- return self.dtype == np.object_
+ return is_object_dtype(self.dtype)
+
+ def is_categorical(self):
+ return self.inferred_type in ['categorical']
def is_mixed(self):
return 'mixed' in self.inferred_type
@@ -772,14 +757,11 @@ def is_int(v):
return indexer
- def _convert_list_indexer(self, key, kind=None):
- """ convert a list indexer. these should be locations """
- return key
-
- def _convert_list_indexer_for_mixed(self, keyarr, kind=None):
- """ passed a key that is tuplesafe that is integer based
- and we have a mixed index (e.g. number/labels). figure out
- the indexer. return None if we can't help
+ def _convert_list_indexer(self, keyarr, kind=None):
+ """
+ passed a key that is tuplesafe that is integer based
+ and we have a mixed index (e.g. number/labels). figure out
+ the indexer. return None if we can't help
"""
if (kind is None or kind in ['iloc','ix']) and (is_integer_dtype(keyarr) and not self.is_floating()):
if self.inferred_type != 'integer':
@@ -954,17 +936,13 @@ def __getitem__(self, key):
else:
return result
- def append(self, other):
+ def _ensure_compat_append(self, other):
"""
- Append a collection of Index options together
-
- Parameters
- ----------
- other : Index or list/tuple of indices
+ prepare the append
Returns
-------
- appended : Index
+ list of to_concat, name of result Index
"""
name = self.name
to_concat = [self]
@@ -984,7 +962,21 @@ def append(self, other):
to_concat = self._ensure_compat_concat(to_concat)
to_concat = [x.values if isinstance(x, Index) else x
for x in to_concat]
+ return to_concat, name
+
+ def append(self, other):
+ """
+ Append a collection of Index options together
+
+ Parameters
+ ----------
+ other : Index or list/tuple of indices
+ Returns
+ -------
+ appended : Index
+ """
+ to_concat, name = self._ensure_compat_append(other)
return Index(np.concatenate(to_concat), name=name)
@staticmethod
@@ -1046,10 +1038,12 @@ def _format_with_header(self, header, na_rep='NaN', **kwargs):
from pandas.core.format import format_array
- if values.dtype == np.object_:
+ if is_categorical_dtype(values.dtype):
+ values = np.array(values)
+ elif is_object_dtype(values.dtype):
values = lib.maybe_convert_objects(values, safe=1)
- if values.dtype == np.object_:
+ if is_object_dtype(values.dtype):
result = [com.pprint_thing(x, escape_chars=('\t', '\r', '\n'))
for x in values]
@@ -1092,9 +1086,6 @@ def equals(self, other):
if not isinstance(other, Index):
return False
- if type(other) != Index:
- return other.equals(self)
-
return array_equivalent(_values_from_object(self), _values_from_object(other))
def identical(self, other):
@@ -1201,13 +1192,6 @@ def __sub__(self, other):
"use .difference()",FutureWarning)
return self.difference(other)
- __eq__ = _indexOp('__eq__')
- __ne__ = _indexOp('__ne__')
- __lt__ = _indexOp('__lt__')
- __gt__ = _indexOp('__gt__')
- __le__ = _indexOp('__le__')
- __ge__ = _indexOp('__ge__')
-
def __and__(self, other):
return self.intersection(other)
@@ -1240,7 +1224,7 @@ def union(self, other):
self._assert_can_do_setop(other)
- if self.dtype != other.dtype:
+ if not is_dtype_equal(self.dtype,other.dtype):
this = self.astype('O')
other = other.astype('O')
return this.union(other)
@@ -1314,7 +1298,7 @@ def intersection(self, other):
if self.equals(other):
return self
- if self.dtype != other.dtype:
+ if not is_dtype_equal(self.dtype,other.dtype):
this = self.astype('O')
other = other.astype('O')
return this.intersection(other)
@@ -1473,7 +1457,7 @@ def get_value(self, series, key):
raise
except TypeError:
# generator/iterator-like
- if com.is_iterator(key):
+ if is_iterator(key):
raise InvalidIndexError(key)
else:
raise e1
@@ -1548,7 +1532,7 @@ def get_indexer(self, target, method=None, limit=None):
if pself is not self or ptarget is not target:
return pself.get_indexer(ptarget, method=method, limit=limit)
- if self.dtype != target.dtype:
+ if not is_dtype_equal(self.dtype,target.dtype):
this = self.astype(object)
target = target.astype(object)
return this.get_indexer(target, method=method, limit=limit)
@@ -1647,7 +1631,8 @@ def get_indexer_for(self, target, **kwargs):
""" guaranteed return of an indexer even when non-unique """
if self.is_unique:
return self.get_indexer(target, **kwargs)
- return self.get_indexer_non_unique(target, **kwargs)[0]
+ indexer, _ = self.get_indexer_non_unique(target, **kwargs)
+ return indexer
def _possibly_promote(self, other):
# A hack, but it works
@@ -1655,7 +1640,7 @@ def _possibly_promote(self, other):
if self.inferred_type == 'date' and isinstance(other, DatetimeIndex):
return DatetimeIndex(self), other
elif self.inferred_type == 'boolean':
- if self.dtype != 'object':
+ if not is_object_dtype(self.dtype):
return self.astype('object'), other.astype('object')
return self, other
@@ -1707,12 +1692,35 @@ def isin(self, values, level=None):
value_set = set(values)
if level is not None:
self._validate_index_level(level)
- return lib.ismember(self._array_values(), value_set)
+ return lib.ismember(np.array(self), value_set)
+
+ def _can_reindex(self, indexer):
+ """
+ *this is an internal non-public method*
+
+ Check if we are allowing reindexing with this particular indexer
+
+ Parameters
+ ----------
+ indexer : an integer indexer
+
+ Raises
+ ------
+ ValueError if its a duplicate axis
+ """
+
+ # trying to reindex on an axis with duplicates
+ if not self.is_unique and len(indexer):
+ raise ValueError("cannot reindex from a duplicate axis")
def reindex(self, target, method=None, level=None, limit=None):
"""
Create index with target's values (move/add/delete values as necessary)
+ Parameters
+ ----------
+ target : an iterable
+
Returns
-------
new_index : pd.Index
@@ -1733,6 +1741,7 @@ def reindex(self, target, method=None, level=None, limit=None):
target = self._simple_new(np.empty(0, dtype=self.dtype), **attrs)
else:
target = _ensure_index(target)
+
if level is not None:
if method is not None:
raise TypeError('Fill method not supported if level passed')
@@ -1757,9 +1766,72 @@ def reindex(self, target, method=None, level=None, limit=None):
return target, indexer
+ def _reindex_non_unique(self, target):
+ """
+ *this is an internal non-public method*
+
+ Create a new index with target's values (move/add/delete values as necessary)
+ use with non-unique Index and a possibly non-unique target
+
+ Parameters
+ ----------
+ target : an iterable
+
+ Returns
+ -------
+ new_index : pd.Index
+ Resulting index
+ indexer : np.ndarray or None
+ Indices of output values in original index
+
+ """
+
+ target = _ensure_index(target)
+ indexer, missing = self.get_indexer_non_unique(target)
+ check = indexer != -1
+ new_labels = self.take(indexer[check])
+ new_indexer = None
+
+ if len(missing):
+ l = np.arange(len(indexer))
+
+ missing = com._ensure_platform_int(missing)
+ missing_labels = target.take(missing)
+ missing_indexer = com._ensure_int64(l[~check])
+ cur_labels = self.take(indexer[check]).values
+ cur_indexer = com._ensure_int64(l[check])
+
+ new_labels = np.empty(tuple([len(indexer)]), dtype=object)
+ new_labels[cur_indexer] = cur_labels
+ new_labels[missing_indexer] = missing_labels
+
+ # a unique indexer
+ if target.is_unique:
+
+ # see GH5553, make sure we use the right indexer
+ new_indexer = np.arange(len(indexer))
+ new_indexer[cur_indexer] = np.arange(len(cur_labels))
+ new_indexer[missing_indexer] = -1
+
+ # we have a non_unique selector, need to use the original
+ # indexer here
+ else:
+
+ # need to retake to have the same size as the indexer
+ indexer = indexer.values
+ indexer[~check] = 0
+
+ # reset the new indexer to account for the new size
+ new_indexer = np.arange(len(self.take(indexer)))
+ new_indexer[~check] = -1
+
+ return self._shallow_copy(new_labels), indexer, new_indexer
+
def join(self, other, how='left', level=None, return_indexers=False):
"""
- Internal API method. Compute join_index and indexers to conform data
+ *this is an internal non-public method*
+
+ Compute join_index and indexers to conform data
structures to the new index.
Parameters
@@ -1818,7 +1890,7 @@ def join(self, other, how='left', level=None, return_indexers=False):
result = x, z, y
return result
- if self.dtype != other.dtype:
+ if not is_dtype_equal(self.dtype,other.dtype):
this = self.astype('O')
other = other.astype('O')
return this.join(other, how=how,
@@ -2369,6 +2441,34 @@ def _evaluate_with_timedelta_like(self, other, op, opstr):
def _evaluate_with_datetime_like(self, other, op, opstr):
raise TypeError("can only perform ops with datetime like values")
+ @classmethod
+ def _add_comparison_methods(cls):
+ """ add in comparison methods """
+
+ def _make_compare(op):
+
+ def _evaluate_compare(self, other):
+ func = getattr(self.values, op)
+ result = func(np.asarray(other))
+
+ # technically we could support bool dtyped Index
+ # for now just return the indexing array directly
+ if is_bool_dtype(result):
+ return result
+ try:
+ return Index(result)
+ except TypeError:
+ return result
+
+ return _evaluate_compare
+
+ cls.__eq__ = _make_compare('__eq__')
+ cls.__ne__ = _make_compare('__ne__')
+ cls.__lt__ = _make_compare('__lt__')
+ cls.__gt__ = _make_compare('__gt__')
+ cls.__le__ = _make_compare('__le__')
+ cls.__ge__ = _make_compare('__ge__')
+
@classmethod
def _add_numeric_methods_disabled(cls):
""" add in numeric methods to disable """
@@ -2423,7 +2523,7 @@ def _evaluate_numeric_binop(self, other):
elif isinstance(other, (Timestamp, np.datetime64)):
return self._evaluate_with_datetime_like(other, op, opstr)
else:
- if not (com.is_float(other) or com.is_integer(other)):
+ if not (is_float(other) or is_integer(other)):
raise TypeError("can only perform ops with scalar values")
# if we are a reversed non-communative op
@@ -2487,7 +2587,7 @@ def _make_logical_function(name, desc, f):
@Appender(_doc)
def logical_func(self, *args, **kwargs):
result = f(self.values)
- if isinstance(result, (np.ndarray, com.ABCSeries, Index)) \
+ if isinstance(result, (np.ndarray, ABCSeries, Index)) \
and result.ndim == 0:
# return NumPy type
return result.dtype.type(result.item())
@@ -2519,6 +2619,539 @@ def invalid_op(self, other=None):
Index._add_numeric_methods_disabled()
Index._add_logical_methods()
+Index._add_comparison_methods()
+
+class CategoricalIndex(Index, PandasDelegate):
+ """
+
+ Immutable Index implementing an ordered, sliceable set. CategoricalIndex
+ represents a sparsely populated Index with an underlying Categorical.
+
+ Parameters
+ ----------
+ data : array-like or Categorical, (1-dimensional)
+ categories : optional, array-like
+ categories for the CategoricalIndex
+ ordered : boolean,
+ designating if the categories are ordered
+ copy : bool
+ Make a copy of input ndarray
+ name : object
+ Name to be stored in the index
+
+ """
+
+ _typ = 'categoricalindex'
+ _engine_type = _index.Int64Engine
+ _attributes = ['name','categories','ordered']
+
+ def __new__(cls, data=None, categories=None, ordered=None, dtype=None, copy=False, name=None, fastpath=False, **kwargs):
+
+ if fastpath:
+ return cls._simple_new(data, name=name)
+
+ if isinstance(data, ABCCategorical):
+ data = cls._create_categorical(cls, data, categories, ordered)
+ elif isinstance(data, CategoricalIndex):
+ data = data._data
+ data = cls._create_categorical(cls, data, categories, ordered)
+ else:
+
+ # don't allow scalars
+ # if data is None, then categories must be provided
+ if lib.isscalar(data):
+ if data is not None or categories is None:
+ cls._scalar_data_error(data)
+ data = []
+ data = cls._create_categorical(cls, data, categories, ordered)
+
+ if copy:
+ data = data.copy()
+
+ return cls._simple_new(data, name=name)
+
+ def _create_from_codes(self, codes, categories=None, ordered=None, name=None):
+ """
+ *this is an internal non-public method*
+
+ create the correct categorical from codes
+
+ Parameters
+ ----------
+ codes : new codes
+ categories : optional categories, defaults to existing
+ ordered : optional ordered attribute, defaults to existing
+ name : optional name attribute, defaults to existing
+
+ Returns
+ -------
+ CategoricalIndex
+ """
+
+ from pandas.core.categorical import Categorical
+ if categories is None:
+ categories = self.categories
+ if ordered is None:
+ ordered = self.ordered
+ if name is None:
+ name = self.name
+ cat = Categorical.from_codes(codes, categories=categories, ordered=self.ordered)
+ return CategoricalIndex(cat, name=name)
+
+ @staticmethod
+ def _create_categorical(self, data, categories=None, ordered=None):
+ """
+ *this is an internal non-public method*
+
+ create the correct categorical from data and the properties
+
+ Parameters
+ ----------
+ data : data for new Categorical
+ categories : optional categories, defaults to existing
+ ordered : optional ordered attribute, defaults to existing
+
+ Returns
+ -------
+ Categorical
+ """
+
+ if not isinstance(data, ABCCategorical):
+ from pandas.core.categorical import Categorical
+ data = Categorical(data, categories=categories, ordered=ordered)
+ else:
+ if categories is not None:
+ data = data.set_categories(categories)
+ if ordered is not None:
+ data = data.set_ordered(ordered)
+ return data
+
+ @classmethod
+ def _simple_new(cls, values, name=None, categories=None, ordered=None, **kwargs):
+ result = object.__new__(cls)
+
+ values = cls._create_categorical(cls, values, categories, ordered)
+ result._data = values
+ result.name = name
+ for k, v in compat.iteritems(kwargs):
+ setattr(result,k,v)
+
+ result._reset_identity()
+ return result
+
+ def _is_dtype_compat(self, other):
+ """
+ *this is an internal non-public method*
+
+ provide a comparison between the dtype of self and other (coercing if needed)
+
+ Raises
+ ------
+ TypeError if the dtypes are not compatible
+ """
+
+ if is_categorical_dtype(other):
+ if isinstance(other, CategoricalIndex):
+ other = other.values
+ if not other.is_dtype_equal(self):
+ raise TypeError("categories must match existing categories when appending")
+ else:
+ values = other
+ other = CategoricalIndex(self._create_categorical(self, other, categories=self.categories, ordered=self.ordered))
+ if not other.isin(values).all():
+ raise TypeError("cannot append a non-category item to a CategoricalIndex")
+
+ return other
+
+ def equals(self, other):
+ """
+ Determines if two CategorialIndex objects contain the same elements.
+ """
+ if self.is_(other):
+ return True
+
+ try:
+ other = self._is_dtype_compat(other)
+ return array_equivalent(self._data, other)
+ except (TypeError, ValueError):
+ pass
+
+ return False
+
+ def __unicode__(self):
+ """
+ Return a string representation for this object.
+
+ Invoked by unicode(df) in py2 only. Yields a Unicode String in both
+ py2/py3.
+ """
+
+ # currently doesn't use the display.max_categories, or display.max_seq_len
+ # for head/tail printing
+ values = default_pprint(self.values.get_values())
+ cats = default_pprint(self.categories.get_values())
+ space = ' ' * (len(self.__class__.__name__) + 1)
+ name = self.name
+ if name is not None:
+ name = default_pprint(name)
+
+ result = u("{klass}({values},\n{space}categories={categories},\n{space}ordered={ordered},\n{space}name={name})").format(
+ klass=self.__class__.__name__,
+ values=values,
+ categories=cats,
+ ordered=self.ordered,
+ name=name,
+ space=space)
+
+ return result
+
+ @property
+ def inferred_type(self):
+ return 'categorical'
+
+ @property
+ def values(self):
+ """ return the underlying data, which is a Categorical """
+ return self._data
+
+ @property
+ def codes(self):
+ return self._data.codes
+
+ @property
+ def categories(self):
+ return self._data.categories
+
+ @property
+ def ordered(self):
+ return self._data.ordered
+
+ def __contains__(self, key):
+ hash(key)
+ return key in self.values
+
+ def __array__(self, dtype=None):
+ """ the array interface, return my values """
+ return np.array(self._data, dtype=dtype)
+
+ def argsort(self, *args, **kwargs):
+ return self.values.argsort(*args, **kwargs)
+
+ @cache_readonly
+ def _engine(self):
+
+ # we are going to look things up with the codes themselves
+ return self._engine_type(lambda: self.codes.astype('i8'), len(self))
+
+ @cache_readonly
+ def is_unique(self):
+ return not self.duplicated().any()
+
+ @Appender(_shared_docs['duplicated'] % _index_doc_kwargs)
+ def duplicated(self, take_last=False):
+ from pandas.hashtable import duplicated_int64
+ return duplicated_int64(self.codes.astype('i8'), take_last)
+
+ def get_loc(self, key, method=None):
+ """
+ Get integer location for requested label
+
+ Parameters
+ ----------
+ key : label
+ method : {None}
+ * default: exact matches only.
+
+ Returns
+ -------
+ loc : int if unique index, possibly slice or mask if not
+ """
+ codes = self.categories.get_loc(key)
+ if (codes == -1):
+ raise KeyError(key)
+ indexer, _ = self._engine.get_indexer_non_unique(np.array([codes]))
+ if (indexer==-1).any():
+ raise KeyError(key)
+
+ return indexer
+
+ def _can_reindex(self, indexer):
+ """ always allow reindexing """
+ pass
+
+ def reindex(self, target, method=None, level=None, limit=None):
+ """
+ Create index with target's values (move/add/delete values as necessary)
+
+ Returns
+ -------
+ new_index : pd.Index
+ Resulting index
+ indexer : np.ndarray or None
+ Indices of output values in original index
+
+ """
+
+ if method is not None:
+ raise NotImplementedError("argument method is not implemented for CategoricalIndex.reindex")
+ if level is not None:
+ raise NotImplementedError("argument level is not implemented for CategoricalIndex.reindex")
+ if limit is not None:
+ raise NotImplementedError("argument limit is not implemented for CategoricalIndex.reindex")
+
+ target = _ensure_index(target)
+
+ if not is_categorical_dtype(target) and not target.is_unique:
+ raise ValueError("cannot reindex with a non-unique indexer")
+
+ indexer, missing = self.get_indexer_non_unique(np.array(target))
+ new_target = self.take(indexer)
+
+
+ # filling in missing if needed
+ if len(missing):
+ cats = self.categories.get_indexer(target)
+ if (cats==-1).any():
+
+ # coerce to a regular index here!
+ result = Index(np.array(self),name=self.name)
+ new_target, indexer, _ = result._reindex_non_unique(np.array(target))
+
+ else:
+
+ codes = new_target.codes.copy()
+ codes[indexer==-1] = cats[missing]
+ new_target = self._create_from_codes(codes)
+
+ # we always want to return an Index type here
+ # to be consistent with .reindex for other index types (e.g. they don't coerce
+ # based on the actual values, only on the dtype)
+ # unless we had an inital Categorical to begin with
+ # in which case we are going to conform to the passed Categorical
+ new_target = np.asarray(new_target)
+ if is_categorical_dtype(target):
+ new_target = target._shallow_copy(new_target, name=self.name)
+ else:
+ new_target = Index(new_target, name=self.name)
+
+ return new_target, indexer
+
+ def _reindex_non_unique(self, target):
+ """ reindex from a non-unique; which CategoricalIndex's are almost always """
+ new_target, indexer = self.reindex(target)
+ new_indexer = None
+
+ check = indexer==-1
+ if check.any():
+ new_indexer = np.arange(len(self.take(indexer)))
+ new_indexer[check] = -1
+
+ return new_target, indexer, new_indexer
+
+ def get_indexer(self, target, method=None, limit=None):
+ """
+ Compute indexer and mask for new index given the current index. The
+ indexer should be then used as an input to ndarray.take to align the
+ current data to the new index. The mask determines whether labels are
+ found or not in the current index
+
+ Parameters
+ ----------
+ target : MultiIndex or Index (of tuples)
+ method : {'pad', 'ffill', 'backfill', 'bfill'}
+ pad / ffill: propagate LAST valid observation forward to next valid
+ backfill / bfill: use NEXT valid observation to fill gap
+
+ Notes
+ -----
+ This is a low-level method and probably should be used at your own risk
+
+ Examples
+ --------
+ >>> indexer, mask = index.get_indexer(new_index)
+ >>> new_values = cur_values.take(indexer)
+ >>> new_values[-mask] = np.nan
+
+ Returns
+ -------
+ (indexer, mask) : (ndarray, ndarray)
+ """
+ method = com._clean_reindex_fill_method(method)
+ target = _ensure_index(target)
+
+ if isinstance(target, CategoricalIndex):
+ target = target.categories
+
+ if method == 'pad' or method == 'backfill':
+ raise NotImplementedError("method='pad' and method='backfill' not implemented yet "
+ 'for CategoricalIndex')
+ elif method == 'nearest':
+ raise NotImplementedError("method='nearest' not implemented yet "
+ 'for CategoricalIndex')
+ else:
+
+ codes = self.categories.get_indexer(target)
+ indexer, _ = self._engine.get_indexer_non_unique(codes)
+
+ return com._ensure_platform_int(indexer)
+
+ def get_indexer_non_unique(self, target):
+ """ this is the same for a CategoricalIndex for get_indexer; the API returns the missing values as well """
+ target = _ensure_index(target)
+
+ if isinstance(target, CategoricalIndex):
+ target = target.categories
+
+ codes = self.categories.get_indexer(target)
+ return self._engine.get_indexer_non_unique(codes)
+
+ def _convert_list_indexer(self, keyarr, kind=None):
+ """
+ we are passed a list indexer.
+ Return our indexer or raise if all of the values are not included in the categories
+ """
+ codes = self.categories.get_indexer(keyarr)
+ if (codes==-1).any():
+ raise KeyError("a list-indexer must only include values that are in the categories")
+
+ return None
+
+ def take(self, indexer, axis=0):
+ """
+ return a new CategoricalIndex of the values selected by the indexer
+
+ See also
+ --------
+ numpy.ndarray.take
+ """
+
+ indexer = com._ensure_platform_int(indexer)
+ taken = self.codes.take(indexer)
+ return self._create_from_codes(taken)
+
+ def delete(self, loc):
+ """
+ Make new Index with passed location(-s) deleted
+
+ Returns
+ -------
+ new_index : Index
+ """
+ return self._create_from_codes(np.delete(self.codes, loc))
+
+ def insert(self, loc, item):
+ """
+ Make new Index inserting new item at location. Follows
+ Python list.append semantics for negative values
+
+ Parameters
+ ----------
+ loc : int
+ item : object
+
+ Returns
+ -------
+ new_index : Index
+
+ Raises
+ ------
+ ValueError if the item is not in the categories
+
+ """
+ code = self.categories.get_indexer([item])
+ if (code == -1):
+ raise TypeError("cannot insert an item into a CategoricalIndex that is not already an existing category")
+
+ codes = self.codes
+ codes = np.concatenate(
+ (codes[:loc], code, codes[loc:]))
+ return self._create_from_codes(codes)
+
+ def append(self, other):
+ """
+ Append a collection of CategoricalIndex options together
+
+ Parameters
+ ----------
+ other : Index or list/tuple of indices
+
+ Returns
+ -------
+ appended : Index
+
+ Raises
+ ------
+ ValueError if other is not in the categories
+ """
+ to_concat, name = self._ensure_compat_append(other)
+ to_concat = [ self._is_dtype_compat(c) for c in to_concat ]
+ codes = np.concatenate([ c.codes for c in to_concat ])
+ return self._create_from_codes(codes, name=name)
+
+ @classmethod
+ def _add_comparison_methods(cls):
+ """ add in comparison methods """
+
+ def _make_compare(op):
+
+ def _evaluate_compare(self, other):
+
+ # if we have a Categorical type, then must have the same categories
+ if isinstance(other, CategoricalIndex):
+ other = other.values
+ elif isinstance(other, Index):
+ other = self._create_categorical(self, other.values, categories=self.categories, ordered=self.ordered)
+
+ if isinstance(other, ABCCategorical):
+ if not (self.values.is_dtype_equal(other) and len(self.values) == len(other)):
+ raise TypeError("categorical index comparisions must have the same categories and ordered attributes")
+
+ return getattr(self.values, op)(other)
+
+ return _evaluate_compare
+
+ cls.__eq__ = _make_compare('__eq__')
+ cls.__ne__ = _make_compare('__ne__')
+ cls.__lt__ = _make_compare('__lt__')
+ cls.__gt__ = _make_compare('__gt__')
+ cls.__le__ = _make_compare('__le__')
+ cls.__ge__ = _make_compare('__ge__')
+
+
+ def _delegate_method(self, name, *args, **kwargs):
+ """ method delegation to the .values """
+ method = getattr(self.values, name)
+ if 'inplace' in kwargs:
+ raise ValueError("cannot use inplace with CategoricalIndex")
+ res = method(*args, **kwargs)
+ if lib.isscalar(res):
+ return res
+ return CategoricalIndex(res, name=self.name)
+
+ @classmethod
+ def _add_accessors(cls):
+ """ add in Categorical accessor methods """
+
+ from pandas.core.categorical import Categorical
+ CategoricalIndex._add_delegate_accessors(delegate=Categorical,
+ accessors=["rename_categories",
+ "reorder_categories",
+ "add_categories",
+ "remove_categories",
+ "remove_unused_categories",
+ "set_categories",
+ "as_ordered",
+ "as_unordered",
+ "min",
+ "max"],
+ typ='method',
+ overwrite=True)
+
+
+CategoricalIndex._add_numeric_methods_disabled()
+CategoricalIndex._add_logical_methods_disabled()
+CategoricalIndex._add_comparison_methods()
+CategoricalIndex._add_accessors()
class NumericIndex(Index):
@@ -2791,7 +3424,7 @@ def equals(self, other):
try:
if not isinstance(other, Float64Index):
other = self._constructor(other)
- if self.dtype != other.dtype or self.shape != other.shape:
+ if not is_dtype_equal(self.dtype,other.dtype) or self.shape != other.shape:
return False
left, right = self.values, other.values
return ((left == right) | (self._isnan & other._isnan)).all()
@@ -2857,7 +3490,7 @@ def isin(self, values, level=None):
value_set = set(values)
if level is not None:
self._validate_index_level(level)
- return lib.ismember_nans(self._array_values(), value_set,
+ return lib.ismember_nans(np.array(self), value_set,
isnull(list(value_set)).any())
@@ -3197,7 +3830,7 @@ def copy(self, names=None, dtype=None, levels=None, labels=None,
verify_integrity=False,
_set_identity=_set_identity)
- def __array__(self, result=None):
+ def __array__(self, dtype=None):
""" the array interface, return my values """
return self.values
@@ -3209,10 +3842,6 @@ def view(self, cls=None):
_shallow_copy = view
- def _array_values(self):
- # hack for various methods
- return self.values
-
@cache_readonly
def dtype(self):
return np.dtype('O')
@@ -3359,7 +3988,7 @@ def values(self):
taken = com.take_1d(lev._box_values(lev.values), lab,
fill_value=_get_na_value(lev.dtype.type))
else:
- taken = com.take_1d(lev.values, lab)
+ taken = com.take_1d(np.asarray(lev.values), lab)
values.append(taken)
self._tuples = lib.fast_zip(values)
@@ -3424,7 +4053,7 @@ def _try_mi(k):
raise
except TypeError:
# generator/iterator-like
- if com.is_iterator(key):
+ if is_iterator(key):
raise InvalidIndexError(key)
else:
raise e1
@@ -4095,7 +4724,7 @@ def get_indexer(self, target, method=None, limit=None):
if isinstance(target, MultiIndex):
target_index = target._tuple_index
- if target_index.dtype != object:
+ if not is_object_dtype(target_index.dtype):
return np.ones(len(target_index)) * -1
if not self.is_unique:
@@ -4654,9 +5283,9 @@ def equals(self, other):
return False
for i in range(self.nlevels):
- svalues = com.take_nd(self.levels[i].values, self.labels[i],
+ svalues = com.take_nd(np.asarray(self.levels[i].values), self.labels[i],
allow_fill=False)
- ovalues = com.take_nd(other.levels[i].values, other.labels[i],
+ ovalues = com.take_nd(np.asarray(other.levels[i].values), other.labels[i],
allow_fill=False)
if not array_equivalent(svalues, ovalues):
return False
@@ -4772,7 +5401,7 @@ def _assert_can_do_setop(self, other):
pass
def astype(self, dtype):
- if np.dtype(dtype) != np.object_:
+ if not is_object_dtype(np.dtype(dtype)):
raise TypeError('Setting %s dtype to anything other than object '
'is not supported' % self.__class__)
return self._shallow_copy()
@@ -4852,7 +5481,7 @@ def _wrap_joined_index(self, joined, other):
@Appender(Index.isin.__doc__)
def isin(self, values, level=None):
if level is None:
- return lib.ismember(self._array_values(), set(values))
+ return lib.ismember(np.array(self), set(values))
else:
num = self._get_level_number(level)
levs = self.levels[num]
diff --git a/pandas/core/indexing.py b/pandas/core/indexing.py
index 8154eb1bb6c8b..41950bf8b0e88 100644
--- a/pandas/core/indexing.py
+++ b/pandas/core/indexing.py
@@ -253,7 +253,7 @@ def _setitem_with_indexer(self, indexer, value):
# just replacing the block manager here
# so the object is the same
index = self.obj._get_axis(i)
- labels = safe_append_to_index(index, key)
+ labels = index.insert(len(index),key)
self.obj._data = self.obj.reindex_axis(labels, i)._data
self.obj._maybe_update_cacher(clear=True)
self.obj.is_copy=None
@@ -274,10 +274,7 @@ def _setitem_with_indexer(self, indexer, value):
# and set inplace
if self.ndim == 1:
index = self.obj.index
- if len(index) == 0:
- new_index = Index([indexer])
- else:
- new_index = safe_append_to_index(index, indexer)
+ new_index = index.insert(len(index),indexer)
# this preserves dtype of the value
new_values = Series([value]).values
@@ -928,24 +925,6 @@ def _getitem_iterable(self, key, axis=0):
labels = self.obj._get_axis(axis)
- def _reindex(keys, level=None):
-
- try:
- result = self.obj.reindex_axis(keys, axis=axis, level=level)
- except AttributeError:
- # Series
- if axis != 0:
- raise AssertionError('axis must be 0')
- return self.obj.reindex(keys, level=level)
-
- # this is an error as we are trying to find
- # keys in a multi-index that don't exist
- if isinstance(labels, MultiIndex) and level is not None:
- if hasattr(result,'ndim') and not np.prod(result.shape) and len(keys):
- raise KeyError("cannot index a multi-index axis with these keys")
-
- return result
-
if is_bool_indexer(key):
key = check_bool_indexer(labels, key)
inds, = key.nonzero()
@@ -958,8 +937,9 @@ def _reindex(keys, level=None):
# asarray can be unsafe, NumPy strings are weird
keyarr = _asarray_tuplesafe(key)
- # handle a mixed integer scenario
- indexer = labels._convert_list_indexer_for_mixed(keyarr, kind=self.name)
+ # have the index handle the indexer and possibly return
+ # an indexer or raising
+ indexer = labels._convert_list_indexer(keyarr, kind=self.name)
if indexer is not None:
return self.obj.take(indexer, axis=axis)
@@ -970,65 +950,48 @@ def _reindex(keys, level=None):
else:
level = None
- keyarr_is_unique = Index(keyarr).is_unique
+ # existing labels are unique and indexer are unique
+ if labels.is_unique and Index(keyarr).is_unique:
+
+ try:
+ result = self.obj.reindex_axis(keyarr, axis=axis, level=level)
+
+ # this is an error as we are trying to find
+ # keys in a multi-index that don't exist
+ if isinstance(labels, MultiIndex) and level is not None:
+ if hasattr(result,'ndim') and not np.prod(result.shape) and len(keyarr):
+ raise KeyError("cannot index a multi-index axis with these keys")
+
+ return result
- # existing labels are unique and indexer is unique
- if labels.is_unique and keyarr_is_unique:
- return _reindex(keyarr, level=level)
+ except AttributeError:
+ # Series
+ if axis != 0:
+ raise AssertionError('axis must be 0')
+ return self.obj.reindex(keyarr, level=level)
+
+ # existing labels are non-unique
else:
- indexer, missing = labels.get_indexer_non_unique(keyarr)
- check = indexer != -1
- result = self.obj.take(indexer[check], axis=axis,
- convert=False)
-
- # need to merge the result labels and the missing labels
- if len(missing):
- l = np.arange(len(indexer))
-
- missing = com._ensure_platform_int(missing)
- missing_labels = keyarr.take(missing)
- missing_indexer = com._ensure_int64(l[~check])
- cur_labels = result._get_axis(axis).values
- cur_indexer = com._ensure_int64(l[check])
-
- new_labels = np.empty(tuple([len(indexer)]), dtype=object)
- new_labels[cur_indexer] = cur_labels
- new_labels[missing_indexer] = missing_labels
-
- # reindex with the specified axis
- ndim = self.obj.ndim
- if axis + 1 > ndim:
- raise AssertionError("invalid indexing error with "
- "non-unique index")
-
- # a unique indexer
- if keyarr_is_unique:
-
- # see GH5553, make sure we use the right indexer
- new_indexer = np.arange(len(indexer))
- new_indexer[cur_indexer] = np.arange(
- len(result._get_axis(axis))
- )
- new_indexer[missing_indexer] = -1
- # we have a non_unique selector, need to use the original
- # indexer here
- else:
+ # reindex with the specified axis
+ if axis + 1 > self.obj.ndim:
+ raise AssertionError("invalid indexing error with "
+ "non-unique index")
- # need to retake to have the same size as the indexer
- rindexer = indexer.values
- rindexer[~check] = 0
- result = self.obj.take(rindexer, axis=axis,
- convert=False)
+ new_target, indexer, new_indexer = labels._reindex_non_unique(keyarr)
- # reset the new indexer to account for the new size
- new_indexer = np.arange(len(result))
- new_indexer[~check] = -1
+ if new_indexer is not None:
+ result = self.obj.take(indexer[indexer!=-1], axis=axis,
+ convert=False)
result = result._reindex_with_indexers({
- axis: [new_labels, new_indexer]
- }, copy=True, allow_dups=True)
+ axis: [new_target, new_indexer]
+ }, copy=True, allow_dups=True)
+
+ else:
+ result = self.obj.take(indexer, axis=axis,
+ convert=False)
return result
@@ -1105,8 +1068,9 @@ def _convert_to_indexer(self, obj, axis=0, is_setter=False):
else:
objarr = _asarray_tuplesafe(obj)
- # If have integer labels, defer to label-based indexing
- indexer = labels._convert_list_indexer_for_mixed(objarr, kind=self.name)
+ # The index may want to handle a list indexer differently
+ # by returning an indexer or raising
+ indexer = labels._convert_list_indexer(objarr, kind=self.name)
if indexer is not None:
return indexer
@@ -1719,19 +1683,6 @@ def get_indexer(_i, _idx):
return tuple([get_indexer(_i, _idx) for _i, _idx in enumerate(indexer)])
-def safe_append_to_index(index, key):
- """ a safe append to an index, if incorrect type, then catch and recreate
- """
- try:
- return index.insert(len(index), key)
- except:
-
- # raise here as this is basically an unsafe operation and we want
- # it to be obvious that you are doing something wrong
- raise ValueError("unsafe appending to index of type {0} with a key "
- "{1}".format(index.__class__.__name__, key))
-
-
def maybe_convert_indices(indices, n):
""" if we have negative indicies, translate to postive here
if have indicies that are out-of-bounds, raise an IndexError
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 864dc0dd46de2..440892f8e8b59 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -3134,7 +3134,6 @@ def reindex_indexer(self, new_axis, indexer, axis, fill_value=None,
pandas-indexer with -1's only.
"""
-
if indexer is None:
if new_axis is self.axes[axis] and not copy:
return self
@@ -3146,10 +3145,9 @@ def reindex_indexer(self, new_axis, indexer, axis, fill_value=None,
self._consolidate_inplace()
- # trying to reindex on an axis with duplicates
- if (not allow_dups and not self.axes[axis].is_unique
- and len(indexer)):
- raise ValueError("cannot reindex from a duplicate axis")
+ # some axes don't allow reindexing with dups
+ if not allow_dups:
+ self.axes[axis]._can_reindex(indexer)
if axis >= self.ndim:
raise IndexError("Requested axis not found in manager")
diff --git a/pandas/core/series.py b/pandas/core/series.py
index 7bcf6c6671152..685d44acafe53 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -2594,8 +2594,9 @@ def _try_cast(arr, take_fast_path):
# GH #846
if isinstance(data, (np.ndarray, Index, Series)):
- subarr = np.array(data, copy=False)
+
if dtype is not None:
+ subarr = np.array(data, copy=False)
# possibility of nan -> garbage
if com.is_float_dtype(data.dtype) and com.is_integer_dtype(dtype):
diff --git a/pandas/tests/test_categorical.py b/pandas/tests/test_categorical.py
index af48774492b11..97fa442595893 100644
--- a/pandas/tests/test_categorical.py
+++ b/pandas/tests/test_categorical.py
@@ -11,7 +11,7 @@
import numpy as np
import pandas as pd
-from pandas import Categorical, Index, Series, DataFrame, PeriodIndex, Timestamp
+from pandas import Categorical, Index, Series, DataFrame, PeriodIndex, Timestamp, CategoricalIndex
from pandas.core.config import option_context
import pandas.core.common as com
@@ -93,6 +93,24 @@ def test_constructor_unsortable(self):
else:
Categorical.from_array(arr, ordered=True)
+ def test_is_equal_dtype(self):
+
+ # test dtype comparisons between cats
+
+ c1 = Categorical(list('aabca'),categories=list('abc'),ordered=False)
+ c2 = Categorical(list('aabca'),categories=list('cab'),ordered=False)
+ c3 = Categorical(list('aabca'),categories=list('cab'),ordered=True)
+ self.assertTrue(c1.is_dtype_equal(c1))
+ self.assertTrue(c2.is_dtype_equal(c2))
+ self.assertTrue(c3.is_dtype_equal(c3))
+ self.assertFalse(c1.is_dtype_equal(c2))
+ self.assertFalse(c1.is_dtype_equal(c3))
+ self.assertFalse(c1.is_dtype_equal(Index(list('aabca'))))
+ self.assertFalse(c1.is_dtype_equal(c1.astype(object)))
+ self.assertTrue(c1.is_dtype_equal(CategoricalIndex(c1)))
+ self.assertFalse(c1.is_dtype_equal(CategoricalIndex(c1,categories=list('cab'))))
+ self.assertFalse(c1.is_dtype_equal(CategoricalIndex(c1,ordered=True)))
+
def test_constructor(self):
exp_arr = np.array(["a", "b", "c", "a", "b", "c"])
@@ -224,6 +242,18 @@ def f():
c_old2 = Categorical([0, 1, 2, 0, 1, 2], [1, 2, 3])
cat = Categorical([1,2], categories=[1,2,3])
+ # this is a legitimate constructor
+ with tm.assert_produces_warning(None):
+ c = Categorical(np.array([],dtype='int64'),categories=[3,2,1],ordered=True)
+
+ def test_constructor_with_index(self):
+
+ ci = CategoricalIndex(list('aabbca'),categories=list('cab'))
+ self.assertTrue(ci.values.equals(Categorical(ci)))
+
+ ci = CategoricalIndex(list('aabbca'),categories=list('cab'))
+ self.assertTrue(ci.values.equals(Categorical(ci.astype(object),categories=ci.categories)))
+
def test_constructor_with_generator(self):
# This was raising an Error in isnull(single_val).any() because isnull returned a scalar
# for a generator
@@ -2562,6 +2592,8 @@ def f():
dfx['grade'].cat.categories
self.assert_numpy_array_equal(df['grade'].cat.categories, dfx['grade'].cat.categories)
+ def test_concat_preserve(self):
+
# GH 8641
# series concat not preserving category dtype
s = Series(list('abc'),dtype='category')
@@ -2579,6 +2611,28 @@ def f():
expected = Series(list('abcabc'),index=[0,1,2,0,1,2]).astype('category')
tm.assert_series_equal(result, expected)
+ a = Series(np.arange(6,dtype='int64'))
+ b = Series(list('aabbca'))
+
+ df2 = DataFrame({'A' : a, 'B' : b.astype('category',categories=list('cab')) })
+ result = pd.concat([df2,df2])
+ expected = DataFrame({'A' : pd.concat([a,a]), 'B' : pd.concat([b,b]).astype('category',categories=list('cab')) })
+ tm.assert_frame_equal(result, expected)
+
+ def test_categorical_index_preserver(self):
+
+ a = Series(np.arange(6,dtype='int64'))
+ b = Series(list('aabbca'))
+
+ df2 = DataFrame({'A' : a, 'B' : b.astype('category',categories=list('cab')) }).set_index('B')
+ result = pd.concat([df2,df2])
+ expected = DataFrame({'A' : pd.concat([a,a]), 'B' : pd.concat([b,b]).astype('category',categories=list('cab')) }).set_index('B')
+ tm.assert_frame_equal(result, expected)
+
+ # wrong catgories
+ df3 = DataFrame({'A' : a, 'B' : b.astype('category',categories=list('abc')) }).set_index('B')
+ self.assertRaises(TypeError, lambda : pd.concat([df2,df3]))
+
def test_append(self):
cat = pd.Categorical(["a","b"], categories=["a","b"])
vals = [1,2]
@@ -2714,6 +2768,14 @@ def cmp(a,b):
self.assertRaises(TypeError, lambda : invalid(s))
+ def test_astype_categorical(self):
+
+ cat = Categorical(['a', 'b', 'b', 'a', 'a', 'c', 'c', 'c'])
+ tm.assert_categorical_equal(cat,cat.astype('category'))
+ tm.assert_almost_equal(np.array(cat),cat.astype('object'))
+
+ self.assertRaises(ValueError, lambda : cat.astype(float))
+
def test_to_records(self):
# GH8626
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index a35e03d53cb31..5912ccb1494fe 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -33,7 +33,7 @@
import pandas.core.datetools as datetools
from pandas import (DataFrame, Index, Series, Panel, notnull, isnull,
MultiIndex, DatetimeIndex, Timestamp, date_range,
- read_csv, timedelta_range, Timedelta,
+ read_csv, timedelta_range, Timedelta, CategoricalIndex,
option_context)
import pandas as pd
from pandas.parser import CParserError
@@ -2386,6 +2386,32 @@ def test_set_index_pass_arrays(self):
expected = df.set_index(['A', 'B'], drop=False)
assert_frame_equal(result, expected, check_names=False) # TODO should set_index check_names ?
+ def test_construction_with_categorical_index(self):
+
+ ci = tm.makeCategoricalIndex(10)
+
+ # with Categorical
+ df = DataFrame({'A' : np.random.randn(10),
+ 'B' : ci.values })
+ idf = df.set_index('B')
+ str(idf)
+ tm.assert_index_equal(idf.index,ci)
+
+ # from a CategoricalIndex
+ df = DataFrame({'A' : np.random.randn(10),
+ 'B' : ci })
+ idf = df.set_index('B')
+ str(idf)
+ tm.assert_index_equal(idf.index,ci)
+
+ idf = df.set_index('B').reset_index().set_index('B')
+ str(idf)
+ tm.assert_index_equal(idf.index,ci)
+
+ new_df = idf.reset_index()
+ new_df.index = df.B
+ tm.assert_index_equal(new_df.index,ci)
+
def test_set_index_cast_datetimeindex(self):
df = DataFrame({'A': [datetime(2000, 1, 1) + timedelta(i)
for i in range(1000)],
@@ -10744,6 +10770,19 @@ def test_sort_index(self):
with assertRaisesRegexp(ValueError, msg):
frame.sort_index(by=['A', 'B'], axis=0, ascending=[True] * 5)
+ def test_sort_index_categorical_index(self):
+
+ df = DataFrame({'A' : np.arange(6,dtype='int64'),
+ 'B' : Series(list('aabbca')).astype('category',categories=list('cab')) }).set_index('B')
+
+ result = df.sort_index()
+ expected = df.iloc[[4,0,1,5,2,3]]
+ assert_frame_equal(result, expected)
+
+ result = df.sort_index(ascending=False)
+ expected = df.iloc[[3,2,5,1,0,4]]
+ assert_frame_equal(result, expected)
+
def test_sort_nan(self):
# GH3917
nan = np.nan
diff --git a/pandas/tests/test_groupby.py b/pandas/tests/test_groupby.py
index 87536b9bf0ff8..c5a338520df21 100644
--- a/pandas/tests/test_groupby.py
+++ b/pandas/tests/test_groupby.py
@@ -8,7 +8,7 @@
from numpy import nan
from pandas import date_range,bdate_range, Timestamp
-from pandas.core.index import Index, MultiIndex, Int64Index
+from pandas.core.index import Index, MultiIndex, Int64Index, CategoricalIndex
from pandas.core.api import Categorical, DataFrame
from pandas.core.groupby import (SpecificationError, DataError,
_nargsort, _lexsort_indexer)
@@ -3378,12 +3378,11 @@ def test_groupby_datetime_categorical(self):
cats = Categorical.from_codes(codes, levels, name='myfactor', ordered=True)
data = DataFrame(np.random.randn(100, 4))
-
result = data.groupby(cats).mean()
expected = data.groupby(np.asarray(cats)).mean()
expected = expected.reindex(levels)
- expected.index.name = 'myfactor'
+ expected.index = CategoricalIndex(expected.index,categories=expected.index,name='myfactor',ordered=True)
assert_frame_equal(result, expected)
self.assertEqual(result.index.name, cats.name)
@@ -3398,6 +3397,26 @@ def test_groupby_datetime_categorical(self):
expected.index.names = ['myfactor', None]
assert_frame_equal(desc_result, expected)
+ def test_groupby_categorical_index(self):
+
+ levels = ['foo', 'bar', 'baz', 'qux']
+ codes = np.random.randint(0, 4, size=20)
+ cats = Categorical.from_codes(codes, levels, name='myfactor', ordered=True)
+ df = DataFrame(np.repeat(np.arange(20),4).reshape(-1,4), columns=list('abcd'))
+ df['cats'] = cats
+
+ # with a cat index
+ result = df.set_index('cats').groupby(level=0).sum()
+ expected = df[list('abcd')].groupby(cats.codes).sum()
+ expected.index = CategoricalIndex(Categorical.from_codes([0,1,2,3], levels, ordered=True),name='cats')
+ assert_frame_equal(result, expected)
+
+ # with a cat column, should produce a cat index
+ result = df.groupby('cats').sum()
+ expected = df[list('abcd')].groupby(cats.codes).sum()
+ expected.index = CategoricalIndex(Categorical.from_codes([0,1,2,3], levels, ordered=True),name='cats')
+ assert_frame_equal(result, expected)
+
def test_groupby_groups_datetimeindex(self):
# #1430
from pandas.tseries.api import DatetimeIndex
@@ -3526,6 +3545,8 @@ def test_groupby_categorical_no_compress(self):
result = data.groupby(cats).mean()
exp = data.groupby(codes).mean()
+
+ exp.index = CategoricalIndex(exp.index,categories=cats.categories,ordered=cats.ordered)
assert_series_equal(result, exp)
codes = np.array([0, 0, 0, 1, 1, 1, 3, 3, 3])
@@ -3533,6 +3554,7 @@ def test_groupby_categorical_no_compress(self):
result = data.groupby(cats).mean()
exp = data.groupby(codes).mean().reindex(cats.categories)
+ exp.index = CategoricalIndex(exp.index,categories=cats.categories,ordered=cats.ordered)
assert_series_equal(result, exp)
cats = Categorical(["a", "a", "a", "b", "b", "b", "c", "c", "c"],
diff --git a/pandas/tests/test_index.py b/pandas/tests/test_index.py
index 336340dd95991..1d59d1f3fbfe3 100644
--- a/pandas/tests/test_index.py
+++ b/pandas/tests/test_index.py
@@ -12,14 +12,10 @@
import numpy as np
from numpy.testing import assert_array_equal
-from pandas import period_range, date_range
-
-from pandas.core.index import (Index, Float64Index, Int64Index, MultiIndex,
- InvalidIndexError, NumericIndex)
-from pandas.tseries.index import DatetimeIndex
-from pandas.tseries.tdi import TimedeltaIndex
-from pandas.tseries.period import PeriodIndex
-from pandas.core.series import Series
+from pandas import (period_range, date_range, Categorical, Series,
+ Index, Float64Index, Int64Index, MultiIndex,
+ CategoricalIndex, DatetimeIndex, TimedeltaIndex, PeriodIndex)
+from pandas.core.index import InvalidIndexError, NumericIndex
from pandas.util.testing import (assert_almost_equal, assertRaisesRegexp,
assert_copy)
from pandas import compat
@@ -41,6 +37,11 @@ class Base(object):
_holder = None
_compat_props = ['shape', 'ndim', 'size', 'itemsize', 'nbytes']
+ def setup_indices(self):
+ # setup the test indices in the self.indicies dict
+ for name, ind in self.indices.items():
+ setattr(self, name, ind)
+
def verify_pickle(self,index):
unpickled = self.round_trip_pickle(index)
self.assertTrue(index.equals(unpickled))
@@ -98,6 +99,7 @@ def f():
def test_reindex_base(self):
idx = self.create_index()
expected = np.arange(idx.size)
+
actual = idx.get_indexer(idx)
assert_array_equal(expected, actual)
@@ -118,29 +120,6 @@ def test_ndarray_compat_properties(self):
idx.nbytes
idx.values.nbytes
-
-class TestIndex(Base, tm.TestCase):
- _holder = Index
- _multiprocess_can_split_ = True
-
- def setUp(self):
- self.indices = dict(
- unicodeIndex = tm.makeUnicodeIndex(100),
- strIndex = tm.makeStringIndex(100),
- dateIndex = tm.makeDateIndex(100),
- intIndex = tm.makeIntIndex(100),
- floatIndex = tm.makeFloatIndex(100),
- boolIndex = Index([True,False]),
- empty = Index([]),
- tuples = MultiIndex.from_tuples(lzip(['foo', 'bar', 'baz'],
- [1, 2, 3]))
- )
- for name, ind in self.indices.items():
- setattr(self, name, ind)
-
- def create_index(self):
- return Index(list('abcde'))
-
def test_wrong_number_names(self):
def testit(ind):
ind.names = ["apple", "banana", "carrot"]
@@ -150,14 +129,18 @@ def testit(ind):
def test_set_name_methods(self):
new_name = "This is the new name for this index"
- indices = (self.dateIndex, self.intIndex, self.unicodeIndex,
- self.empty)
- for ind in indices:
+ for ind in self.indices.values():
+
+ # don't tests a MultiIndex here (as its tested separated)
+ if isinstance(ind, MultiIndex):
+ continue
+
original_name = ind.name
new_ind = ind.set_names([new_name])
self.assertEqual(new_ind.name, new_name)
self.assertEqual(ind.name, original_name)
res = ind.rename(new_name, inplace=True)
+
# should return None
self.assertIsNone(res)
self.assertEqual(ind.name, new_name)
@@ -167,46 +150,128 @@ def test_set_name_methods(self):
# ind.set_names("a")
with assertRaisesRegexp(ValueError, "Level must be None"):
ind.set_names("a", level=0)
- # rename in place just leaves tuples and other containers alone
- name = ('A', 'B')
- ind = self.intIndex
- ind.rename(name, inplace=True)
- self.assertEqual(ind.name, name)
- self.assertEqual(ind.names, [name])
- def test_hash_error(self):
- with tm.assertRaisesRegexp(TypeError,
- "unhashable type: %r" %
- type(self.strIndex).__name__):
- hash(self.strIndex)
+ # rename in place just leaves tuples and other containers alone
+ name = ('A', 'B')
+ ind.rename(name, inplace=True)
+ self.assertEqual(ind.name, name)
+ self.assertEqual(ind.names, [name])
- def test_new_axis(self):
- new_index = self.dateIndex[None, :]
- self.assertEqual(new_index.ndim, 2)
- tm.assert_isinstance(new_index, np.ndarray)
+ def test_hash_error(self):
+ for ind in self.indices.values():
+ with tm.assertRaisesRegexp(TypeError,
+ "unhashable type: %r" %
+ type(ind).__name__):
+ hash(ind)
def test_copy_and_deepcopy(self):
from copy import copy, deepcopy
- for func in (copy, deepcopy):
- idx_copy = func(self.strIndex)
- self.assertIsNot(idx_copy, self.strIndex)
- self.assertTrue(idx_copy.equals(self.strIndex))
+ for ind in self.indices.values():
- new_copy = self.strIndex.copy(deep=True, name="banana")
- self.assertEqual(new_copy.name, "banana")
- new_copy2 = self.intIndex.copy(dtype=int)
- self.assertEqual(new_copy2.dtype.kind, 'i')
+ # don't tests a MultiIndex here (as its tested separated)
+ if isinstance(ind, MultiIndex):
+ continue
+
+ for func in (copy, deepcopy):
+ idx_copy = func(ind)
+ self.assertIsNot(idx_copy, ind)
+ self.assertTrue(idx_copy.equals(ind))
+
+ new_copy = ind.copy(deep=True, name="banana")
+ self.assertEqual(new_copy.name, "banana")
def test_duplicates(self):
- idx = Index([0, 0, 0])
- self.assertFalse(idx.is_unique)
+ for ind in self.indices.values():
+
+ if not len(ind):
+ continue
+ idx = self._holder([ind[0]]*5)
+ self.assertFalse(idx.is_unique)
+ self.assertTrue(idx.has_duplicates)
def test_sort(self):
- self.assertRaises(TypeError, self.strIndex.sort)
+ for ind in self.indices.values():
+ self.assertRaises(TypeError, ind.sort)
def test_mutability(self):
- self.assertRaises(TypeError, self.strIndex.__setitem__, 0, 'foo')
+ for ind in self.indices.values():
+ if not len(ind):
+ continue
+ self.assertRaises(TypeError, ind.__setitem__, 0, ind[0])
+
+ def test_view(self):
+ for ind in self.indices.values():
+ i_view = ind.view()
+ self.assertEqual(i_view.name, ind.name)
+
+ def test_compat(self):
+ for ind in self.indices.values():
+ self.assertEqual(ind.tolist(),list(ind))
+
+ def test_argsort(self):
+ for k, ind in self.indices.items():
+
+ # sep teststed
+ if k in ['catIndex']:
+ continue
+
+ result = ind.argsort()
+ expected = np.array(ind).argsort()
+ self.assert_numpy_array_equal(result, expected)
+
+ def test_pickle(self):
+ for ind in self.indices.values():
+ self.verify_pickle(ind)
+ ind.name = 'foo'
+ self.verify_pickle(ind)
+
+ def test_take(self):
+ indexer = [4, 3, 0, 2]
+ for k, ind in self.indices.items():
+
+ # separate
+ if k in ['boolIndex','tuples','empty']:
+ continue
+
+ result = ind.take(indexer)
+ expected = ind[indexer]
+ self.assertTrue(result.equals(expected))
+
+class TestIndex(Base, tm.TestCase):
+ _holder = Index
+ _multiprocess_can_split_ = True
+
+ def setUp(self):
+ self.indices = dict(
+ unicodeIndex = tm.makeUnicodeIndex(100),
+ strIndex = tm.makeStringIndex(100),
+ dateIndex = tm.makeDateIndex(100),
+ periodIndex = tm.makePeriodIndex(100),
+ tdIndex = tm.makeTimedeltaIndex(100),
+ intIndex = tm.makeIntIndex(100),
+ floatIndex = tm.makeFloatIndex(100),
+ boolIndex = Index([True,False]),
+ catIndex = tm.makeCategoricalIndex(100),
+ empty = Index([]),
+ tuples = MultiIndex.from_tuples(lzip(['foo', 'bar', 'baz'],
+ [1, 2, 3]))
+ )
+ self.setup_indices()
+
+ def create_index(self):
+ return Index(list('abcde'))
+
+ def test_new_axis(self):
+ new_index = self.dateIndex[None, :]
+ self.assertEqual(new_index.ndim, 2)
+ tm.assert_isinstance(new_index, np.ndarray)
+
+ def test_copy_and_deepcopy(self):
+ super(TestIndex, self).test_copy_and_deepcopy()
+
+ new_copy2 = self.intIndex.copy(dtype=int)
+ self.assertEqual(new_copy2.dtype.kind, 'i')
def test_constructor(self):
# regular instance creation
@@ -297,18 +362,22 @@ def test_constructor_simple_new(self):
result = idx._simple_new(idx, 'obj')
self.assertTrue(result.equals(idx))
- def test_copy(self):
- i = Index([], name='Foo')
- i_copy = i.copy()
- self.assertEqual(i_copy.name, 'Foo')
+ def test_view_with_args(self):
- def test_view(self):
- i = Index([], name='Foo')
- i_view = i.view()
- self.assertEqual(i_view.name, 'Foo')
+ restricted = ['unicodeIndex','strIndex','catIndex','boolIndex','empty']
+
+ for i in restricted:
+ ind = self.indices[i]
- # with arguments
- self.assertRaises(TypeError, lambda : i.view('i8'))
+ # with arguments
+ self.assertRaises(TypeError, lambda : ind.view('i8'))
+
+ # these are ok
+ for i in list(set(self.indices.keys())-set(restricted)):
+ ind = self.indices[i]
+
+ # with arguments
+ ind.view('i8')
def test_legacy_pickle_identity(self):
@@ -330,9 +399,6 @@ def test_astype(self):
casted = self.intIndex.astype('i8')
self.assertEqual(casted.name, 'foobar')
- def test_compat(self):
- self.strIndex.tolist()
-
def test_equals(self):
# same
self.assertTrue(Index(['a', 'b', 'c']).equals(Index(['a', 'b', 'c'])))
@@ -459,11 +525,6 @@ def test_nanosecond_index_access(self):
self.assertEqual(first_value, x[Timestamp(np.datetime64('2013-01-01 00:00:00.000000050+0000', 'ns'))])
- def test_argsort(self):
- result = self.strIndex.argsort()
- expected = np.array(self.strIndex).argsort()
- self.assert_numpy_array_equal(result, expected)
-
def test_comparators(self):
index = self.dateIndex
element = index[len(index) // 2]
@@ -760,22 +821,17 @@ def test_symmetric_diff(self):
with tm.assertRaises(TypeError):
Index(idx1,dtype='object') - 1
- def test_pickle(self):
-
- self.verify_pickle(self.strIndex)
- self.strIndex.name = 'foo'
- self.verify_pickle(self.strIndex)
- self.verify_pickle(self.dateIndex)
-
def test_is_numeric(self):
self.assertFalse(self.dateIndex.is_numeric())
self.assertFalse(self.strIndex.is_numeric())
self.assertTrue(self.intIndex.is_numeric())
self.assertTrue(self.floatIndex.is_numeric())
+ self.assertFalse(self.catIndex.is_numeric())
def test_is_object(self):
self.assertTrue(self.strIndex.is_object())
self.assertTrue(self.boolIndex.is_object())
+ self.assertFalse(self.catIndex.is_object())
self.assertFalse(self.intIndex.is_object())
self.assertFalse(self.dateIndex.is_object())
self.assertFalse(self.floatIndex.is_object())
@@ -839,12 +895,6 @@ def test_format_none(self):
idx.format()
self.assertIsNone(idx[3])
- def test_take(self):
- indexer = [4, 3, 0, 2]
- result = self.dateIndex.take(indexer)
- expected = self.dateIndex[indexer]
- self.assertTrue(result.equals(expected))
-
def test_logical_compat(self):
idx = self.create_index()
self.assertEqual(idx.all(), idx.values.all())
@@ -857,6 +907,7 @@ def _check_method_works(self, method):
method(self.strIndex)
method(self.intIndex)
method(self.tuples)
+ method(self.catIndex)
def test_get_indexer(self):
idx1 = Index([1, 2, 3, 4, 5])
@@ -1338,6 +1389,352 @@ def test_equals_op(self):
index_b == index_a,
)
+class TestCategoricalIndex(Base, tm.TestCase):
+ _holder = CategoricalIndex
+
+ def setUp(self):
+ self.indices = dict(catIndex = tm.makeCategoricalIndex(100))
+ self.setup_indices()
+
+ def create_index(self, categories=None, ordered=False):
+ if categories is None:
+ categories = list('cab')
+ return CategoricalIndex(list('aabbca'), categories=categories, ordered=ordered)
+
+ def test_construction(self):
+
+ ci = self.create_index(categories=list('abcd'))
+ categories = ci.categories
+
+ result = Index(ci)
+ tm.assert_index_equal(result,ci,exact=True)
+ self.assertFalse(result.ordered)
+
+ result = Index(ci.values)
+ tm.assert_index_equal(result,ci,exact=True)
+ self.assertFalse(result.ordered)
+
+ # empty
+ result = CategoricalIndex(categories=categories)
+ self.assertTrue(result.categories.equals(Index(categories)))
+ self.assert_numpy_array_equal(result.codes,np.array([],dtype='int8'))
+ self.assertFalse(result.ordered)
+
+ # passing categories
+ result = CategoricalIndex(list('aabbca'),categories=categories)
+ self.assertTrue(result.categories.equals(Index(categories)))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,2,0],dtype='int8'))
+
+ c = pd.Categorical(list('aabbca'))
+ result = CategoricalIndex(c)
+ self.assertTrue(result.categories.equals(Index(list('abc'))))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,2,0],dtype='int8'))
+ self.assertFalse(result.ordered)
+
+ result = CategoricalIndex(c,categories=categories)
+ self.assertTrue(result.categories.equals(Index(categories)))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,2,0],dtype='int8'))
+ self.assertFalse(result.ordered)
+
+ ci = CategoricalIndex(c,categories=list('abcd'))
+ result = CategoricalIndex(ci)
+ self.assertTrue(result.categories.equals(Index(categories)))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,2,0],dtype='int8'))
+ self.assertFalse(result.ordered)
+
+ result = CategoricalIndex(ci, categories=list('ab'))
+ self.assertTrue(result.categories.equals(Index(list('ab'))))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,-1,0],dtype='int8'))
+ self.assertFalse(result.ordered)
+
+ result = CategoricalIndex(ci, categories=list('ab'), ordered=True)
+ self.assertTrue(result.categories.equals(Index(list('ab'))))
+ self.assert_numpy_array_equal(result.codes,np.array([0,0,1,1,-1,0],dtype='int8'))
+ self.assertTrue(result.ordered)
+
+ # turn me to an Index
+ result = Index(np.array(ci))
+ self.assertIsInstance(result, Index)
+ self.assertNotIsInstance(result, CategoricalIndex)
+
+ def test_construction_with_dtype(self):
+
+ # specify dtype
+ ci = self.create_index(categories=list('abc'))
+
+ result = Index(np.array(ci), dtype='category')
+ tm.assert_index_equal(result,ci,exact=True)
+
+ result = Index(np.array(ci).tolist(), dtype='category')
+ tm.assert_index_equal(result,ci,exact=True)
+
+ # these are generally only equal when the categories are reordered
+ ci = self.create_index()
+
+ result = Index(np.array(ci), dtype='category').reorder_categories(ci.categories)
+ tm.assert_index_equal(result,ci,exact=True)
+
+ # make sure indexes are handled
+ expected = CategoricalIndex([0,1,2], categories=[0,1,2], ordered=True)
+ idx = Index(range(3))
+ result = CategoricalIndex(idx, categories=idx, ordered=True)
+ tm.assert_index_equal(result, expected, exact=True)
+
+ def test_method_delegation(self):
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cabdef'))
+ result = ci.set_categories(list('cab'))
+ tm.assert_index_equal(result, CategoricalIndex(list('aabbca'), categories=list('cab')))
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cab'))
+ result = ci.rename_categories(list('efg'))
+ tm.assert_index_equal(result, CategoricalIndex(list('ffggef'), categories=list('efg')))
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cab'))
+ result = ci.add_categories(['d'])
+ tm.assert_index_equal(result, CategoricalIndex(list('aabbca'), categories=list('cabd')))
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cab'))
+ result = ci.remove_categories(['c'])
+ tm.assert_index_equal(result, CategoricalIndex(list('aabb') + [np.nan] + ['a'], categories=list('ab')))
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cabdef'))
+ result = ci.as_unordered()
+ tm.assert_index_equal(result, ci)
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cabdef'))
+ result = ci.as_ordered()
+ tm.assert_index_equal(result, CategoricalIndex(list('aabbca'), categories=list('cabdef'), ordered=True))
+
+ # invalid
+ self.assertRaises(ValueError, lambda : ci.set_categories(list('cab'), inplace=True))
+
+ def test_contains(self):
+
+ ci = self.create_index(categories=list('cabdef'))
+
+ self.assertTrue('a' in ci)
+ self.assertTrue('z' not in ci)
+ self.assertTrue('e' not in ci)
+ self.assertTrue(np.nan not in ci)
+
+ # assert codes NOT in index
+ self.assertFalse(0 in ci)
+ self.assertFalse(1 in ci)
+
+ ci = CategoricalIndex(list('aabbca'), categories=list('cabdef') + [np.nan])
+ self.assertFalse(np.nan in ci)
+
+ ci = CategoricalIndex(list('aabbca') + [np.nan], categories=list('cabdef') + [np.nan])
+ self.assertTrue(np.nan in ci)
+
+ def test_min_max(self):
+
+ ci = self.create_index(ordered=False)
+ self.assertRaises(TypeError, lambda : ci.min())
+ self.assertRaises(TypeError, lambda : ci.max())
+
+ ci = self.create_index(ordered=True)
+
+ self.assertEqual(ci.min(),'c')
+ self.assertEqual(ci.max(),'b')
+
+ def test_append(self):
+
+ ci = self.create_index()
+ categories = ci.categories
+
+ # append cats with the same categories
+ result = ci[:3].append(ci[3:])
+ tm.assert_index_equal(result,ci,exact=True)
+
+ foos = [ci[:1], ci[1:3], ci[3:]]
+ result = foos[0].append(foos[1:])
+ tm.assert_index_equal(result,ci,exact=True)
+
+ # empty
+ result = ci.append([])
+ tm.assert_index_equal(result,ci,exact=True)
+
+ # appending with different categories or reoreded is not ok
+ self.assertRaises(TypeError, lambda : ci.append(ci.values.set_categories(list('abcd'))))
+ self.assertRaises(TypeError, lambda : ci.append(ci.values.reorder_categories(list('abc'))))
+
+ # with objects
+ result = ci.append(['c','a'])
+ expected = CategoricalIndex(list('aabbcaca'), categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ # invalid objects
+ self.assertRaises(TypeError, lambda : ci.append(['a','d']))
+
+ def test_insert(self):
+
+ ci = self.create_index()
+ categories = ci.categories
+
+ #test 0th element
+ result = ci.insert(0, 'a')
+ expected = CategoricalIndex(list('aaabbca'),categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ #test Nth element that follows Python list behavior
+ result = ci.insert(-1, 'a')
+ expected = CategoricalIndex(list('aabbcaa'),categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ #test empty
+ result = CategoricalIndex(categories=categories).insert(0, 'a')
+ expected = CategoricalIndex(['a'],categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ # invalid
+ self.assertRaises(TypeError, lambda : ci.insert(0,'d'))
+
+ def test_delete(self):
+
+ ci = self.create_index()
+ categories = ci.categories
+
+ result = ci.delete(0)
+ expected = CategoricalIndex(list('abbca'),categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ result = ci.delete(-1)
+ expected = CategoricalIndex(list('aabbc'),categories=categories)
+ tm.assert_index_equal(result,expected,exact=True)
+
+ with tm.assertRaises((IndexError, ValueError)):
+ # either depeidnig on numpy version
+ result = ci.delete(10)
+
+ def test_astype(self):
+
+ ci = self.create_index()
+ result = ci.astype('category')
+ tm.assert_index_equal(result,ci,exact=True)
+
+ result = ci.astype(object)
+ self.assertTrue(result.equals(Index(np.array(ci))))
+
+ # this IS equal, but not the same class
+ self.assertTrue(result.equals(ci))
+ self.assertIsInstance(result, Index)
+ self.assertNotIsInstance(result, CategoricalIndex)
+
+ def test_reindex_base(self):
+
+ # determined by cat ordering
+ idx = self.create_index()
+ expected = np.array([4,0,1,5,2,3])
+
+ actual = idx.get_indexer(idx)
+ assert_array_equal(expected, actual)
+
+ with tm.assertRaisesRegexp(ValueError, 'Invalid fill method'):
+ idx.get_indexer(idx, method='invalid')
+
+ def test_reindexing(self):
+
+ ci = self.create_index()
+ oidx = Index(np.array(ci))
+
+ for n in [1,2,5,len(ci)]:
+ finder = oidx[np.random.randint(0,len(ci),size=n)]
+ expected = oidx.get_indexer_non_unique(finder)[0]
+
+ actual = ci.get_indexer(finder)
+ assert_array_equal(expected, actual)
+
+ def test_duplicates(self):
+
+ idx = CategoricalIndex([0, 0, 0])
+ self.assertFalse(idx.is_unique)
+ self.assertTrue(idx.has_duplicates)
+
+ def test_get_indexer(self):
+
+ idx1 = CategoricalIndex(list('aabcde'),categories=list('edabc'))
+ idx2 = CategoricalIndex(list('abf'))
+
+ for indexer in [idx2, list('abf'), Index(list('abf'))]:
+ r1 = idx1.get_indexer(idx2)
+ assert_almost_equal(r1, [0, 1, 2, -1])
+
+ self.assertRaises(NotImplementedError, lambda : idx2.get_indexer(idx1, method='pad'))
+ self.assertRaises(NotImplementedError, lambda : idx2.get_indexer(idx1, method='backfill'))
+ self.assertRaises(NotImplementedError, lambda : idx2.get_indexer(idx1, method='nearest'))
+
+ def test_repr(self):
+
+ ci = CategoricalIndex(['a', 'b'], categories=['a', 'b'], ordered=True)
+ str(ci)
+ tm.assert_index_equal(eval(repr(ci)),ci,exact=True)
+
+ # formatting
+ if compat.PY3:
+ str(ci)
+ else:
+ compat.text_type(ci)
+
+ # long format
+ ci = CategoricalIndex(np.random.randint(0,5,size=100))
+ result = str(ci)
+ tm.assert_index_equal(eval(repr(ci)),ci,exact=True)
+
+ def test_isin(self):
+
+ ci = CategoricalIndex(list('aabca') + [np.nan],categories=['c','a','b',np.nan])
+ self.assert_numpy_array_equal(ci.isin(['c']),np.array([False,False,False,True,False,False]))
+ self.assert_numpy_array_equal(ci.isin(['c','a','b']),np.array([True]*5 + [False]))
+ self.assert_numpy_array_equal(ci.isin(['c','a','b',np.nan]),np.array([True]*6))
+
+ # mismatched categorical -> coerced to ndarray so doesn't matter
+ self.assert_numpy_array_equal(ci.isin(ci.set_categories(list('abcdefghi'))),np.array([True]*6))
+ self.assert_numpy_array_equal(ci.isin(ci.set_categories(list('defghi'))),np.array([False]*5 + [True]))
+
+ def test_identical(self):
+
+ ci1 = CategoricalIndex(['a', 'b'], categories=['a', 'b'], ordered=True)
+ ci2 = CategoricalIndex(['a', 'b'], categories=['a', 'b', 'c'], ordered=True)
+ self.assertTrue(ci1.identical(ci1))
+ self.assertTrue(ci1.identical(ci1.copy()))
+ self.assertFalse(ci1.identical(ci2))
+
+ def test_equals(self):
+
+ ci1 = CategoricalIndex(['a', 'b'], categories=['a', 'b'], ordered=True)
+ ci2 = CategoricalIndex(['a', 'b'], categories=['a', 'b', 'c'], ordered=True)
+
+ self.assertTrue(ci1.equals(ci1))
+ self.assertFalse(ci1.equals(ci2))
+ self.assertTrue(ci1.equals(ci1.astype(object)))
+ self.assertTrue(ci1.astype(object).equals(ci1))
+
+ self.assertTrue((ci1 == ci1).all())
+ self.assertFalse((ci1 != ci1).all())
+ self.assertFalse((ci1 > ci1).all())
+ self.assertFalse((ci1 < ci1).all())
+ self.assertTrue((ci1 <= ci1).all())
+ self.assertTrue((ci1 >= ci1).all())
+
+ self.assertFalse((ci1 == 1).all())
+ self.assertTrue((ci1 == Index(['a','b'])).all())
+ self.assertTrue((ci1 == ci1.values).all())
+
+ # invalid comparisons
+ self.assertRaises(TypeError, lambda : ci1 == Index(['a','b','c']))
+ self.assertRaises(TypeError, lambda : ci1 == ci2)
+ self.assertRaises(TypeError, lambda : ci1 == Categorical(ci1.values, ordered=False))
+ self.assertRaises(TypeError, lambda : ci1 == Categorical(ci1.values, categories=list('abc')))
+
+ # tests
+ # make sure that we are testing for category inclusion properly
+ self.assertTrue(CategoricalIndex(list('aabca'),categories=['c','a','b']).equals(list('aabca')))
+ self.assertTrue(CategoricalIndex(list('aabca'),categories=['c','a','b',np.nan]).equals(list('aabca')))
+
+ self.assertFalse(CategoricalIndex(list('aabca') + [np.nan],categories=['c','a','b',np.nan]).equals(list('aabca')))
+ self.assertTrue(CategoricalIndex(list('aabca') + [np.nan],categories=['c','a','b',np.nan]).equals(list('aabca') + [np.nan]))
class Numeric(Base):
@@ -1417,18 +1814,13 @@ class TestFloat64Index(Numeric, tm.TestCase):
_multiprocess_can_split_ = True
def setUp(self):
- self.mixed = Float64Index([1.5, 2, 3, 4, 5])
- self.float = Float64Index(np.arange(5) * 2.5)
+ self.indices = dict(mixed = Float64Index([1.5, 2, 3, 4, 5]),
+ float = Float64Index(np.arange(5) * 2.5))
+ self.setup_indices()
def create_index(self):
return Float64Index(np.arange(5,dtype='float64'))
- def test_hash_error(self):
- with tm.assertRaisesRegexp(TypeError,
- "unhashable type: %r" %
- type(self.float).__name__):
- hash(self.float)
-
def test_repr_roundtrip(self):
for ind in (self.mixed, self.float):
tm.assert_index_equal(eval(repr(ind)), ind)
@@ -1594,7 +1986,8 @@ class TestInt64Index(Numeric, tm.TestCase):
_multiprocess_can_split_ = True
def setUp(self):
- self.index = Int64Index(np.arange(0, 20, 2))
+ self.indices = dict(index = Int64Index(np.arange(0, 20, 2)))
+ self.setup_indices()
def create_index(self):
return Int64Index(np.arange(5,dtype='int64'))
@@ -1641,18 +2034,14 @@ def test_constructor_corner(self):
with tm.assertRaisesRegexp(TypeError, 'casting'):
Int64Index(arr_with_floats)
- def test_hash_error(self):
- with tm.assertRaisesRegexp(TypeError,
- "unhashable type: %r" %
- type(self.index).__name__):
- hash(self.index)
-
def test_copy(self):
i = Int64Index([], name='Foo')
i_copy = i.copy()
self.assertEqual(i_copy.name, 'Foo')
def test_view(self):
+ super(TestInt64Index, self).test_view()
+
i = Int64Index([], name='Foo')
i_view = i.view()
self.assertEqual(i_view.name, 'Foo')
@@ -2053,6 +2442,7 @@ def test_slice_keep_name(self):
class DatetimeLike(Base):
def test_view(self):
+ super(DatetimeLike, self).test_view()
i = self.create_index()
@@ -2068,6 +2458,10 @@ class TestDatetimeIndex(DatetimeLike, tm.TestCase):
_holder = DatetimeIndex
_multiprocess_can_split_ = True
+ def setUp(self):
+ self.indices = dict(index = tm.makeDateIndex(10))
+ self.setup_indices()
+
def create_index(self):
return date_range('20130101',periods=5)
@@ -2186,6 +2580,10 @@ class TestPeriodIndex(DatetimeLike, tm.TestCase):
_holder = PeriodIndex
_multiprocess_can_split_ = True
+ def setUp(self):
+ self.indices = dict(index = tm.makePeriodIndex(10))
+ self.setup_indices()
+
def create_index(self):
return period_range('20130101',periods=5,freq='D')
@@ -2220,6 +2618,10 @@ class TestTimedeltaIndex(DatetimeLike, tm.TestCase):
_holder = TimedeltaIndex
_multiprocess_can_split_ = True
+ def setUp(self):
+ self.indices = dict(index = tm.makeTimedeltaIndex(10))
+ self.setup_indices()
+
def create_index(self):
return pd.to_timedelta(range(5),unit='d') + pd.offsets.Hour(1)
@@ -2294,9 +2696,10 @@ def setUp(self):
major_labels = np.array([0, 0, 1, 2, 3, 3])
minor_labels = np.array([0, 1, 0, 1, 0, 1])
self.index_names = ['first', 'second']
- self.index = MultiIndex(levels=[major_axis, minor_axis],
- labels=[major_labels, minor_labels],
- names=self.index_names, verify_integrity=False)
+ self.indices = dict(index = MultiIndex(levels=[major_axis, minor_axis],
+ labels=[major_labels, minor_labels],
+ names=self.index_names, verify_integrity=False))
+ self.setup_indices()
def create_index(self):
return self.index
@@ -2332,13 +2735,7 @@ def test_labels_dtypes(self):
self.assertTrue((i.labels[0]>=0).all())
self.assertTrue((i.labels[1]>=0).all())
- def test_hash_error(self):
- with tm.assertRaisesRegexp(TypeError,
- "unhashable type: %r" %
- type(self.index).__name__):
- hash(self.index)
-
- def test_set_names_and_rename(self):
+ def test_set_name_methods(self):
# so long as these are synonyms, we don't need to test set_names
self.assertEqual(self.index.rename, self.index.set_names)
new_names = [name + "SUFFIX" for name in self.index_names]
@@ -3838,7 +4235,7 @@ def test_reindex_level(self):
assertRaisesRegexp(TypeError, "Fill method not supported",
idx.reindex, idx, method='bfill', level='first')
- def test_has_duplicates(self):
+ def test_duplicates(self):
self.assertFalse(self.index.has_duplicates)
self.assertTrue(self.index.append(self.index).has_duplicates)
diff --git a/pandas/tests/test_indexing.py b/pandas/tests/test_indexing.py
index 5f109212add06..3872f79df7286 100644
--- a/pandas/tests/test_indexing.py
+++ b/pandas/tests/test_indexing.py
@@ -2366,6 +2366,7 @@ def test_dups_fancy_indexing(self):
rows = ['C','B','E']
expected = DataFrame({'test' : [11,9,np.nan], 'test1': [7.,6,np.nan], 'other': ['d','c',np.nan]},index=rows)
+
result = df.ix[rows]
assert_frame_equal(result, expected)
@@ -4422,6 +4423,212 @@ def test_indexing_assignment_dict_already_exists(self):
tm.assert_frame_equal(df, expected)
+
+class TestCategoricalIndex(tm.TestCase):
+
+ def setUp(self):
+
+ self.df = DataFrame({'A' : np.arange(6,dtype='int64'),
+ 'B' : Series(list('aabbca')).astype('category',categories=list('cab')) }).set_index('B')
+ self.df2 = DataFrame({'A' : np.arange(6,dtype='int64'),
+ 'B' : Series(list('aabbca')).astype('category',categories=list('cabe')) }).set_index('B')
+ self.df3 = DataFrame({'A' : np.arange(6,dtype='int64'),
+ 'B' : Series([1,1,2,1,3,2]).astype('category',categories=[3,2,1],ordered=True) }).set_index('B')
+ self.df4 = DataFrame({'A' : np.arange(6,dtype='int64'),
+ 'B' : Series([1,1,2,1,3,2]).astype('category',categories=[3,2,1],ordered=False) }).set_index('B')
+
+
+ def test_loc_scalar(self):
+
+ result = self.df.loc['a']
+ expected = DataFrame({'A' : [0,1,5],
+ 'B' : Series(list('aaa')).astype('category',categories=list('cab')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+
+ df = self.df.copy()
+ df.loc['a'] = 20
+ expected = DataFrame({'A' : [20,20,2,3,4,20],
+ 'B' : Series(list('aabbca')).astype('category',categories=list('cab')) }).set_index('B')
+ assert_frame_equal(df, expected)
+
+ # value not in the categories
+ self.assertRaises(KeyError, lambda : df.loc['d'])
+
+ def f():
+ df.loc['d'] = 10
+ self.assertRaises(TypeError, f)
+
+ def f():
+ df.loc['d','A'] = 10
+ self.assertRaises(TypeError, f)
+
+ def f():
+ df.loc['d','C'] = 10
+ self.assertRaises(TypeError, f)
+
+ def test_loc_listlike(self):
+
+ # list of labels
+ result = self.df.loc[['c','a']]
+ expected = self.df.iloc[[4,0,1,5]]
+ assert_frame_equal(result, expected)
+
+ result = self.df2.loc[['a','b','e']]
+ expected = DataFrame({'A' : [0,1,5,2,3,np.nan],
+ 'B' : Series(list('aaabbe')).astype('category',categories=list('cabe')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ # element in the categories but not in the values
+ self.assertRaises(KeyError, lambda : self.df2.loc['e'])
+
+ # assign is ok
+ df = self.df2.copy()
+ df.loc['e'] = 20
+ result = df.loc[['a','b','e']]
+ expected = DataFrame({'A' : [0,1,5,2,3,20],
+ 'B' : Series(list('aaabbe')).astype('category',categories=list('cabe')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ df = self.df2.copy()
+ result = df.loc[['a','b','e']]
+ expected = DataFrame({'A' : [0,1,5,2,3,np.nan],
+ 'B' : Series(list('aaabbe')).astype('category',categories=list('cabe')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+
+ # not all labels in the categories
+ self.assertRaises(KeyError, lambda : self.df2.loc[['a','d']])
+
+ def test_reindexing(self):
+
+ # reindexing
+ # convert to a regular index
+ result = self.df2.reindex(['a','b','e'])
+ expected = DataFrame({'A' : [0,1,5,2,3,np.nan],
+ 'B' : Series(list('aaabbe')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['a','b'])
+ expected = DataFrame({'A' : [0,1,5,2,3],
+ 'B' : Series(list('aaabb')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['e'])
+ expected = DataFrame({'A' : [np.nan],
+ 'B' : Series(['e']) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['d'])
+ expected = DataFrame({'A' : [np.nan],
+ 'B' : Series(['d']) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ # since we are actually reindexing with a Categorical
+ # then return a Categorical
+ cats = list('cabe')
+
+ result = self.df2.reindex(pd.Categorical(['a','d'],categories=cats))
+ expected = DataFrame({'A' : [0,1,5,np.nan],
+ 'B' : Series(list('aaad')).astype('category',categories=cats) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(pd.Categorical(['a'],categories=cats))
+ expected = DataFrame({'A' : [0,1,5],
+ 'B' : Series(list('aaa')).astype('category',categories=cats) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['a','b','e'])
+ expected = DataFrame({'A' : [0,1,5,2,3,np.nan],
+ 'B' : Series(list('aaabbe')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['a','b'])
+ expected = DataFrame({'A' : [0,1,5,2,3],
+ 'B' : Series(list('aaabb')) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(['e'])
+ expected = DataFrame({'A' : [np.nan],
+ 'B' : Series(['e']) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ # give back the type of categorical that we received
+ result = self.df2.reindex(pd.Categorical(['a','d'],categories=cats,ordered=True))
+ expected = DataFrame({'A' : [0,1,5,np.nan],
+ 'B' : Series(list('aaad')).astype('category',categories=cats,ordered=True) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ result = self.df2.reindex(pd.Categorical(['a','d'],categories=['a','d']))
+ expected = DataFrame({'A' : [0,1,5,np.nan],
+ 'B' : Series(list('aaad')).astype('category',categories=['a','d']) }).set_index('B')
+ assert_frame_equal(result, expected)
+
+ # passed duplicate indexers are not allowed
+ self.assertRaises(ValueError, lambda : self.df2.reindex(['a','a']))
+
+ # args NotImplemented ATM
+ self.assertRaises(NotImplementedError, lambda : self.df2.reindex(['a'],method='ffill'))
+ self.assertRaises(NotImplementedError, lambda : self.df2.reindex(['a'],level=1))
+ self.assertRaises(NotImplementedError, lambda : self.df2.reindex(['a'],limit=2))
+
+ def test_loc_slice(self):
+
+ # slicing
+ # not implemented ATM
+ # GH9748
+
+ self.assertRaises(TypeError, lambda : self.df.loc[1:5])
+
+ #result = df.loc[1:5]
+ #expected = df.iloc[[1,2,3,4]]
+ #assert_frame_equal(result, expected)
+
+ def test_boolean_selection(self):
+
+ df3 = self.df3
+ df4 = self.df4
+
+ result = df3[df3.index == 'a']
+ expected = df3.iloc[[]]
+ assert_frame_equal(result,expected)
+
+ result = df4[df4.index == 'a']
+ expected = df4.iloc[[]]
+ assert_frame_equal(result,expected)
+
+ result = df3[df3.index == 1]
+ expected = df3.iloc[[0,1,3]]
+ assert_frame_equal(result,expected)
+
+ result = df4[df4.index == 1]
+ expected = df4.iloc[[0,1,3]]
+ assert_frame_equal(result,expected)
+
+ # since we have an ordered categorical
+
+ # CategoricalIndex([1, 1, 2, 1, 3, 2],
+ # categories=[3, 2, 1],
+ # ordered=True,
+ # name=u'B')
+ result = df3[df3.index < 2]
+ expected = df3.iloc[[4]]
+ assert_frame_equal(result,expected)
+
+ result = df3[df3.index > 1]
+ expected = df3.iloc[[]]
+ assert_frame_equal(result,expected)
+
+ # unordered
+ # cannot be compared
+
+ # CategoricalIndex([1, 1, 2, 1, 3, 2],
+ # categories=[3, 2, 1],
+ # ordered=False,
+ # name=u'B')
+ self.assertRaises(TypeError, lambda : df4[df4.index < 2])
+ self.assertRaises(TypeError, lambda : df4[df4.index > 1])
+
class TestSeriesNoneCoercion(tm.TestCase):
EXPECTED_RESULTS = [
# For numeric series, we should coerce to NaN.
diff --git a/pandas/util/testing.py b/pandas/util/testing.py
index b4baedada46e1..ea7354a9334ff 100644
--- a/pandas/util/testing.py
+++ b/pandas/util/testing.py
@@ -25,11 +25,6 @@
import pandas as pd
from pandas.core.common import is_sequence, array_equivalent, is_list_like
-import pandas.core.index as index
-import pandas.core.series as series
-import pandas.core.frame as frame
-import pandas.core.panel as panel
-import pandas.core.panel4d as panel4d
import pandas.compat as compat
from pandas.compat import(
filter, map, zip, range, unichr, lrange, lmap, lzip, u, callable, Counter,
@@ -38,24 +33,12 @@
from pandas.computation import expressions as expr
-from pandas import bdate_range
-from pandas.tseries.index import DatetimeIndex
-from pandas.tseries.tdi import TimedeltaIndex
-from pandas.tseries.period import PeriodIndex
+from pandas import (bdate_range, CategoricalIndex, DatetimeIndex, TimedeltaIndex, PeriodIndex,
+ Index, MultiIndex, Series, DataFrame, Panel, Panel4D)
from pandas.util.decorators import deprecate
-
from pandas import _testing
-
-
from pandas.io.common import urlopen
-Index = index.Index
-MultiIndex = index.MultiIndex
-Series = series.Series
-DataFrame = frame.DataFrame
-Panel = panel.Panel
-Panel4D = panel4d.Panel4D
-
N = 30
K = 4
_RAISE_NETWORK_ERROR_DEFAULT = False
@@ -550,16 +533,14 @@ def assert_equal(a, b, msg=""):
assert a == b, "%s: %r != %r" % (msg.format(a,b), a, b)
-def assert_index_equal(left, right):
+def assert_index_equal(left, right, exact=False):
assert_isinstance(left, Index, '[index] ')
assert_isinstance(right, Index, '[index] ')
- if not left.equals(right):
+ if not left.equals(right) or (exact and type(left) != type(right)):
raise AssertionError("[index] left [{0} {1}], right [{2} {3}]".format(left.dtype,
left,
right,
right.dtype))
-
-
def assert_attr_equal(attr, left, right):
"""checks attributes are equal. Both objects must have attribute."""
left_attr = getattr(left, attr)
@@ -627,6 +608,7 @@ def assertNotIsInstance(obj, cls, msg=''):
def assert_categorical_equal(res, exp):
+
if not array_equivalent(res.categories, exp.categories):
raise AssertionError(
'categories not equivalent: {0} vs {1}.'.format(res.categories,
@@ -827,6 +809,11 @@ def makeStringIndex(k=10):
def makeUnicodeIndex(k=10):
return Index(randu_array(nchars=10, size=k))
+def makeCategoricalIndex(k=10, n=3):
+ """ make a length k index or n categories """
+ x = rands_array(nchars=4, size=n)
+ return CategoricalIndex(np.random.choice(x,k))
+
def makeBoolIndex(k=10):
if k == 1:
return Index([True])
| closes #7629
xref #8613
xref #8074
- [x] docs / whatsnew
- [x] ~~auto-create a `CategoricalIndex` when grouping by a `Categorical` (this doesn't ATM)~~
- [x] adding a value not in the Index, e.g. `df2.loc['d'] = 5` should do what? (currently will coerce to an `Index`)
- [x] `pd.concat([df2,df])` should STILL have a `CategoricalIndex` (yep)?
- [x] implement `min/max`
- [x] fix groupby on cat column
- [x] add `Categorical` wrapper methods
- [x] make repr evalable / fix
- [x] contains should be on values not categories
A `CategoricalIndex` is essentially a drop-in replacement for `Index`, that works nicely for non-unique values. It uses a `Categorical` to represent itself. The behavior is very similar to using a duplicated Index (for say indexing).
Groupby works naturally (and returns another `CategoricalIndex`). The only real departure is that `.sort_index()` works like you would expected (which is a good thing:). Clearly this will provide idempotency for `set/reset` index w.r.t. Categoricals, and thus memory savings by its representation.
This doesn't change the API at all. IOW, this is not turned on by default, you have to either use `set/reset`, assign an index, or pass a `Categorical` to `Index`.
```
In [1]: df = DataFrame({'A' : np.arange(6,dtype='int64'),
...: 'B' : Series(list('aabbca')).astype('category',categories=list('cab')) })
In [2]: df
Out[2]:
A B
0 0 a
1 1 a
2 2 b
3 3 b
4 4 c
5 5 a
In [3]: df.dtypes
Out[3]:
A int64
B category
dtype: object
In [5]: df.B.cat.categories
Out[5]: Index([u'c', u'a', u'b'], dtype='object')
In [6]: df2 = df.set_index('B')
In [7]: df2
Out[7]:
A
B
a 0
a 1
b 2
b 3
c 4
a 5
In [8]: df2.index
Out[8]: CategoricalIndex([u'a', u'a', u'b', u'b', u'c', u'a'], dtype='category')
In [9]: df2.index.categories
Out[9]: Index([u'c', u'a', u'b'], dtype='object')
In [10]: df2.index.codes
Out[10]: array([1, 1, 2, 2, 0, 1], dtype=int8)
In [11]: df2.loc['a']
Out[11]:
A
B
a 0
a 1
a 5
In [12]: df2.loc['a'].index
Out[12]: CategoricalIndex([u'a', u'a', u'a'], dtype='category')
In [13]: df2.loc['a'].index.categories
Out[13]: Index([u'c', u'a', u'b'], dtype='object')
In [14]: df2.sort_index()
Out[14]:
A
B
c 4
a 0
a 1
a 5
b 2
b 3
In [15]: df2.groupby(level=0).sum()
Out[15]:
A
B
a 6
b 5
c 4
In [16]: df2.groupby(level=0).sum().index
Out[16]: CategoricalIndex([u'a', u'b', u'c'], dtype='category')
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9741 | 2015-03-27T22:01:57Z | 2015-04-20T11:19:57Z | 2015-04-20T11:19:57Z | 2015-04-20T14:35:36Z |
Plotting: don't change visibility of xaxis labels and ticklabels if passing in a axis | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 3c3742c968642..c6ace8c23e064 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -31,6 +31,14 @@ API changes
+- When passing in an ax to ``df.plot( ..., ax=ax)``, the `sharex` kwarg will now default to `False`.
+ The result is that the visibility of xlabels and xticklabels will not anymore be changed. You
+ have to do that by yourself for the right axes in your figure or set ``sharex=True`` explicitly
+ (but this changes the visible for all axes in the figure, not only the one which is passed in!).
+ If pandas creates the subplots itself (e.g. no passed in `ax` kwarg), then the
+ default is still ``sharex=True`` and the visibility changes are applied.
+
+
- Add support for separating years and quarters using dashes, for
example 2014-Q1. (:issue:`9688`)
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 1cb11179b2430..0a9df941a6045 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -1000,8 +1000,14 @@ def test_plot(self):
_check_plot_works(df.plot, xticks=[1, 5, 10])
_check_plot_works(df.plot, ylim=(-100, 100), xlim=(-100, 100))
- axes = _check_plot_works(df.plot, subplots=True, title='blah')
+ _check_plot_works(df.plot, subplots=True, title='blah')
+ # We have to redo it here because _check_plot_works does two plots, once without an ax
+ # kwarg and once with an ax kwarg and the new sharex behaviour does not remove the
+ # visibility of the latter axis (as ax is present).
+ # see: https://github.com/pydata/pandas/issues/9737
+ axes = df.plot(subplots=True, title='blah')
self._check_axes_shape(axes, axes_num=3, layout=(3, 1))
+ #axes[0].figure.savefig("test.png")
for ax in axes[:2]:
self._check_visible(ax.xaxis) # xaxis must be visible for grid
self._check_visible(ax.get_xticklabels(), visible=False)
@@ -3138,6 +3144,78 @@ def _check_errorbar_color(containers, expected, has_err='has_xerr'):
self._check_has_errorbars(ax, xerr=0, yerr=1)
_check_errorbar_color(ax.containers, 'green', has_err='has_yerr')
+ def test_sharex_and_ax(self):
+ # https://github.com/pydata/pandas/issues/9737
+ # using gridspec, the axis in fig.get_axis() are sorted differently than pandas expected
+ # them, so make sure that only the right ones are removed
+ import matplotlib.pyplot as plt
+ plt.close('all')
+ gs, axes = _generate_4_axes_via_gridspec()
+
+ df = DataFrame({"a":[1,2,3,4,5,6], "b":[1,2,3,4,5,6]})
+
+ for ax in axes:
+ df.plot(x="a", y="b", title="title", ax=ax, sharex=True)
+
+ gs.tight_layout(plt.gcf())
+ for ax in plt.gcf().get_axes():
+ for label in ax.get_xticklabels():
+ self.assertEqual(label.get_visible(), ax.is_last_row(),
+ "x ticklabel has wrong visiblity")
+ self.assertEqual(ax.xaxis.get_label().get_visible(), ax.is_last_row(),
+ "x label has wrong visiblity")
+
+ plt.close('all')
+ gs, axes = _generate_4_axes_via_gridspec()
+ # without sharex, no labels should be touched!
+ for ax in axes:
+ df.plot(x="a", y="b", title="title", ax=ax)
+
+ gs.tight_layout(plt.gcf())
+ for ax in plt.gcf().get_axes():
+ for label in ax.get_xticklabels():
+ self.assertTrue(label.get_visible(), "x ticklabel is invisible but shouldn't")
+ self.assertTrue(ax.xaxis.get_label().get_visible(),
+ "x label is invisible but shouldn't")
+
+
+ def test_sharey_and_ax(self):
+ # https://github.com/pydata/pandas/issues/9737
+ # using gridspec, the axis in fig.get_axis() are sorted differently than pandas expected
+ # them, so make sure that only the right ones are removed
+ import matplotlib.pyplot as plt
+
+ plt.close('all')
+ gs, axes = _generate_4_axes_via_gridspec()
+
+ df = DataFrame({"a":[1,2,3,4,5,6], "b":[1,2,3,4,5,6]})
+
+ for ax in axes:
+ df.plot(x="a", y="b", title="title", ax=ax, sharey=True)
+
+ gs.tight_layout(plt.gcf())
+ for ax in plt.gcf().get_axes():
+ for label in ax.get_yticklabels():
+ self.assertEqual(label.get_visible(), ax.is_first_col(),
+ "y ticklabel has wrong visiblity")
+ self.assertEqual(ax.yaxis.get_label().get_visible(), ax.is_first_col(),
+ "y label has wrong visiblity")
+
+ plt.close('all')
+ gs, axes = _generate_4_axes_via_gridspec()
+
+ # without sharex, no labels should be touched!
+ for ax in axes:
+ df.plot(x="a", y="b", title="title", ax=ax)
+
+ gs.tight_layout(plt.gcf())
+ for ax in plt.gcf().get_axes():
+ for label in ax.get_yticklabels():
+ self.assertTrue(label.get_visible(), "y ticklabel is invisible but shouldn't")
+ self.assertTrue(ax.yaxis.get_label().get_visible(),
+ "y label is invisible but shouldn't")
+
+
@tm.mplskip
class TestDataFrameGroupByPlots(TestPlotBase):
@@ -3612,6 +3690,19 @@ def _check_plot_works(f, *args, **kwargs):
return ret
+def _generate_4_axes_via_gridspec():
+ import matplotlib.pyplot as plt
+ import matplotlib as mpl
+ import matplotlib.gridspec
+
+ gs = mpl.gridspec.GridSpec(2, 2)
+ ax_tl = plt.subplot(gs[0,0])
+ ax_ll = plt.subplot(gs[1,0])
+ ax_tr = plt.subplot(gs[0,1])
+ ax_lr = plt.subplot(gs[1,1])
+
+ return gs, [ax_tl, ax_ll, ax_tr, ax_lr]
+
def curpath():
pth, _ = os.path.split(os.path.abspath(__file__))
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index cf9c890823f8f..ce000ffc3e012 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -769,7 +769,7 @@ class MPLPlot(object):
_attr_defaults = {'logy': False, 'logx': False, 'loglog': False,
'mark_right': True, 'stacked': False}
- def __init__(self, data, kind=None, by=None, subplots=False, sharex=True,
+ def __init__(self, data, kind=None, by=None, subplots=False, sharex=None,
sharey=False, use_index=True,
figsize=None, grid=None, legend=True, rot=None,
ax=None, fig=None, title=None, xlim=None, ylim=None,
@@ -786,7 +786,16 @@ def __init__(self, data, kind=None, by=None, subplots=False, sharex=True,
self.sort_columns = sort_columns
self.subplots = subplots
- self.sharex = sharex
+
+ if sharex is None:
+ if ax is None:
+ self.sharex = True
+ else:
+ # if we get an axis, the users should do the visibility setting...
+ self.sharex = False
+ else:
+ self.sharex = sharex
+
self.sharey = sharey
self.figsize = figsize
self.layout = layout
@@ -2350,10 +2359,14 @@ def _plot(data, x=None, y=None, subplots=False,
df_ax = """ax : matplotlib axes object, default None
subplots : boolean, default False
Make separate subplots for each column
- sharex : boolean, default True
- In case subplots=True, share x axis
+ sharex : boolean, default True if ax is None else False
+ In case subplots=True, share x axis and set some x axis labels to
+ invisible; defaults to True if ax is None otherwise False if an ax
+ is passed in; Be aware, that passing in both an ax and sharex=True
+ will alter all x axis labels for all axis in a figure!
sharey : boolean, default False
- In case subplots=True, share y axis
+ In case subplots=True, share y axis and set some y axis labels to
+ invisible
layout : tuple (optional)
(rows, columns) for the layout of subplots"""
series_ax = """ax : matplotlib axes object
@@ -2465,7 +2478,7 @@ def _plot(data, x=None, y=None, subplots=False,
@Appender(_shared_docs['plot'] % _shared_doc_df_kwargs)
def plot_frame(data, x=None, y=None, kind='line', ax=None, # Dataframe unique
- subplots=False, sharex=True, sharey=False, layout=None, # Dataframe unique
+ subplots=False, sharex=None, sharey=False, layout=None, # Dataframe unique
figsize=None, use_index=True, title=None, grid=None,
legend=True, style=None, logx=False, logy=False, loglog=False,
xticks=None, yticks=None, xlim=None, ylim=None,
@@ -2730,8 +2743,14 @@ def hist_frame(data, column=None, by=None, grid=True, xlabelsize=None,
yrot : float, default None
rotation of y axis labels
ax : matplotlib axes object, default None
- sharex : bool, if True, the X axis will be shared amongst all subplots.
- sharey : bool, if True, the Y axis will be shared amongst all subplots.
+ sharex : boolean, default True if ax is None else False
+ In case subplots=True, share x axis and set some x axis labels to
+ invisible; defaults to True if ax is None otherwise False if an ax
+ is passed in; Be aware, that passing in both an ax and sharex=True
+ will alter all x axis labels for all subplots in a figure!
+ sharey : boolean, default False
+ In case subplots=True, share y axis and set some y axis labels to
+ invisible
figsize : tuple
The size of the figure to create in inches by default
layout: (optional) a tuple (rows, columns) for the layout of the histograms
@@ -3129,7 +3148,8 @@ def _subplots(naxes=None, sharex=False, sharey=False, squeeze=True,
Keyword arguments:
naxes : int
- Number of required axes. Exceeded axes are set invisible. Default is nrows * ncols.
+ Number of required axes. Exceeded axes are set invisible. Default is
+ nrows * ncols.
sharex : bool
If True, the X axis will be shared amongst all subplots.
@@ -3256,12 +3276,12 @@ def _subplots(naxes=None, sharex=False, sharey=False, squeeze=True,
ax = fig.add_subplot(nrows, ncols, i + 1, **kwds)
axarr[i] = ax
- _handle_shared_axes(axarr, nplots, naxes, nrows, ncols, sharex, sharey)
-
if naxes != nplots:
for ax in axarr[naxes:]:
ax.set_visible(False)
+ _handle_shared_axes(axarr, nplots, naxes, nrows, ncols, sharex, sharey)
+
if squeeze:
# Reshape the array to have the final desired dimension (nrow,ncol),
# though discarding unneeded dimensions that equal 1. If we only have
@@ -3276,44 +3296,64 @@ def _subplots(naxes=None, sharex=False, sharey=False, squeeze=True,
return fig, axes
+def _remove_xlabels_from_axis(ax):
+ for label in ax.get_xticklabels():
+ label.set_visible(False)
+ try:
+ # set_visible will not be effective if
+ # minor axis has NullLocator and NullFormattor (default)
+ import matplotlib.ticker as ticker
+
+ if isinstance(ax.xaxis.get_minor_locator(), ticker.NullLocator):
+ ax.xaxis.set_minor_locator(ticker.AutoLocator())
+ if isinstance(ax.xaxis.get_minor_formatter(), ticker.NullFormatter):
+ ax.xaxis.set_minor_formatter(ticker.FormatStrFormatter(''))
+ for label in ax.get_xticklabels(minor=True):
+ label.set_visible(False)
+ except Exception: # pragma no cover
+ pass
+ ax.xaxis.get_label().set_visible(False)
+
+def _remove_ylables_from_axis(ax):
+ for label in ax.get_yticklabels():
+ label.set_visible(False)
+ try:
+ import matplotlib.ticker as ticker
+ if isinstance(ax.yaxis.get_minor_locator(), ticker.NullLocator):
+ ax.yaxis.set_minor_locator(ticker.AutoLocator())
+ if isinstance(ax.yaxis.get_minor_formatter(), ticker.NullFormatter):
+ ax.yaxis.set_minor_formatter(ticker.FormatStrFormatter(''))
+ for label in ax.get_yticklabels(minor=True):
+ label.set_visible(False)
+ except Exception: # pragma no cover
+ pass
+ ax.yaxis.get_label().set_visible(False)
def _handle_shared_axes(axarr, nplots, naxes, nrows, ncols, sharex, sharey):
if nplots > 1:
+ # first find out the ax layout, so that we can correctly handle 'gaps"
+ layout = np.zeros((nrows+1,ncols+1), dtype=np.bool)
+ for ax in axarr:
+ layout[ax.rowNum, ax.colNum] = ax.get_visible()
+
if sharex and nrows > 1:
- for ax in axarr[:naxes][:-ncols]: # only bottom row
- for label in ax.get_xticklabels():
- label.set_visible(False)
- try:
- # set_visible will not be effective if
- # minor axis has NullLocator and NullFormattor (default)
- import matplotlib.ticker as ticker
-
- if isinstance(ax.xaxis.get_minor_locator(), ticker.NullLocator):
- ax.xaxis.set_minor_locator(ticker.AutoLocator())
- if isinstance(ax.xaxis.get_minor_formatter(), ticker.NullFormatter):
- ax.xaxis.set_minor_formatter(ticker.FormatStrFormatter(''))
- for label in ax.get_xticklabels(minor=True):
- label.set_visible(False)
- except Exception: # pragma no cover
- pass
- ax.xaxis.get_label().set_visible(False)
+ for ax in axarr:
+ # only the last row of subplots should get x labels -> all other off
+ # layout handles the case that the subplot is the last in the column,
+ # because below is no subplot/gap.
+ if not layout[ax.rowNum+1, ax.colNum]:
+ continue
+ _remove_xlabels_from_axis(ax)
if sharey and ncols > 1:
- for i, ax in enumerate(axarr):
- if (i % ncols) != 0: # only first column
- for label in ax.get_yticklabels():
- label.set_visible(False)
- try:
- import matplotlib.ticker as ticker
- if isinstance(ax.yaxis.get_minor_locator(), ticker.NullLocator):
- ax.yaxis.set_minor_locator(ticker.AutoLocator())
- if isinstance(ax.yaxis.get_minor_formatter(), ticker.NullFormatter):
- ax.yaxis.set_minor_formatter(ticker.FormatStrFormatter(''))
- for label in ax.get_yticklabels(minor=True):
- label.set_visible(False)
- except Exception: # pragma no cover
- pass
- ax.yaxis.get_label().set_visible(False)
+ for ax in axarr:
+ # only the first column should get y labels -> set all other to off
+ # as we only have labels in teh first column and we always have a subplot there,
+ # we can skip the layout test
+ if ax.is_first_col():
+ continue
+ _remove_ylables_from_axis(ax)
+
def _flatten(axes):
| This does two things:
- fix for changing the wrong xlabels/xticklabels if a gridspec is used and the ax is passed in (not sure about using subplot without gridspec)
- changes the default behaviour for sharex if an axis is passed in: before the visibility changes were applied per default, now they are only applied if explicitly requested via `sharex=True`
Closes: #9737
| https://api.github.com/repos/pandas-dev/pandas/pulls/9740 | 2015-03-27T13:50:33Z | 2015-03-31T11:54:03Z | 2015-03-31T11:54:03Z | 2015-03-31T11:54:12Z |
ENH: Add an axis parameter to DataFrame.diff | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
old mode 100644
new mode 100755
index 352f079f38e96..29368d66b2991
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -18,6 +18,7 @@ Enhancements
~~~~~~~~~~~~
- Added ``StringMethods.capitalize()`` and ``swapcase`` which behave as the same as standard ``str`` (:issue:`9766`)
+- ``DataFrame.diff`` now takes an ``axis`` parameter that determines the direction of differencing (:issue:`9727`)
- Added ``StringMethods`` (.str accessor) to ``Index`` (:issue:`9068`)
The `.str` accessor is now available for both `Series` and `Index`.
diff --git a/pandas/core/frame.py b/pandas/core/frame.py
index 19f15f58afffd..a02fa3b9e3674 100644
--- a/pandas/core/frame.py
+++ b/pandas/core/frame.py
@@ -3584,7 +3584,7 @@ def unstack(self, level=-1):
#----------------------------------------------------------------------
# Time series-related
- def diff(self, periods=1):
+ def diff(self, periods=1, axis=0):
"""
1st discrete difference of object
@@ -3592,12 +3592,14 @@ def diff(self, periods=1):
----------
periods : int, default 1
Periods to shift for forming difference
+ axis : {0 or 'index', 1 or 'columns'}, default 0
Returns
-------
diffed : DataFrame
"""
- new_data = self._data.diff(n=periods)
+ bm_axis = self._get_block_manager_axis(axis)
+ new_data = self._data.diff(n=periods, axis=bm_axis)
return self._constructor(new_data)
#----------------------------------------------------------------------
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 4d0f8394fbd2a..142a565077fbf 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -869,9 +869,9 @@ def take_nd(self, indexer, axis, new_mgr_locs=None, fill_tuple=None):
def get_values(self, dtype=None):
return self.values
- def diff(self, n):
+ def diff(self, n, axis=1):
""" return block for the diff of the values """
- new_values = com.diff(self.values, n, axis=1)
+ new_values = com.diff(self.values, n, axis=axis)
return [make_block(values=new_values,
ndim=self.ndim, fastpath=True,
placement=self.mgr_locs)]
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index c7c35e63d3d91..467f6c60ac29b 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -10047,6 +10047,12 @@ def test_diff_float_n(self):
xp = self.tsframe.diff(1)
assert_frame_equal(rs, xp)
+ def test_diff_axis(self):
+ # GH 9727
+ df = DataFrame([[1., 2.], [3., 4.]])
+ assert_frame_equal(df.diff(axis=1), DataFrame([[np.nan, 1.], [np.nan, 1.]]))
+ assert_frame_equal(df.diff(axis=0), DataFrame([[np.nan, np.nan], [2., 2.]]))
+
def test_pct_change(self):
rs = self.tsframe.pct_change(fill_method=None)
assert_frame_equal(rs, self.tsframe / self.tsframe.shift(1) - 1)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9727 | 2015-03-25T12:53:50Z | 2015-04-29T10:45:52Z | 2015-04-29T10:45:52Z | 2015-06-10T13:41:27Z | |
TST: Fix dateutil version check | diff --git a/pandas/tseries/tests/test_tslib.py b/pandas/tseries/tests/test_tslib.py
index 79adabafb7044..e452ddee9d8db 100644
--- a/pandas/tseries/tests/test_tslib.py
+++ b/pandas/tseries/tests/test_tslib.py
@@ -167,7 +167,7 @@ def test_repr(self):
# dateutil zone change (only matters for repr)
import dateutil
- if dateutil.__version__ >= LooseVersion('2.3') and dateutil.__version__ <= LooseVersion('2.4'):
+ if dateutil.__version__ >= LooseVersion('2.3') and dateutil.__version__ <= LooseVersion('2.4.0'):
timezones = ['UTC', 'Asia/Tokyo', 'US/Eastern', 'dateutil/US/Pacific']
else:
timezones = ['UTC', 'Asia/Tokyo', 'US/Eastern', 'dateutil/America/Los_Angeles']
| This allows the test to pass when using dateutil version 2.4.0
```
In [2]: '2.4.0' <= LooseVersion('2.4')
Out[2]: False
In [3]: '2.4.0' <= LooseVersion('2.4.0')
Out[3]: True
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9725 | 2015-03-25T11:44:34Z | 2015-03-25T22:06:21Z | 2015-03-25T22:06:21Z | 2015-03-25T22:48:08Z |
BUG: _retry_read_url retries connection even if successful | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 1e570768b5a7a..f8b34bdfcca9e 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -48,3 +48,4 @@ Bug Fixes
~~~~~~~~~
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
+- Bug in DataReader causing connections to be retried even when successful
\ No newline at end of file
diff --git a/pandas/io/data.py b/pandas/io/data.py
index ea635e85ed177..949f8bcb50a92 100644
--- a/pandas/io/data.py
+++ b/pandas/io/data.py
@@ -172,14 +172,14 @@ def _retry_read_url(url, retry_count, pause, name):
if len(rs) > 2 and rs.index[-1] == rs.index[-2]: # pragma: no cover
rs = rs[:-1]
- #Get rid of unicode characters in index name.
- try:
- rs.index.name = rs.index.name.decode('unicode_escape').encode('ascii', 'ignore')
- except AttributeError:
- #Python 3 string has no decode method.
- rs.index.name = rs.index.name.encode('ascii', 'ignore').decode()
+ #Get rid of unicode characters in index name.
+ try:
+ rs.index.name = rs.index.name.decode('unicode_escape').encode('ascii', 'ignore')
+ except AttributeError:
+ #Python 3 string has no decode method.
+ rs.index.name = rs.index.name.encode('ascii', 'ignore').decode()
- return rs
+ return rs
raise IOError("after %d tries, %s did not "
"return a 200 for url %r" % (retry_count, name, url))
| https://api.github.com/repos/pandas-dev/pandas/pulls/9723 | 2015-03-25T11:17:27Z | 2015-03-25T11:18:52Z | null | 2015-03-25T11:22:46Z | |
Moved imports into functions that use them | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 84472802d73be..db9d970e1aba1 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -254,3 +254,5 @@ Bug Fixes
- Bug in hiding ticklabels with subplots and shared axes when adding a new plot to an existing grid of axes (:issue:`9158`)
- Bug in ``transform`` and ``filter`` when grouping on a categorical variable (:issue:`9921`)
- Bug in ``transform`` when groups are equal in number and dtype to the input index (:issue:`9700`)
+- Google BigQuery connector now imports dependencies on a per-method basis.(:issue:`9713`)
+- Updated BigQuery connector to no longer use deprecated ```oauth2client.tools.run()``` (:issue:`8327`)
diff --git a/pandas/io/gbq.py b/pandas/io/gbq.py
index 9ecffb382e151..f1fcc822adeaf 100644
--- a/pandas/io/gbq.py
+++ b/pandas/io/gbq.py
@@ -13,75 +13,22 @@
from pandas.tools.merge import concat
from pandas.core.common import PandasError
-_IMPORTS = False
-_GOOGLE_API_CLIENT_INSTALLED = False
-_GOOGLE_API_CLIENT_VALID_VERSION = False
-_GOOGLE_FLAGS_INSTALLED = False
-_GOOGLE_FLAGS_VALID_VERSION = False
-_HTTPLIB2_INSTALLED = False
-_SETUPTOOLS_INSTALLED = False
-def _importers():
- # import things we need
- # but make this done on a first use basis
-
- global _IMPORTS
- if _IMPORTS:
- return
-
- _IMPORTS = True
-
- if not compat.PY3:
-
- global _GOOGLE_API_CLIENT_INSTALLED, _GOOGLE_API_CLIENT_VALID_VERSION, \
- _GOOGLE_FLAGS_INSTALLED, _GOOGLE_FLAGS_VALID_VERSION, \
- _HTTPLIB2_INSTALLED, _SETUPTOOLS_INSTALLED
-
- try:
- import pkg_resources
- _SETUPTOOLS_INSTALLED = True
- except ImportError:
- _SETUPTOOLS_INSTALLED = False
-
- if _SETUPTOOLS_INSTALLED:
- try:
- from apiclient.discovery import build
- from apiclient.http import MediaFileUpload
- from apiclient.errors import HttpError
-
- from oauth2client.client import OAuth2WebServerFlow
- from oauth2client.client import AccessTokenRefreshError
- from oauth2client.client import flow_from_clientsecrets
- from oauth2client.file import Storage
- from oauth2client.tools import run
- _GOOGLE_API_CLIENT_INSTALLED=True
- _GOOGLE_API_CLIENT_VERSION = pkg_resources.get_distribution('google-api-python-client').version
-
- if LooseVersion(_GOOGLE_API_CLIENT_VERSION) >= '1.2.0':
- _GOOGLE_API_CLIENT_VALID_VERSION = True
-
- except ImportError:
- _GOOGLE_API_CLIENT_INSTALLED = False
-
-
- try:
- import gflags as flags
- _GOOGLE_FLAGS_INSTALLED = True
-
- _GOOGLE_FLAGS_VERSION = pkg_resources.get_distribution('python-gflags').version
+def _check_google_client_version():
+ if compat.PY3:
+ raise NotImplementedError("Google's libraries do not support Python 3 yet")
- if LooseVersion(_GOOGLE_FLAGS_VERSION) >= '2.0':
- _GOOGLE_FLAGS_VALID_VERSION = True
+ try:
+ import pkg_resources
- except ImportError:
- _GOOGLE_FLAGS_INSTALLED = False
+ except ImportError:
+ raise ImportError('Could not import pkg_resources (setuptools).')
- try:
- import httplib2
- _HTTPLIB2_INSTALLED = True
- except ImportError:
- _HTTPLIB2_INSTALLED = False
+ _GOOGLE_API_CLIENT_VERSION = pkg_resources.get_distribution('google-api-python-client').version
+ if LooseVersion(_GOOGLE_API_CLIENT_VERSION) < '1.2.0':
+ raise ImportError("pandas requires google-api-python-client >= 1.2.0 for Google "
+ "BigQuery support, current version " + _GOOGLE_API_CLIENT_VERSION)
logger = logging.getLogger('pandas.io.gbq')
logger.setLevel(logging.ERROR)
@@ -142,6 +89,16 @@ def __init__(self, project_id, reauth=False):
self.service = self.get_service(self.credentials)
def get_credentials(self):
+ try:
+ from oauth2client.client import OAuth2WebServerFlow
+ from oauth2client.file import Storage
+ from oauth2client.tools import run_flow, argparser
+
+ except ImportError:
+ raise ImportError('Could not import Google API Client.')
+
+ _check_google_client_version()
+
flow = OAuth2WebServerFlow(client_id='495642085510-k0tmvj2m941jhre2nbqka17vqpjfddtd.apps.googleusercontent.com',
client_secret='kOc9wMptUtxkcIFbtZCcrEAc',
scope='https://www.googleapis.com/auth/bigquery',
@@ -151,11 +108,25 @@ def get_credentials(self):
credentials = storage.get()
if credentials is None or credentials.invalid or self.reauth:
- credentials = run(flow, storage)
+ credentials = run_flow(flow, storage, argparser.parse_args([]))
return credentials
def get_service(self, credentials):
+ try:
+ import httplib2
+
+ except ImportError:
+ raise ImportError("pandas requires httplib2 for Google BigQuery support")
+
+ try:
+ from apiclient.discovery import build
+
+ except ImportError:
+ raise ImportError('Could not import Google API Client.')
+
+ _check_google_client_version()
+
http = httplib2.Http()
http = credentials.authorize(http)
bigquery_service = build('bigquery', 'v2', http=http)
@@ -163,6 +134,15 @@ def get_service(self, credentials):
return bigquery_service
def run_query(self, query):
+ try:
+ from apiclient.errors import HttpError
+ from oauth2client.client import AccessTokenRefreshError
+
+ except ImportError:
+ raise ImportError('Could not import Google API Client.')
+
+ _check_google_client_version()
+
job_collection = self.service.jobs()
job_data = {
'configuration': {
@@ -313,38 +293,6 @@ def _parse_entry(field_value, field_type):
return field_value == 'true'
return field_value
-def _test_imports():
-
- _importers()
- _GOOGLE_API_CLIENT_INSTALLED
- _GOOGLE_API_CLIENT_VALID_VERSION
- _GOOGLE_FLAGS_INSTALLED
- _GOOGLE_FLAGS_VALID_VERSION
- _HTTPLIB2_INSTALLED
- _SETUPTOOLS_INSTALLED
-
- if compat.PY3:
- raise NotImplementedError("Google's libraries do not support Python 3 yet")
-
- if not _SETUPTOOLS_INSTALLED:
- raise ImportError('Could not import pkg_resources (setuptools).')
-
- if not _GOOGLE_API_CLIENT_INSTALLED:
- raise ImportError('Could not import Google API Client.')
-
- if not _GOOGLE_FLAGS_INSTALLED:
- raise ImportError('Could not import Google Command Line Flags Module.')
-
- if not _GOOGLE_API_CLIENT_VALID_VERSION:
- raise ImportError("pandas requires google-api-python-client >= 1.2.0 for Google "
- "BigQuery support, current version " + _GOOGLE_API_CLIENT_VERSION)
-
- if not _GOOGLE_FLAGS_VALID_VERSION:
- raise ImportError("pandas requires python-gflags >= 2.0.0 for Google "
- "BigQuery support, current version " + _GOOGLE_FLAGS_VERSION)
-
- if not _HTTPLIB2_INSTALLED:
- raise ImportError("pandas requires httplib2 for Google BigQuery support")
def read_gbq(query, project_id = None, index_col=None, col_order=None, reauth=False):
"""Load data from Google BigQuery.
@@ -379,7 +327,6 @@ def read_gbq(query, project_id = None, index_col=None, col_order=None, reauth=Fa
"""
- _test_imports()
if not project_id:
raise TypeError("Missing required parameter: project_id")
@@ -450,7 +397,6 @@ def to_gbq(dataframe, destination_table, project_id=None, chunksize=10000,
if multiple accounts are used.
"""
- _test_imports()
if not project_id:
raise TypeError("Missing required parameter: project_id")
diff --git a/pandas/io/tests/test_gbq.py b/pandas/io/tests/test_gbq.py
index 2f79cc8ba1826..5417842d3f863 100644
--- a/pandas/io/tests/test_gbq.py
+++ b/pandas/io/tests/test_gbq.py
@@ -12,6 +12,9 @@
import numpy as np
+from distutils.version import LooseVersion
+from pandas import compat
+
from pandas import NaT
from pandas.compat import u
from pandas.core.frame import DataFrame
@@ -22,6 +25,12 @@
VERSION = platform.python_version()
+_IMPORTS = False
+_GOOGLE_API_CLIENT_INSTALLED = False
+_GOOGLE_API_CLIENT_VALID_VERSION = False
+_HTTPLIB2_INSTALLED = False
+_SETUPTOOLS_INSTALLED = False
+
def missing_bq():
try:
subprocess.call('bq')
@@ -29,9 +38,64 @@ def missing_bq():
except OSError:
return True
+def _test_imports():
+ if not compat.PY3:
+
+ global _GOOGLE_API_CLIENT_INSTALLED, _GOOGLE_API_CLIENT_VALID_VERSION, \
+ _HTTPLIB2_INSTALLED, _SETUPTOOLS_INSTALLED
+
+ try:
+ import pkg_resources
+ _SETUPTOOLS_INSTALLED = True
+ except ImportError:
+ _SETUPTOOLS_INSTALLED = False
+
+ if _SETUPTOOLS_INSTALLED:
+ try:
+ from apiclient.discovery import build
+ from apiclient.errors import HttpError
+
+ from oauth2client.client import OAuth2WebServerFlow
+ from oauth2client.client import AccessTokenRefreshError
+
+ from oauth2client.file import Storage
+ from oauth2client.tools import run_flow
+ _GOOGLE_API_CLIENT_INSTALLED=True
+ _GOOGLE_API_CLIENT_VERSION = pkg_resources.get_distribution('google-api-python-client').version
+
+ if LooseVersion(_GOOGLE_API_CLIENT_VERSION) >= '1.2.0':
+ _GOOGLE_API_CLIENT_VALID_VERSION = True
+
+ except ImportError:
+ _GOOGLE_API_CLIENT_INSTALLED = False
+
+
+ try:
+ import httplib2
+ _HTTPLIB2_INSTALLED = True
+ except ImportError:
+ _HTTPLIB2_INSTALLED = False
+
+
+ if compat.PY3:
+ raise NotImplementedError("Google's libraries do not support Python 3 yet")
+
+ if not _SETUPTOOLS_INSTALLED:
+ raise ImportError('Could not import pkg_resources (setuptools).')
+
+ if not _GOOGLE_API_CLIENT_INSTALLED:
+ raise ImportError('Could not import Google API Client.')
+
+ if not _GOOGLE_API_CLIENT_VALID_VERSION:
+ raise ImportError("pandas requires google-api-python-client >= 1.2.0 for Google "
+ "BigQuery support, current version " + _GOOGLE_API_CLIENT_VERSION)
+
+ if not _HTTPLIB2_INSTALLED:
+ raise ImportError("pandas requires httplib2 for Google BigQuery support")
+
def test_requirements():
try:
- gbq._test_imports()
+ _test_imports()
except (ImportError, NotImplementedError) as import_exception:
raise nose.SkipTest(import_exception)
| closes #9713
closes #8327
Changes to be committed:
modified: pandas/io/gbq.py
Moved google api imports into functions that call them, removed unused imports. This fixes #9713
| https://api.github.com/repos/pandas-dev/pandas/pulls/9722 | 2015-03-25T04:38:20Z | 2015-05-01T16:45:03Z | null | 2015-05-01T16:45:03Z |
DOC: fix api documentation for accessors | diff --git a/doc/_templates/autosummary/accessor.rst b/doc/_templates/autosummary/accessor.rst
new file mode 100644
index 0000000000000..1401121fb51c6
--- /dev/null
+++ b/doc/_templates/autosummary/accessor.rst
@@ -0,0 +1,6 @@
+{{ fullname }}
+{{ underline }}
+
+.. currentmodule:: {{ module.split('.')[0] }}
+
+.. automethod:: {{ [module.split('.')[1], objname]|join('.') }}
diff --git a/doc/_templates/autosummary/class_without_autosummary.rst b/doc/_templates/autosummary/class_without_autosummary.rst
new file mode 100644
index 0000000000000..6676c672b206d
--- /dev/null
+++ b/doc/_templates/autosummary/class_without_autosummary.rst
@@ -0,0 +1,6 @@
+{{ fullname }}
+{{ underline }}
+
+.. currentmodule:: {{ module }}
+
+.. autoclass:: {{ objname }}
diff --git a/doc/source/api.rst b/doc/source/api.rst
index 57ae089e463c8..3f47c0380116c 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -470,6 +470,7 @@ These can be accessed like ``Series.dt.<property>``.
Series.dt.microsecond
Series.dt.nanosecond
Series.dt.second
+ Series.dt.week
Series.dt.weekofyear
Series.dt.dayofweek
Series.dt.weekday
@@ -481,6 +482,10 @@ These can be accessed like ``Series.dt.<property>``.
Series.dt.is_quarter_end
Series.dt.is_year_start
Series.dt.is_year_end
+ Series.dt.daysinmonth
+ Series.dt.days_in_month
+ Series.dt.tz
+ Series.dt.freq
**Datetime Methods**
@@ -575,6 +580,20 @@ strings and apply several methods to it. These can be acccessed like
Series.str.isdecimal
Series.str.get_dummies
+..
+ The following is needed to ensure the generated pages are created with the
+ correct template (otherwise they would be created in the Series class page)
+
+..
+ .. autosummary::
+ :toctree: generated/
+ :template: autosummary/accessor.rst
+
+ Series.str
+ Series.cat
+ Series.dt
+
+
.. _api.categorical:
Categorical
@@ -582,22 +601,28 @@ Categorical
If the Series is of dtype ``category``, ``Series.cat`` can be used to change the the categorical
data. This accessor is similar to the ``Series.dt`` or ``Series.str`` and has the
-following usable methods and properties (all available as ``Series.cat.<method_or_property>``).
+following usable methods and properties:
+
+.. autosummary::
+ :toctree: generated/
+ :template: autosummary/accessor_attribute.rst
+
+ Series.cat.categories
+ Series.cat.ordered
+ Series.cat.codes
.. autosummary::
:toctree: generated/
+ :template: autosummary/accessor_method.rst
- Categorical.categories
- Categorical.ordered
- Categorical.rename_categories
- Categorical.reorder_categories
- Categorical.add_categories
- Categorical.remove_categories
- Categorical.remove_unused_categories
- Categorical.set_categories
- Categorical.as_ordered
- Categorical.as_unordered
- Categorical.codes
+ Series.cat.rename_categories
+ Series.cat.reorder_categories
+ Series.cat.add_categories
+ Series.cat.remove_categories
+ Series.cat.remove_unused_categories
+ Series.cat.set_categories
+ Series.cat.as_ordered
+ Series.cat.as_unordered
To create a Series of dtype ``category``, use ``cat = s.astype("category")``.
@@ -606,8 +631,13 @@ adding ordering information or special categories is need at creation time of th
.. autosummary::
:toctree: generated/
+ :template: autosummary/class_without_autosummary.rst
Categorical
+
+.. autosummary::
+ :toctree: generated/
+
Categorical.from_codes
``np.asarray(categorical)`` works by implementing the array interface. Be aware, that this converts
| Closes #9599
With this I updated the docs (assign docstring included in API, and the cat/str/dt accessors now documented correctly).
The Categorical page without methods and attributes is not yet working.
Will complete this for the v0.16.1 docs
| https://api.github.com/repos/pandas-dev/pandas/pulls/9721 | 2015-03-24T20:46:41Z | 2015-05-11T12:28:04Z | 2015-05-11T12:28:04Z | 2015-05-11T12:47:19Z |
Documentation how to drop duplicate indices | diff --git a/doc/source/indexing.rst b/doc/source/indexing.rst
index 5079b4fa8ad6f..1f50a9c85343c 100644
--- a/doc/source/indexing.rst
+++ b/doc/source/indexing.rst
@@ -1137,6 +1137,16 @@ should be taken instead.
df2.drop_duplicates(['a','b'])
df2.drop_duplicates(['a','b'], take_last=True)
+An easier way to drop duplicates on the index than to temporarily forgo it is
+``groupby(level=0)`` combined with ``first()`` or ``last()``.
+
+.. ipython:: python
+
+ df3 = df2.set_index('b')
+ df3
+ df3.reset_index().drop_duplicates(subset='b', take_last=False).set_index('b')
+ df3.groupby(level=0).first()
+
.. _indexing.dictionarylike:
Dictionary-like :meth:`~pandas.DataFrame.get` method
| fixes #9708
| https://api.github.com/repos/pandas-dev/pandas/pulls/9717 | 2015-03-24T12:50:10Z | 2015-03-25T22:57:26Z | null | 2015-03-25T22:57:26Z |
PERF: add initial asv config and vbench->asv conversion script | diff --git a/asv_bench/asv.conf.json b/asv_bench/asv.conf.json
new file mode 100644
index 0000000000000..ddb6d97de43b5
--- /dev/null
+++ b/asv_bench/asv.conf.json
@@ -0,0 +1,64 @@
+{
+ // The version of the config file format. Do not change, unless
+ // you know what you are doing.
+ "version": 1,
+
+ // The name of the project being benchmarked
+ "project": "pandas",
+
+ // The project's homepage
+ "project_url": "http://pandas.pydata.org/",
+
+ // The URL of the source code repository for the project being
+ // benchmarked
+ "repo": "..",
+
+ // The tool to use to create environments. May be "conda",
+ // "virtualenv" or other value depending on the plugins in use.
+ // If missing or the empty string, the tool will be automatically
+ // determined by looking for tools on the PATH environment
+ // variable.
+ "environment_type": "conda",
+
+ // the base URL to show a commit for the project.
+ "show_commit_url": "https://github.com/pydata/pandas/commit/",
+
+ // The Pythons you'd like to test against. If not provided, defaults
+ // to the current version of Python used to run `asv`.
+ "pythons": ["2.7", "3.4"],
+
+ // The matrix of dependencies to test. Each key is the name of a
+ // package (in PyPI) and the values are version numbers. An empty
+ // list indicates to just test against the default (latest)
+ // version.
+ "matrix": {
+ // To run against multiple versions, replace with
+ // "numpy": ["1.7", "1.9"],
+ "numpy": [],
+ "Cython": [],
+ "matplotlib": [],
+ "sqlalchemy": [],
+ "scipy": [],
+ "pytables": [],
+ },
+
+ // The directory (relative to the current directory) that benchmarks are
+ // stored in. If not provided, defaults to "benchmarks"
+ // "benchmark_dir": "benchmarks",
+
+ // The directory (relative to the current directory) to cache the Python
+ // environments in. If not provided, defaults to "env"
+ // "env_dir": "env",
+
+
+ // The directory (relative to the current directory) that raw benchmark
+ // results are stored in. If not provided, defaults to "results".
+ // "results_dir": "results",
+
+ // The directory (relative to the current directory) that the html tree
+ // should be written to. If not provided, defaults to "html".
+ // "html_dir": "html",
+
+ // The number of characters to retain in the commit hashes.
+ // "hash_length": 8
+}
diff --git a/asv_bench/benchmarks/__init__.py b/asv_bench/benchmarks/__init__.py
new file mode 100644
index 0000000000000..e69de29bb2d1d
diff --git a/asv_bench/benchmarks/attrs_caching.py b/asv_bench/benchmarks/attrs_caching.py
new file mode 100644
index 0000000000000..ecb91923dc663
--- /dev/null
+++ b/asv_bench/benchmarks/attrs_caching.py
@@ -0,0 +1,23 @@
+from pandas_vb_common import *
+
+
+class getattr_dataframe_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10, 6))
+ self.cur_index = self.df.index
+
+ def time_getattr_dataframe_index(self):
+ self.foo = self.df.index
+
+
+class setattr_dataframe_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10, 6))
+ self.cur_index = self.df.index
+
+ def time_setattr_dataframe_index(self):
+ self.df.index = self.cur_index
\ No newline at end of file
diff --git a/asv_bench/benchmarks/binary_ops.py b/asv_bench/benchmarks/binary_ops.py
new file mode 100644
index 0000000000000..13976014ec6f1
--- /dev/null
+++ b/asv_bench/benchmarks/binary_ops.py
@@ -0,0 +1,236 @@
+from pandas_vb_common import *
+import pandas.computation.expressions as expr
+
+
+class frame_add(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+
+ def time_frame_add(self):
+ (self.df + self.df2)
+
+
+class frame_add_no_ne(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_use_numexpr(False)
+
+ def time_frame_add_no_ne(self):
+ (self.df + self.df2)
+
+ def teardown(self):
+ expr.set_use_numexpr(True)
+
+
+class frame_add_st(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_frame_add_st(self):
+ (self.df + self.df2)
+
+ def teardown(self):
+ expr.set_numexpr_threads()
+
+
+class frame_float_div(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 1000))
+ self.df2 = DataFrame(np.random.randn(1000, 1000))
+
+ def time_frame_float_div(self):
+ (self.df // self.df2)
+
+
+class frame_float_div_by_zero(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 1000))
+
+ def time_frame_float_div_by_zero(self):
+ (self.df / 0)
+
+
+class frame_float_floor_by_zero(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 1000))
+
+ def time_frame_float_floor_by_zero(self):
+ (self.df // 0)
+
+
+class frame_float_mod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 1000))
+ self.df2 = DataFrame(np.random.randn(1000, 1000))
+
+ def time_frame_float_mod(self):
+ (self.df / self.df2)
+
+
+class frame_int_div_by_zero(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
+
+ def time_frame_int_div_by_zero(self):
+ (self.df / 0)
+
+
+class frame_int_mod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
+ self.df2 = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
+
+ def time_frame_int_mod(self):
+ (self.df / self.df2)
+
+
+class frame_mult(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+
+ def time_frame_mult(self):
+ (self.df * self.df2)
+
+
+class frame_mult_no_ne(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_use_numexpr(False)
+
+ def time_frame_mult_no_ne(self):
+ (self.df * self.df2)
+
+ def teardown(self):
+ expr.set_use_numexpr(True)
+
+
+class frame_mult_st(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_frame_mult_st(self):
+ (self.df * self.df2)
+
+ def teardown(self):
+ expr.set_numexpr_threads()
+
+
+class frame_multi_and(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+
+ def time_frame_multi_and(self):
+ self.df[((self.df > 0) & (self.df2 > 0))]
+
+
+class frame_multi_and_no_ne(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_use_numexpr(False)
+
+ def time_frame_multi_and_no_ne(self):
+ self.df[((self.df > 0) & (self.df2 > 0))]
+
+ def teardown(self):
+ expr.set_use_numexpr(True)
+
+
+class frame_multi_and_st(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_frame_multi_and_st(self):
+ self.df[((self.df > 0) & (self.df2 > 0))]
+
+ def teardown(self):
+ expr.set_numexpr_threads()
+
+
+class series_timestamp_compare(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.halfway = ((self.N // 2) - 1)
+ self.s = Series(date_range('20010101', periods=self.N, freq='T'))
+ self.ts = self.s[self.halfway]
+
+ def time_series_timestamp_compare(self):
+ (self.s <= self.ts)
+
+
+class timestamp_ops_diff1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.s = Series(date_range('20010101', periods=self.N, freq='s'))
+
+ def time_timestamp_ops_diff1(self):
+ self.s.diff()
+
+
+class timestamp_ops_diff2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.s = Series(date_range('20010101', periods=self.N, freq='s'))
+
+ def time_timestamp_ops_diff2(self):
+ (self.s - self.s.shift())
+
+
+class timestamp_series_compare(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.halfway = ((self.N // 2) - 1)
+ self.s = Series(date_range('20010101', periods=self.N, freq='T'))
+ self.ts = self.s[self.halfway]
+
+ def time_timestamp_series_compare(self):
+ (self.ts >= self.s)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/categoricals.py b/asv_bench/benchmarks/categoricals.py
new file mode 100644
index 0000000000000..34caef221a340
--- /dev/null
+++ b/asv_bench/benchmarks/categoricals.py
@@ -0,0 +1,11 @@
+from pandas_vb_common import *
+
+
+class concat_categorical(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = pd.Series((list('aabbcd') * 1000000)).astype('category')
+
+ def time_concat_categorical(self):
+ concat([self.s, self.s])
\ No newline at end of file
diff --git a/asv_bench/benchmarks/ctors.py b/asv_bench/benchmarks/ctors.py
new file mode 100644
index 0000000000000..b48211b3db83e
--- /dev/null
+++ b/asv_bench/benchmarks/ctors.py
@@ -0,0 +1,52 @@
+from pandas_vb_common import *
+
+
+class frame_constructor_ndarray(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randn(100, 100)
+
+ def time_frame_constructor_ndarray(self):
+ DataFrame(self.arr)
+
+
+class ctor_index_array_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.array(['foo', 'bar', 'baz'], dtype=object)
+
+ def time_ctor_index_array_string(self):
+ Index(self.data)
+
+
+class series_constructor_ndarray(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(100)
+ self.index = Index(np.arange(100))
+
+ def time_series_constructor_ndarray(self):
+ Series(self.data, index=self.index)
+
+
+class dtindex_from_series_ctor(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(([Timestamp('20110101'), Timestamp('20120101'), Timestamp('20130101')] * 1000))
+
+ def time_dtindex_from_series_ctor(self):
+ DatetimeIndex(self.s)
+
+
+class index_from_series_ctor(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(([Timestamp('20110101'), Timestamp('20120101'), Timestamp('20130101')] * 1000))
+
+ def time_index_from_series_ctor(self):
+ Index(self.s)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/eval.py b/asv_bench/benchmarks/eval.py
new file mode 100644
index 0000000000000..397312355aa47
--- /dev/null
+++ b/asv_bench/benchmarks/eval.py
@@ -0,0 +1,239 @@
+from pandas_vb_common import *
+import pandas.computation.expressions as expr
+import pandas as pd
+
+
+class eval_frame_add_all_threads(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_add_all_threads(self):
+ pd.eval('df + df2 + df3 + df4')
+
+
+class eval_frame_add_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_add_one_thread(self):
+ pd.eval('df + df2 + df3 + df4')
+
+
+class eval_frame_add_python(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_add_python(self):
+ pd.eval('df + df2 + df3 + df4', engine='python')
+
+
+class eval_frame_add_python_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_add_python_one_thread(self):
+ pd.eval('df + df2 + df3 + df4', engine='python')
+
+
+class eval_frame_and_all_threads(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_and_all_threads(self):
+ pd.eval('(df > 0) & (df2 > 0) & (df3 > 0) & (df4 > 0)')
+
+
+class eval_frame_and_python_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_and_python_one_thread(self):
+ pd.eval('(df > 0) & (df2 > 0) & (df3 > 0) & (df4 > 0)', engine='python')
+
+
+class eval_frame_and_python(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_and_python(self):
+ pd.eval('(df > 0) & (df2 > 0) & (df3 > 0) & (df4 > 0)', engine='python')
+
+
+class eval_frame_chained_cmp_all_threads(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_chained_cmp_all_threads(self):
+ pd.eval('df < df2 < df3 < df4')
+
+
+class eval_frame_chained_cmp_python_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_chained_cmp_python_one_thread(self):
+ pd.eval('df < df2 < df3 < df4', engine='python')
+
+
+class eval_frame_chained_cmp_python(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_chained_cmp_python(self):
+ pd.eval('df < df2 < df3 < df4', engine='python')
+
+
+class eval_frame_mult_all_threads(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_mult_all_threads(self):
+ pd.eval('df * df2 * df3 * df4')
+
+
+class eval_frame_mult_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_mult_one_thread(self):
+ pd.eval('df * df2 * df3 * df4')
+
+
+class eval_frame_mult_python(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+
+ def time_eval_frame_mult_python(self):
+ pd.eval('df * df2 * df3 * df4', engine='python')
+
+
+class eval_frame_mult_python_one_thread(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(20000, 100))
+ self.df2 = DataFrame(np.random.randn(20000, 100))
+ self.df3 = DataFrame(np.random.randn(20000, 100))
+ self.df4 = DataFrame(np.random.randn(20000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_eval_frame_mult_python_one_thread(self):
+ pd.eval('df * df2 * df3 * df4', engine='python')
+
+
+class query_datetime_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.halfway = ((self.N // 2) - 1)
+ self.index = date_range('20010101', periods=self.N, freq='T')
+ self.s = Series(self.index)
+ self.ts = self.s.iloc[self.halfway]
+ self.df = DataFrame({'a': np.random.randn(self.N), }, index=self.index)
+
+ def time_query_datetime_index(self):
+ self.df.query('index < @ts')
+
+
+class query_datetime_series(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.halfway = ((self.N // 2) - 1)
+ self.index = date_range('20010101', periods=self.N, freq='T')
+ self.s = Series(self.index)
+ self.ts = self.s.iloc[self.halfway]
+ self.df = DataFrame({'dates': self.s.values, })
+
+ def time_query_datetime_series(self):
+ self.df.query('dates < @ts')
+
+
+class query_with_boolean_selection(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.halfway = ((self.N // 2) - 1)
+ self.index = date_range('20010101', periods=self.N, freq='T')
+ self.s = Series(self.index)
+ self.ts = self.s.iloc[self.halfway]
+ self.N = 1000000
+ self.df = DataFrame({'a': np.random.randn(self.N), })
+ self.min_val = self.df['a'].min()
+ self.max_val = self.df['a'].max()
+
+ def time_query_with_boolean_selection(self):
+ self.df.query('(a >= @min_val) & (a <= @max_val)')
\ No newline at end of file
diff --git a/asv_bench/benchmarks/frame_ctor.py b/asv_bench/benchmarks/frame_ctor.py
new file mode 100644
index 0000000000000..2cb337e0e6b9d
--- /dev/null
+++ b/asv_bench/benchmarks/frame_ctor.py
@@ -0,0 +1,1706 @@
+from pandas_vb_common import *
+try:
+ from pandas.tseries.offsets import *
+except:
+ from pandas.core.datetools import *
+
+
+class frame_ctor_dtindex_BDayx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BDay(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BDayx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BDayx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BDay(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BDayx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BMonthBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BMonthBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BMonthBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BMonthBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BMonthBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BMonthBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BMonthEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BMonthEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BMonthEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BMonthEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BMonthEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BMonthEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BQuarterBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BQuarterBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BQuarterBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BQuarterBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BQuarterBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BQuarterBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BQuarterEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BQuarterEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BQuarterEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BQuarterEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BQuarterEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BQuarterEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BYearBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BYearBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BYearBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BYearBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BYearBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BYearBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BYearEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BYearEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BYearEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BYearEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BYearEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BYearEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BusinessDayx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BusinessDay(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BusinessDayx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BusinessDayx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BusinessDay(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BusinessDayx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BusinessHourx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BusinessHour(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BusinessHourx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_BusinessHourx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(BusinessHour(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_BusinessHourx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CBMonthBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CBMonthBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CBMonthBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CBMonthBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CBMonthBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CBMonthBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CBMonthEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CBMonthEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CBMonthEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CBMonthEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CBMonthEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CBMonthEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CDayx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CDay(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CDayx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CDayx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CDay(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CDayx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CustomBusinessDayx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CustomBusinessDay(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CustomBusinessDayx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_CustomBusinessDayx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(CustomBusinessDay(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_CustomBusinessDayx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_DateOffsetx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(DateOffset(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_DateOffsetx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_DateOffsetx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(DateOffset(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_DateOffsetx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Dayx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Day(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Dayx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Dayx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Day(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Dayx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Easterx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Easter(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Easterx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Easterx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Easter(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Easterx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253Quarterx1__variation_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253Quarter(1, **{'startingMonth': 1, 'qtr_with_extra_week': 1, 'weekday': 1, 'variation': 'last', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253Quarterx1__variation_last(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253Quarterx1__variation_nearest(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253Quarter(1, **{'startingMonth': 1, 'qtr_with_extra_week': 1, 'weekday': 1, 'variation': 'nearest', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253Quarterx1__variation_nearest(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253Quarterx2__variation_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253Quarter(2, **{'startingMonth': 1, 'qtr_with_extra_week': 1, 'weekday': 1, 'variation': 'last', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253Quarterx2__variation_last(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253Quarterx2__variation_nearest(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253Quarter(2, **{'startingMonth': 1, 'qtr_with_extra_week': 1, 'weekday': 1, 'variation': 'nearest', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253Quarterx2__variation_nearest(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253x1__variation_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253(1, **{'startingMonth': 1, 'weekday': 1, 'variation': 'last', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253x1__variation_last(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253x1__variation_nearest(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253(1, **{'startingMonth': 1, 'weekday': 1, 'variation': 'nearest', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253x1__variation_nearest(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253x2__variation_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253(2, **{'startingMonth': 1, 'weekday': 1, 'variation': 'last', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253x2__variation_last(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_FY5253x2__variation_nearest(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(FY5253(2, **{'startingMonth': 1, 'weekday': 1, 'variation': 'nearest', }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_FY5253x2__variation_nearest(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Hourx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Hour(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Hourx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Hourx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Hour(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Hourx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_LastWeekOfMonthx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(LastWeekOfMonth(1, **{'week': 1, 'weekday': 1, }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_LastWeekOfMonthx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_LastWeekOfMonthx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(LastWeekOfMonth(2, **{'week': 1, 'weekday': 1, }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_LastWeekOfMonthx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Microx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Micro(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Microx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Microx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Micro(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Microx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Millix1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Milli(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Millix1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Millix2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Milli(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Millix2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Minutex1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Minute(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Minutex1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Minutex2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Minute(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Minutex2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_MonthBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(MonthBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_MonthBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_MonthBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(MonthBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_MonthBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_MonthEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(MonthEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_MonthEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_MonthEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(MonthEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_MonthEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Nanox1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Nano(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Nanox1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Nanox2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Nano(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Nanox2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_QuarterBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(QuarterBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_QuarterBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_QuarterBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(QuarterBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_QuarterBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_QuarterEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(QuarterEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_QuarterEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_QuarterEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(QuarterEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_QuarterEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Secondx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Second(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Secondx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Secondx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Second(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Secondx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_WeekOfMonthx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(WeekOfMonth(1, **{'week': 1, 'weekday': 1, }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_WeekOfMonthx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_WeekOfMonthx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(WeekOfMonth(2, **{'week': 1, 'weekday': 1, }))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_WeekOfMonthx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Weekx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Week(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Weekx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_Weekx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(Week(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_Weekx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_YearBeginx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(YearBegin(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_YearBeginx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_YearBeginx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(YearBegin(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_YearBeginx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_YearEndx1(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(YearEnd(1, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_YearEndx1(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_dtindex_YearEndx2(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_period_count(start_date, off):
+ self.ten_offsets_in_days = ((start_date + (off * 10)) - start_date).days
+ if (self.ten_offsets_in_days == 0):
+ return 1000
+ else:
+ return min((9 * ((Timestamp.max - start_date).days // self.ten_offsets_in_days)), 1000)
+
+ def get_index_for_offset(off):
+ self.start_date = Timestamp('1/1/1900')
+ return date_range(self.start_date, periods=min(1000, get_period_count(self.start_date, off)), freq=off)
+ self.idx = get_index_for_offset(YearEnd(2, **{}))
+ self.df = DataFrame(np.random.randn(len(self.idx), 10), index=self.idx)
+ self.d = dict([(col, self.df[col]) for col in self.df.columns])
+
+ def time_frame_ctor_dtindex_YearEndx2(self):
+ DataFrame(self.d)
+
+
+class frame_ctor_list_of_dict(object):
+ goal_time = 0.2
+
+ def setup(self):
+ (N, K) = (5000, 50)
+ self.index = tm.makeStringIndex(N)
+ self.columns = tm.makeStringIndex(K)
+ self.frame = DataFrame(np.random.randn(N, K), index=self.index, columns=self.columns)
+ try:
+ self.data = self.frame.to_dict()
+ except:
+ self.data = self.frame.toDict()
+ self.some_dict = self.data.values()[0]
+ self.dict_list = [dict(zip(self.columns, row)) for row in self.frame.values]
+
+ def time_frame_ctor_list_of_dict(self):
+ DataFrame(self.dict_list)
+
+
+class frame_ctor_nested_dict(object):
+ goal_time = 0.2
+
+ def setup(self):
+ (N, K) = (5000, 50)
+ self.index = tm.makeStringIndex(N)
+ self.columns = tm.makeStringIndex(K)
+ self.frame = DataFrame(np.random.randn(N, K), index=self.index, columns=self.columns)
+ try:
+ self.data = self.frame.to_dict()
+ except:
+ self.data = self.frame.toDict()
+ self.some_dict = self.data.values()[0]
+ self.dict_list = [dict(zip(self.columns, row)) for row in self.frame.values]
+
+ def time_frame_ctor_nested_dict(self):
+ DataFrame(self.data)
+
+
+class frame_ctor_nested_dict_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = dict(((i, dict(((j, float(j)) for j in xrange(100)))) for i in xrange(2000)))
+
+ def time_frame_ctor_nested_dict_int64(self):
+ DataFrame(self.data)
+
+
+class frame_from_series(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.mi = MultiIndex.from_tuples([(x, y) for x in range(100) for y in range(100)])
+ self.s = Series(randn(10000), index=self.mi)
+
+ def time_frame_from_series(self):
+ DataFrame(self.s)
+
+
+class frame_get_numeric_data(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 25))
+ self.df['foo'] = 'bar'
+ self.df['bar'] = 'baz'
+ self.df = self.df.consolidate()
+
+ def time_frame_get_numeric_data(self):
+ self.df._get_numeric_data()
+
+
+class series_ctor_from_dict(object):
+ goal_time = 0.2
+
+ def setup(self):
+ (N, K) = (5000, 50)
+ self.index = tm.makeStringIndex(N)
+ self.columns = tm.makeStringIndex(K)
+ self.frame = DataFrame(np.random.randn(N, K), index=self.index, columns=self.columns)
+ try:
+ self.data = self.frame.to_dict()
+ except:
+ self.data = self.frame.toDict()
+ self.some_dict = self.data.values()[0]
+ self.dict_list = [dict(zip(self.columns, row)) for row in self.frame.values]
+
+ def time_series_ctor_from_dict(self):
+ Series(self.some_dict)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/frame_methods.py b/asv_bench/benchmarks/frame_methods.py
new file mode 100644
index 0000000000000..2bd51201b45ca
--- /dev/null
+++ b/asv_bench/benchmarks/frame_methods.py
@@ -0,0 +1,936 @@
+from pandas_vb_common import *
+
+
+class frame_apply_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 100))
+
+ def time_frame_apply_axis_1(self):
+ self.df.apply((lambda x: (x + 1)), axis=1)
+
+
+class frame_apply_lambda_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 100))
+
+ def time_frame_apply_lambda_mean(self):
+ self.df.apply((lambda x: x.sum()))
+
+
+class frame_apply_np_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 100))
+
+ def time_frame_apply_np_mean(self):
+ self.df.apply(np.mean)
+
+
+class frame_apply_pass_thru(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 100))
+
+ def time_frame_apply_pass_thru(self):
+ self.df.apply((lambda x: x))
+
+
+class frame_apply_ref_by_name(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 3), columns=list('ABC'))
+
+ def time_frame_apply_ref_by_name(self):
+ self.df.apply((lambda x: (x['A'] + x['B'])), axis=1)
+
+
+class frame_apply_user_func(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.arange(1028.0))
+ self.df = DataFrame({i: self.s for i in range(1028)})
+
+ def time_frame_apply_user_func(self):
+ self.df.apply((lambda x: np.corrcoef(x, self.s)[(0, 1)]))
+
+
+class frame_assign_timeseries_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = date_range('1/1/2000', periods=100000, freq='D')
+ self.df = DataFrame(randn(100000, 1), columns=['A'], index=self.idx)
+
+ def f(x):
+ self.x = self.x.copy()
+ self.x['date'] = self.x.index
+
+ def time_frame_assign_timeseries_index(self):
+ f(self.df)
+
+
+class frame_boolean_row_select(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 100))
+ self.bool_arr = np.zeros(10000, dtype=bool)
+ self.bool_arr[:1000] = True
+
+ def time_frame_boolean_row_select(self):
+ self.df[self.bool_arr]
+
+
+class frame_count_level_axis0_mixed_dtypes_multi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+ self.df.index = MultiIndex.from_tuples(self.df.index.map((lambda x: (x, x))))
+ self.df.columns = MultiIndex.from_tuples(self.df.columns.map((lambda x: (x, x))))
+
+ def time_frame_count_level_axis0_mixed_dtypes_multi(self):
+ self.df.count(axis=0, level=1)
+
+
+class frame_count_level_axis0_multi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df.index = MultiIndex.from_tuples(self.df.index.map((lambda x: (x, x))))
+ self.df.columns = MultiIndex.from_tuples(self.df.columns.map((lambda x: (x, x))))
+
+ def time_frame_count_level_axis0_multi(self):
+ self.df.count(axis=0, level=1)
+
+
+class frame_count_level_axis1_mixed_dtypes_multi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+ self.df.index = MultiIndex.from_tuples(self.df.index.map((lambda x: (x, x))))
+ self.df.columns = MultiIndex.from_tuples(self.df.columns.map((lambda x: (x, x))))
+
+ def time_frame_count_level_axis1_mixed_dtypes_multi(self):
+ self.df.count(axis=1, level=1)
+
+
+class frame_count_level_axis1_multi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df.index = MultiIndex.from_tuples(self.df.index.map((lambda x: (x, x))))
+ self.df.columns = MultiIndex.from_tuples(self.df.columns.map((lambda x: (x, x))))
+
+ def time_frame_count_level_axis1_multi(self):
+ self.df.count(axis=1, level=1)
+
+
+class frame_dropna_axis0_all(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+
+ def time_frame_dropna_axis0_all(self):
+ self.df.dropna(how='all', axis=0)
+
+
+class frame_dropna_axis0_all_mixed_dtypes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+
+ def time_frame_dropna_axis0_all_mixed_dtypes(self):
+ self.df.dropna(how='all', axis=0)
+
+
+class frame_dropna_axis0_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+
+ def time_frame_dropna_axis0_any(self):
+ self.df.dropna(how='any', axis=0)
+
+
+class frame_dropna_axis0_any_mixed_dtypes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+
+ def time_frame_dropna_axis0_any_mixed_dtypes(self):
+ self.df.dropna(how='any', axis=0)
+
+
+class frame_dropna_axis1_all(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+
+ def time_frame_dropna_axis1_all(self):
+ self.df.dropna(how='all', axis=1)
+
+
+class frame_dropna_axis1_all_mixed_dtypes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+
+ def time_frame_dropna_axis1_all_mixed_dtypes(self):
+ self.df.dropna(how='all', axis=1)
+
+
+class frame_dropna_axis1_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+
+ def time_frame_dropna_axis1_any(self):
+ self.df.dropna(how='any', axis=1)
+
+
+class frame_dropna_axis1_any_mixed_dtypes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(10000, 1000)
+ self.df = DataFrame(self.data)
+ self.df.ix[50:1000, 20:50] = np.nan
+ self.df.ix[2000:3000] = np.nan
+ self.df.ix[:, 60:70] = np.nan
+ self.df['foo'] = 'bar'
+
+ def time_frame_dropna_axis1_any_mixed_dtypes(self):
+ self.df.dropna(how='any', axis=1)
+
+
+class frame_dtypes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 1000))
+
+ def time_frame_dtypes(self):
+ self.df.dtypes
+
+
+class frame_duplicated(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = (1 << 20)
+ self.t = date_range('2015-01-01', freq='S', periods=(self.n // 64))
+ self.xs = np.random.randn((self.n // 64)).round(2)
+ self.df = DataFrame({'a': np.random.randint(((-1) << 8), (1 << 8), self.n), 'b': np.random.choice(self.t, self.n), 'c': np.random.choice(self.xs, self.n), })
+
+ def time_frame_duplicated(self):
+ self.df.duplicated()
+
+
+class frame_fancy_lookup(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10000, 8), columns=list('abcdefgh'))
+ self.df['foo'] = 'bar'
+ self.row_labels = list(self.df.index[::10])[:900]
+ self.col_labels = (list(self.df.columns) * 100)
+ self.row_labels_all = np.array((list(self.df.index) * len(self.df.columns)), dtype='object')
+ self.col_labels_all = np.array((list(self.df.columns) * len(self.df.index)), dtype='object')
+
+ def time_frame_fancy_lookup(self):
+ self.df.lookup(self.row_labels, self.col_labels)
+
+
+class frame_fancy_lookup_all(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10000, 8), columns=list('abcdefgh'))
+ self.df['foo'] = 'bar'
+ self.row_labels = list(self.df.index[::10])[:900]
+ self.col_labels = (list(self.df.columns) * 100)
+ self.row_labels_all = np.array((list(self.df.index) * len(self.df.columns)), dtype='object')
+ self.col_labels_all = np.array((list(self.df.columns) * len(self.df.index)), dtype='object')
+
+ def time_frame_fancy_lookup_all(self):
+ self.df.lookup(self.row_labels_all, self.col_labels_all)
+
+
+class frame_fillna_inplace(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 100))
+ self.df.values[::2] = np.nan
+
+ def time_frame_fillna_inplace(self):
+ self.df.fillna(0, inplace=True)
+
+
+class frame_float_equal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_float_equal(self):
+ test_equal('float_df')
+
+
+class frame_float_unequal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_float_unequal(self):
+ test_unequal('float_df')
+
+
+class frame_from_records_generator(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_data(n=100000):
+ return ((x, (x * 20), (x * 100)) for x in xrange(n))
+
+ def time_frame_from_records_generator(self):
+ self.df = DataFrame.from_records(get_data())
+
+
+class frame_from_records_generator_nrows(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def get_data(n=100000):
+ return ((x, (x * 20), (x * 100)) for x in xrange(n))
+
+ def time_frame_from_records_generator_nrows(self):
+ self.df = DataFrame.from_records(get_data(), nrows=1000)
+
+
+class frame_get_dtype_counts(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pandas.DataFrame(np.random.randn(10, 10000))
+
+ def time_frame_get_dtype_counts(self):
+ self.df.get_dtype_counts()
+
+
+class frame_getitem_single_column(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 1000))
+ self.df2 = DataFrame(randn(3000, 1), columns=['A'])
+ self.df3 = DataFrame(randn(3000, 1))
+
+ def f():
+ if hasattr(self.df, '_item_cache'):
+ self.df._item_cache.clear()
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def g():
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def h():
+ for i in xrange(10000):
+ self.df2['A']
+
+ def j():
+ for i in xrange(10000):
+ self.df3[0]
+
+ def time_frame_getitem_single_column(self):
+ h()
+
+
+class frame_getitem_single_column2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 1000))
+ self.df2 = DataFrame(randn(3000, 1), columns=['A'])
+ self.df3 = DataFrame(randn(3000, 1))
+
+ def f():
+ if hasattr(self.df, '_item_cache'):
+ self.df._item_cache.clear()
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def g():
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def h():
+ for i in xrange(10000):
+ self.df2['A']
+
+ def j():
+ for i in xrange(10000):
+ self.df3[0]
+
+ def time_frame_getitem_single_column2(self):
+ j()
+
+
+class frame_html_repr_trunc_mi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.nrows = 10000
+ self.data = randn(self.nrows, 10)
+ self.idx = MultiIndex.from_arrays(np.tile(randn(3, (self.nrows / 100)), 100))
+ self.df = DataFrame(self.data, index=self.idx)
+
+ def time_frame_html_repr_trunc_mi(self):
+ self.df._repr_html_()
+
+
+class frame_html_repr_trunc_si(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.nrows = 10000
+ self.data = randn(self.nrows, 10)
+ self.idx = randn(self.nrows)
+ self.df = DataFrame(self.data, index=self.idx)
+
+ def time_frame_html_repr_trunc_si(self):
+ self.df._repr_html_()
+
+
+class frame_insert_100_columns_begin(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000
+
+ def f(K=100):
+ self.df = DataFrame(index=range(self.N))
+ self.new_col = np.random.randn(self.N)
+ for i in range(K):
+ self.df.insert(0, i, self.new_col)
+
+ def time_frame_insert_100_columns_begin(self):
+ f()
+
+
+class frame_insert_500_columns_end(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000
+
+ def f(K=500):
+ self.df = DataFrame(index=range(self.N))
+ self.new_col = np.random.randn(self.N)
+ for i in range(K):
+ self.df[i] = self.new_col
+
+ def time_frame_insert_500_columns_end(self):
+ f()
+
+
+class frame_interpolate(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 100))
+ self.df.values[::2] = np.nan
+
+ def time_frame_interpolate(self):
+ self.df.interpolate()
+
+
+class frame_interpolate_some_good(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'A': np.arange(0, 10000), 'B': np.random.randint(0, 100, 10000), 'C': randn(10000), 'D': randn(10000), })
+ self.df.loc[1::5, 'A'] = np.nan
+ self.df.loc[1::5, 'C'] = np.nan
+
+ def time_frame_interpolate_some_good(self):
+ self.df.interpolate()
+
+
+class frame_interpolate_some_good_infer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'A': np.arange(0, 10000), 'B': np.random.randint(0, 100, 10000), 'C': randn(10000), 'D': randn(10000), })
+ self.df.loc[1::5, 'A'] = np.nan
+ self.df.loc[1::5, 'C'] = np.nan
+
+ def time_frame_interpolate_some_good_infer(self):
+ self.df.interpolate(downcast='infer')
+
+
+class frame_isnull(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(1000, 1000)
+ self.df = DataFrame(self.data)
+
+ def time_frame_isnull(self):
+ isnull(self.df)
+
+
+class frame_iteritems(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 1000))
+ self.df2 = DataFrame(randn(3000, 1), columns=['A'])
+ self.df3 = DataFrame(randn(3000, 1))
+
+ def f():
+ if hasattr(self.df, '_item_cache'):
+ self.df._item_cache.clear()
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def g():
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def h():
+ for i in xrange(10000):
+ self.df2['A']
+
+ def j():
+ for i in xrange(10000):
+ self.df3[0]
+
+ def time_frame_iteritems(self):
+ f()
+
+
+class frame_iteritems_cached(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 1000))
+ self.df2 = DataFrame(randn(3000, 1), columns=['A'])
+ self.df3 = DataFrame(randn(3000, 1))
+
+ def f():
+ if hasattr(self.df, '_item_cache'):
+ self.df._item_cache.clear()
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def g():
+ for (name, col) in self.df.iteritems():
+ pass
+
+ def h():
+ for i in xrange(10000):
+ self.df2['A']
+
+ def j():
+ for i in xrange(10000):
+ self.df3[0]
+
+ def time_frame_iteritems_cached(self):
+ g()
+
+
+class frame_mask_bools(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(1000, 500)
+ self.df = DataFrame(self.data)
+ self.df = self.df.where((self.df > 0))
+ self.bools = (self.df > 0)
+ self.mask = isnull(self.df)
+
+ def time_frame_mask_bools(self):
+ self.bools.mask(self.mask)
+
+
+class frame_mask_floats(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(1000, 500)
+ self.df = DataFrame(self.data)
+ self.df = self.df.where((self.df > 0))
+ self.bools = (self.df > 0)
+ self.mask = isnull(self.df)
+
+ def time_frame_mask_floats(self):
+ self.bools.astype(float).mask(self.mask)
+
+
+class frame_nonunique_equal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_nonunique_equal(self):
+ test_equal('nonunique_cols')
+
+
+class frame_nonunique_unequal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_nonunique_unequal(self):
+ test_unequal('nonunique_cols')
+
+
+class frame_object_equal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_object_equal(self):
+ test_equal('object_df')
+
+
+class frame_object_unequal(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_pair(frame):
+ self.df = frame
+ self.df2 = self.df.copy()
+ self.df2.ix[((-1), (-1))] = np.nan
+ return (self.df, self.df2)
+
+ def test_equal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df)
+
+ def test_unequal(name):
+ (self.df, self.df2) = pairs[name]
+ return self.df.equals(self.df2)
+ self.float_df = DataFrame(np.random.randn(1000, 1000))
+ self.object_df = DataFrame(([(['foo'] * 1000)] * 1000))
+ self.nonunique_cols = self.object_df.copy()
+ self.nonunique_cols.columns = (['A'] * len(self.nonunique_cols.columns))
+ self.pairs = dict([(name, make_pair(frame)) for (name, frame) in (('float_df', self.float_df), ('object_df', self.object_df), ('nonunique_cols', self.nonunique_cols))])
+
+ def time_frame_object_unequal(self):
+ test_unequal('object_df')
+
+
+class frame_reindex_axis0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 10000))
+ self.idx = np.arange(4000, 7000)
+
+ def time_frame_reindex_axis0(self):
+ self.df.reindex(self.idx)
+
+
+class frame_reindex_axis1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 10000))
+ self.idx = np.arange(4000, 7000)
+
+ def time_frame_reindex_axis1(self):
+ self.df.reindex(columns=self.idx)
+
+
+class frame_reindex_both_axes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 10000))
+ self.idx = np.arange(4000, 7000)
+
+ def time_frame_reindex_both_axes(self):
+ self.df.reindex(index=self.idx, columns=self.idx)
+
+
+class frame_reindex_both_axes_ix(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(10000, 10000))
+ self.idx = np.arange(4000, 7000)
+
+ def time_frame_reindex_both_axes_ix(self):
+ self.df.ix[(self.idx, self.idx)]
+
+
+class frame_reindex_upcast(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(dict([(c, {0: randint(0, 2, 1000).astype(np.bool_), 1: randint(0, 1000, 1000).astype(np.int16), 2: randint(0, 1000, 1000).astype(np.int32), 3: randint(0, 1000, 1000).astype(np.int64), }[randint(0, 4)]) for c in range(1000)]))
+
+ def time_frame_reindex_upcast(self):
+ self.df.reindex(permutation(range(1200)))
+
+
+class frame_repr_tall(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pandas.DataFrame(np.random.randn(10000, 10))
+
+ def time_frame_repr_tall(self):
+ repr(self.df)
+
+
+class frame_repr_wide(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pandas.DataFrame(np.random.randn(10, 10000))
+
+ def time_frame_repr_wide(self):
+ repr(self.df)
+
+
+class frame_shift_axis0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.rand(10000, 500))
+
+ def time_frame_shift_axis0(self):
+ self.df.shift(1, axis=0)
+
+
+class frame_shift_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.rand(10000, 500))
+
+ def time_frame_shift_axis_1(self):
+ self.df.shift(1, axis=1)
+
+
+class frame_to_html_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.nrows = 500
+ self.df = DataFrame(randn(self.nrows, 10))
+ self.df[0] = period_range('2000', '2010', self.nrows)
+ self.df[1] = range(self.nrows)
+
+ def time_frame_to_html_mixed(self):
+ self.df.to_html()
+
+
+class frame_to_string_floats(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(100, 10))
+
+ def time_frame_to_string_floats(self):
+ self.df.to_string()
+
+
+class frame_xs_col(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(1, 100000))
+
+ def time_frame_xs_col(self):
+ self.df.xs(50000, axis=1)
+
+
+class frame_xs_row(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(randn(100000, 1))
+
+ def time_frame_xs_row(self):
+ self.df.xs(50000)
+
+
+class series_string_vector_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series((['abcdefg', np.nan] * 500000))
+
+ def time_series_string_vector_slice(self):
+ self.s.str[:5]
\ No newline at end of file
diff --git a/asv_bench/benchmarks/gil.py b/asv_bench/benchmarks/gil.py
new file mode 100644
index 0000000000000..b0486617a52af
--- /dev/null
+++ b/asv_bench/benchmarks/gil.py
@@ -0,0 +1,267 @@
+from pandas_vb_common import *
+from pandas.core import common as com
+from pandas.util.testing import test_parallel
+
+
+class nogil_groupby_count_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].count()
+
+ def time_nogil_groupby_count_2(self):
+ pg2()
+
+
+class nogil_groupby_last_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].last()
+
+ def time_nogil_groupby_last_2(self):
+ pg2()
+
+
+class nogil_groupby_max_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].max()
+
+ def time_nogil_groupby_max_2(self):
+ pg2()
+
+
+class nogil_groupby_mean_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].mean()
+
+ def time_nogil_groupby_mean_2(self):
+ pg2()
+
+
+class nogil_groupby_min_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].min()
+
+ def time_nogil_groupby_min_2(self):
+ pg2()
+
+
+class nogil_groupby_prod_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].prod()
+
+ def time_nogil_groupby_prod_2(self):
+ pg2()
+
+
+class nogil_groupby_sum_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].sum()
+
+ def time_nogil_groupby_sum_2(self):
+ pg2()
+
+
+class nogil_groupby_sum_4(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby('key')['data'].sum()
+
+ def g2():
+ for i in range(2):
+ f()
+
+ def g4():
+ for i in range(4):
+ f()
+
+ def g8():
+ for i in range(8):
+ f()
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ f()
+
+ @test_parallel(num_threads=4)
+ def pg4():
+ f()
+
+ @test_parallel(num_threads=8)
+ def pg8():
+ f()
+
+ def time_nogil_groupby_sum_4(self):
+ pg4()
+
+
+class nogil_groupby_sum_8(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby('key')['data'].sum()
+
+ def g2():
+ for i in range(2):
+ f()
+
+ def g4():
+ for i in range(4):
+ f()
+
+ def g8():
+ for i in range(8):
+ f()
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ f()
+
+ @test_parallel(num_threads=4)
+ def pg4():
+ f()
+
+ @test_parallel(num_threads=8)
+ def pg8():
+ f()
+
+ def time_nogil_groupby_sum_8(self):
+ pg8()
+
+
+class nogil_groupby_var_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+
+ @test_parallel(num_threads=2)
+ def pg2():
+ self.df.groupby('key')['data'].var()
+
+ def time_nogil_groupby_var_2(self):
+ pg2()
+
+
+class nogil_take1d_float64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+ self.N = 10000000.0
+ self.df = DataFrame({'int64': np.arange(self.N, dtype='int64'), 'float64': np.arange(self.N, dtype='float64'), })
+ self.indexer = np.arange(100, (len(self.df) - 100))
+
+ @test_parallel(num_threads=2)
+ def take_1d_pg2_int64():
+ com.take_1d(self.df.int64.values, self.indexer)
+
+ @test_parallel(num_threads=2)
+ def take_1d_pg2_float64():
+ com.take_1d(self.df.float64.values, self.indexer)
+
+ def time_nogil_take1d_float64(self):
+ take_1d_pg2_int64()
+
+
+class nogil_take1d_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.ngroups = 1000
+ np.random.seed(1234)
+ self.df = DataFrame({'key': np.random.randint(0, self.ngroups, size=self.N), 'data': np.random.randn(self.N), })
+ self.N = 10000000.0
+ self.df = DataFrame({'int64': np.arange(self.N, dtype='int64'), 'float64': np.arange(self.N, dtype='float64'), })
+ self.indexer = np.arange(100, (len(self.df) - 100))
+
+ @test_parallel(num_threads=2)
+ def take_1d_pg2_int64():
+ com.take_1d(self.df.int64.values, self.indexer)
+
+ @test_parallel(num_threads=2)
+ def take_1d_pg2_float64():
+ com.take_1d(self.df.float64.values, self.indexer)
+
+ def time_nogil_take1d_int64(self):
+ take_1d_pg2_float64()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/groupby.py b/asv_bench/benchmarks/groupby.py
new file mode 100644
index 0000000000000..4f1f4e46b4a31
--- /dev/null
+++ b/asv_bench/benchmarks/groupby.py
@@ -0,0 +1,1683 @@
+from pandas_vb_common import *
+from itertools import product
+from string import ascii_letters, digits
+
+
+class groupby_agg_builtins1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(27182)
+ self.n = 100000
+ self.df = DataFrame(np.random.randint(1, (self.n / 100), (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+
+ def time_groupby_agg_builtins1(self):
+ self.df.groupby('jim').agg([sum, min, max])
+
+
+class groupby_agg_builtins2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(27182)
+ self.n = 100000
+ self.df = DataFrame(np.random.randint(1, (self.n / 100), (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+
+ def time_groupby_agg_builtins2(self):
+ self.df.groupby(['jim', 'joe']).agg([sum, min, max])
+
+
+class groupby_apply_dict_return(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(1000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.f = (lambda x: {'first': x.values[0], 'last': x.values[(-1)], })
+
+ def time_groupby_apply_dict_return(self):
+ self.data.groupby(self.labels).apply(self.f)
+
+
+class groupby_dt_size(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 100000
+ self.offsets = np.random.randint(self.n, size=self.n).astype('timedelta64[ns]')
+ self.dates = (np.datetime64('now') + self.offsets)
+ self.df = DataFrame({'key1': np.random.randint(0, 500, size=self.n), 'key2': np.random.randint(0, 100, size=self.n), 'value1': np.random.randn(self.n), 'value2': np.random.randn(self.n), 'value3': np.random.randn(self.n), 'dates': self.dates, })
+
+ def time_groupby_dt_size(self):
+ self.df.groupby(['dates']).size()
+
+
+class groupby_dt_timegrouper_size(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 100000
+ self.offsets = np.random.randint(self.n, size=self.n).astype('timedelta64[ns]')
+ self.dates = (np.datetime64('now') + self.offsets)
+ self.df = DataFrame({'key1': np.random.randint(0, 500, size=self.n), 'key2': np.random.randint(0, 100, size=self.n), 'value1': np.random.randn(self.n), 'value2': np.random.randn(self.n), 'value3': np.random.randn(self.n), 'dates': self.dates, })
+
+ def time_groupby_dt_timegrouper_size(self):
+ self.df.groupby(TimeGrouper(key='dates', freq='M')).size()
+
+
+class groupby_first_datetimes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': date_range('1/1/2011', periods=100000, freq='s'), 'b': range(100000), })
+
+ def time_groupby_first_datetimes(self):
+ self.df.groupby('b').first()
+
+
+class groupby_first_float32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_first_float32(self):
+ self.data2.groupby(self.labels).first()
+
+
+class groupby_first_float64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_first_float64(self):
+ self.data.groupby(self.labels).first()
+
+
+class groupby_first_object(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': (['foo'] * 100000), 'b': range(100000), })
+
+ def time_groupby_first_object(self):
+ self.df.groupby('b').first()
+
+
+class groupby_frame_apply(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.labels = np.random.randint(0, 2000, size=self.N)
+ self.labels2 = np.random.randint(0, 3, size=self.N)
+ self.df = DataFrame({'key': self.labels, 'key2': self.labels2, 'value1': randn(self.N), 'value2': (['foo', 'bar', 'baz', 'qux'] * (self.N / 4)), })
+
+ def f(g):
+ return 1
+
+ def time_groupby_frame_apply(self):
+ self.df.groupby(['key', 'key2']).apply(f)
+
+
+class groupby_frame_apply_overhead(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.labels = np.random.randint(0, 2000, size=self.N)
+ self.labels2 = np.random.randint(0, 3, size=self.N)
+ self.df = DataFrame({'key': self.labels, 'key2': self.labels2, 'value1': randn(self.N), 'value2': (['foo', 'bar', 'baz', 'qux'] * (self.N / 4)), })
+
+ def f(g):
+ return 1
+
+ def time_groupby_frame_apply_overhead(self):
+ self.df.groupby('key').apply(f)
+
+
+class groupby_frame_cython_many_columns(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.random.randint(0, 100, size=1000)
+ self.df = DataFrame(randn(1000, 1000))
+
+ def time_groupby_frame_cython_many_columns(self):
+ self.df.groupby(self.labels).sum()
+
+
+class groupby_frame_median(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(100000, 2)
+ self.labels = np.random.randint(0, 1000, size=100000)
+ self.df = DataFrame(self.data)
+
+ def time_groupby_frame_median(self):
+ self.df.groupby(self.labels).median()
+
+
+class groupby_frame_nth_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randint(1, 100, (10000, 2)))
+
+ def time_groupby_frame_nth_any(self):
+ self.df.groupby(0).nth(0, dropna='any')
+
+
+class groupby_frame_nth_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randint(1, 100, (10000, 2)))
+
+ def time_groupby_frame_nth_none(self):
+ self.df.groupby(0).nth(0)
+
+
+class groupby_frame_singlekey_integer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(100000, 1)
+ self.labels = np.random.randint(0, 1000, size=100000)
+ self.df = DataFrame(self.data)
+
+ def time_groupby_frame_singlekey_integer(self):
+ self.df.groupby(self.labels).sum()
+
+
+class groupby_indices(object):
+ goal_time = 0.2
+
+ def setup(self):
+ try:
+ self.rng = date_range('1/1/2000', '12/31/2005', freq='H')
+ (year, month, day) = (self.rng.year, self.rng.month, self.rng.day)
+ except:
+ self.rng = date_range('1/1/2000', '12/31/2000', offset=datetools.Hour())
+ self.year = self.rng.map((lambda x: x.year))
+ self.month = self.rng.map((lambda x: x.month))
+ self.day = self.rng.map((lambda x: x.day))
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+
+ def time_groupby_indices(self):
+ len(self.ts.groupby([self.year, self.month, self.day]))
+
+
+class groupby_int64_overflow(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randint(((-1) << 12), (1 << 12), ((1 << 17), 5))
+ self.i = np.random.choice(len(self.arr), (len(self.arr) * 5))
+ self.arr = np.vstack((self.arr, self.arr[self.i]))
+ self.i = np.random.permutation(len(self.arr))
+ self.arr = self.arr[self.i]
+ self.df = DataFrame(self.arr, columns=list('abcde'))
+ (self.df['jim'], self.df['joe']) = (np.random.randn(2, len(self.df)) * 10)
+
+ def time_groupby_int64_overflow(self):
+ self.df.groupby(list('abcde')).max()
+
+
+class groupby_int_count(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 10000
+ self.df = DataFrame({'key1': randint(0, 500, size=self.n), 'key2': randint(0, 100, size=self.n), 'ints': randint(0, 1000, size=self.n), 'ints2': randint(0, 1000, size=self.n), })
+
+ def time_groupby_int_count(self):
+ self.df.groupby(['key1', 'key2']).count()
+
+
+class groupby_last_datetimes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': date_range('1/1/2011', periods=100000, freq='s'), 'b': range(100000), })
+
+ def time_groupby_last_datetimes(self):
+ self.df.groupby('b').last()
+
+
+class groupby_last_float32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_last_float32(self):
+ self.data2.groupby(self.labels).last()
+
+
+class groupby_last_float64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_last_float64(self):
+ self.data.groupby(self.labels).last()
+
+
+class groupby_last_object(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': (['foo'] * 100000), 'b': range(100000), })
+
+ def time_groupby_last_object(self):
+ self.df.groupby('b').last()
+
+
+class groupby_multi_count(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 10000
+ self.offsets = np.random.randint(self.n, size=self.n).astype('timedelta64[ns]')
+ self.dates = (np.datetime64('now') + self.offsets)
+ self.dates[(np.random.rand(self.n) > 0.5)] = np.datetime64('nat')
+ self.offsets[(np.random.rand(self.n) > 0.5)] = np.timedelta64('nat')
+ self.value2 = np.random.randn(self.n)
+ self.value2[(np.random.rand(self.n) > 0.5)] = np.nan
+ self.obj = tm.choice(list('ab'), size=self.n).astype(object)
+ self.obj[(np.random.randn(self.n) > 0.5)] = np.nan
+ self.df = DataFrame({'key1': np.random.randint(0, 500, size=self.n), 'key2': np.random.randint(0, 100, size=self.n), 'dates': self.dates, 'value2': self.value2, 'value3': np.random.randn(self.n), 'ints': np.random.randint(0, 1000, size=self.n), 'obj': self.obj, 'offsets': self.offsets, })
+
+ def time_groupby_multi_count(self):
+ self.df.groupby(['key1', 'key2']).count()
+
+
+class groupby_multi_cython(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.ngroups = 100
+
+ def get_test_data(ngroups=100, n=self.N):
+ self.unique_groups = range(self.ngroups)
+ self.arr = np.asarray(np.tile(self.unique_groups, (n / self.ngroups)), dtype=object)
+ if (len(self.arr) < n):
+ self.arr = np.asarray((list(self.arr) + self.unique_groups[:(n - len(self.arr))]), dtype=object)
+ random.shuffle(self.arr)
+ return self.arr
+ self.df = DataFrame({'key1': get_test_data(ngroups=self.ngroups), 'key2': get_test_data(ngroups=self.ngroups), 'data1': np.random.randn(self.N), 'data2': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby(['key1', 'key2']).agg((lambda x: x.values.sum()))
+ self.simple_series = Series(np.random.randn(self.N))
+ self.key1 = self.df['key1']
+
+ def time_groupby_multi_cython(self):
+ self.df.groupby(['key1', 'key2']).sum()
+
+
+class groupby_multi_different_functions(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.fac1 = np.array(['A', 'B', 'C'], dtype='O')
+ self.fac2 = np.array(['one', 'two'], dtype='O')
+ self.df = DataFrame({'key1': self.fac1.take(np.random.randint(0, 3, size=100000)), 'key2': self.fac2.take(np.random.randint(0, 2, size=100000)), 'value1': np.random.randn(100000), 'value2': np.random.randn(100000), 'value3': np.random.randn(100000), })
+
+ def time_groupby_multi_different_functions(self):
+ self.df.groupby(['key1', 'key2']).agg({'value1': 'mean', 'value2': 'var', 'value3': 'sum', })
+
+
+class groupby_multi_different_numpy_functions(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.fac1 = np.array(['A', 'B', 'C'], dtype='O')
+ self.fac2 = np.array(['one', 'two'], dtype='O')
+ self.df = DataFrame({'key1': self.fac1.take(np.random.randint(0, 3, size=100000)), 'key2': self.fac2.take(np.random.randint(0, 2, size=100000)), 'value1': np.random.randn(100000), 'value2': np.random.randn(100000), 'value3': np.random.randn(100000), })
+
+ def time_groupby_multi_different_numpy_functions(self):
+ self.df.groupby(['key1', 'key2']).agg({'value1': np.mean, 'value2': np.var, 'value3': np.sum, })
+
+
+class groupby_multi_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = (((5 * 7) * 11) * (1 << 9))
+ self.alpha = list(map(''.join, product((ascii_letters + digits), repeat=4)))
+ self.f = (lambda k: np.repeat(np.random.choice(self.alpha, (self.n // k)), k))
+ self.df = DataFrame({'a': self.f(11), 'b': self.f(7), 'c': self.f(5), 'd': self.f(1), })
+ self.df['joe'] = (np.random.randn(len(self.df)) * 10).round(3)
+ self.i = np.random.permutation(len(self.df))
+ self.df = self.df.iloc[self.i].reset_index(drop=True).copy()
+
+ def time_groupby_multi_index(self):
+ self.df.groupby(list('abcd')).max()
+
+
+class groupby_multi_python(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.ngroups = 100
+
+ def get_test_data(ngroups=100, n=self.N):
+ self.unique_groups = range(self.ngroups)
+ self.arr = np.asarray(np.tile(self.unique_groups, (n / self.ngroups)), dtype=object)
+ if (len(self.arr) < n):
+ self.arr = np.asarray((list(self.arr) + self.unique_groups[:(n - len(self.arr))]), dtype=object)
+ random.shuffle(self.arr)
+ return self.arr
+ self.df = DataFrame({'key1': get_test_data(ngroups=self.ngroups), 'key2': get_test_data(ngroups=self.ngroups), 'data1': np.random.randn(self.N), 'data2': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby(['key1', 'key2']).agg((lambda x: x.values.sum()))
+ self.simple_series = Series(np.random.randn(self.N))
+ self.key1 = self.df['key1']
+
+ def time_groupby_multi_python(self):
+ self.df.groupby(['key1', 'key2'])['data1'].agg((lambda x: x.values.sum()))
+
+
+class groupby_multi_series_op(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.ngroups = 100
+
+ def get_test_data(ngroups=100, n=self.N):
+ self.unique_groups = range(self.ngroups)
+ self.arr = np.asarray(np.tile(self.unique_groups, (n / self.ngroups)), dtype=object)
+ if (len(self.arr) < n):
+ self.arr = np.asarray((list(self.arr) + self.unique_groups[:(n - len(self.arr))]), dtype=object)
+ random.shuffle(self.arr)
+ return self.arr
+ self.df = DataFrame({'key1': get_test_data(ngroups=self.ngroups), 'key2': get_test_data(ngroups=self.ngroups), 'data1': np.random.randn(self.N), 'data2': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby(['key1', 'key2']).agg((lambda x: x.values.sum()))
+ self.simple_series = Series(np.random.randn(self.N))
+ self.key1 = self.df['key1']
+
+ def time_groupby_multi_series_op(self):
+ self.df.groupby(['key1', 'key2'])['data1'].agg(np.std)
+
+
+class groupby_multi_size(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 100000
+ self.offsets = np.random.randint(self.n, size=self.n).astype('timedelta64[ns]')
+ self.dates = (np.datetime64('now') + self.offsets)
+ self.df = DataFrame({'key1': np.random.randint(0, 500, size=self.n), 'key2': np.random.randint(0, 100, size=self.n), 'value1': np.random.randn(self.n), 'value2': np.random.randn(self.n), 'value3': np.random.randn(self.n), 'dates': self.dates, })
+
+ def time_groupby_multi_size(self):
+ self.df.groupby(['key1', 'key2']).size()
+
+
+class groupby_ngroups_10000_all(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_all(self):
+ self.df.groupby('value')['timestamp'].all()
+
+
+class groupby_ngroups_10000_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_any(self):
+ self.df.groupby('value')['timestamp'].any()
+
+
+class groupby_ngroups_10000_count(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_count(self):
+ self.df.groupby('value')['timestamp'].count()
+
+
+class groupby_ngroups_10000_cumcount(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_cumcount(self):
+ self.df.groupby('value')['timestamp'].cumcount()
+
+
+class groupby_ngroups_10000_cummax(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_cummax(self):
+ self.df.groupby('value')['timestamp'].cummax()
+
+
+class groupby_ngroups_10000_cummin(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_cummin(self):
+ self.df.groupby('value')['timestamp'].cummin()
+
+
+class groupby_ngroups_10000_cumprod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_cumprod(self):
+ self.df.groupby('value')['timestamp'].cumprod()
+
+
+class groupby_ngroups_10000_cumsum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_cumsum(self):
+ self.df.groupby('value')['timestamp'].cumsum()
+
+
+class groupby_ngroups_10000_describe(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_describe(self):
+ self.df.groupby('value')['timestamp'].describe()
+
+
+class groupby_ngroups_10000_diff(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_diff(self):
+ self.df.groupby('value')['timestamp'].diff()
+
+
+class groupby_ngroups_10000_first(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_first(self):
+ self.df.groupby('value')['timestamp'].first()
+
+
+class groupby_ngroups_10000_head(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_head(self):
+ self.df.groupby('value')['timestamp'].head()
+
+
+class groupby_ngroups_10000_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_last(self):
+ self.df.groupby('value')['timestamp'].last()
+
+
+class groupby_ngroups_10000_mad(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_mad(self):
+ self.df.groupby('value')['timestamp'].mad()
+
+
+class groupby_ngroups_10000_max(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_max(self):
+ self.df.groupby('value')['timestamp'].max()
+
+
+class groupby_ngroups_10000_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_mean(self):
+ self.df.groupby('value')['timestamp'].mean()
+
+
+class groupby_ngroups_10000_median(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_median(self):
+ self.df.groupby('value')['timestamp'].median()
+
+
+class groupby_ngroups_10000_min(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_min(self):
+ self.df.groupby('value')['timestamp'].min()
+
+
+class groupby_ngroups_10000_nunique(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_nunique(self):
+ self.df.groupby('value')['timestamp'].nunique()
+
+
+class groupby_ngroups_10000_pct_change(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_pct_change(self):
+ self.df.groupby('value')['timestamp'].pct_change()
+
+
+class groupby_ngroups_10000_prod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_prod(self):
+ self.df.groupby('value')['timestamp'].prod()
+
+
+class groupby_ngroups_10000_rank(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_rank(self):
+ self.df.groupby('value')['timestamp'].rank()
+
+
+class groupby_ngroups_10000_sem(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_sem(self):
+ self.df.groupby('value')['timestamp'].sem()
+
+
+class groupby_ngroups_10000_size(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_size(self):
+ self.df.groupby('value')['timestamp'].size()
+
+
+class groupby_ngroups_10000_skew(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_skew(self):
+ self.df.groupby('value')['timestamp'].skew()
+
+
+class groupby_ngroups_10000_std(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_std(self):
+ self.df.groupby('value')['timestamp'].std()
+
+
+class groupby_ngroups_10000_sum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_sum(self):
+ self.df.groupby('value')['timestamp'].sum()
+
+
+class groupby_ngroups_10000_tail(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_tail(self):
+ self.df.groupby('value')['timestamp'].tail()
+
+
+class groupby_ngroups_10000_unique(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_unique(self):
+ self.df.groupby('value')['timestamp'].unique()
+
+
+class groupby_ngroups_10000_value_counts(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_value_counts(self):
+ self.df.groupby('value')['timestamp'].value_counts()
+
+
+class groupby_ngroups_10000_var(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 10000
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_10000_var(self):
+ self.df.groupby('value')['timestamp'].var()
+
+
+class groupby_ngroups_100_all(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_all(self):
+ self.df.groupby('value')['timestamp'].all()
+
+
+class groupby_ngroups_100_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_any(self):
+ self.df.groupby('value')['timestamp'].any()
+
+
+class groupby_ngroups_100_count(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_count(self):
+ self.df.groupby('value')['timestamp'].count()
+
+
+class groupby_ngroups_100_cumcount(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_cumcount(self):
+ self.df.groupby('value')['timestamp'].cumcount()
+
+
+class groupby_ngroups_100_cummax(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_cummax(self):
+ self.df.groupby('value')['timestamp'].cummax()
+
+
+class groupby_ngroups_100_cummin(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_cummin(self):
+ self.df.groupby('value')['timestamp'].cummin()
+
+
+class groupby_ngroups_100_cumprod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_cumprod(self):
+ self.df.groupby('value')['timestamp'].cumprod()
+
+
+class groupby_ngroups_100_cumsum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_cumsum(self):
+ self.df.groupby('value')['timestamp'].cumsum()
+
+
+class groupby_ngroups_100_describe(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_describe(self):
+ self.df.groupby('value')['timestamp'].describe()
+
+
+class groupby_ngroups_100_diff(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_diff(self):
+ self.df.groupby('value')['timestamp'].diff()
+
+
+class groupby_ngroups_100_first(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_first(self):
+ self.df.groupby('value')['timestamp'].first()
+
+
+class groupby_ngroups_100_head(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_head(self):
+ self.df.groupby('value')['timestamp'].head()
+
+
+class groupby_ngroups_100_last(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_last(self):
+ self.df.groupby('value')['timestamp'].last()
+
+
+class groupby_ngroups_100_mad(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_mad(self):
+ self.df.groupby('value')['timestamp'].mad()
+
+
+class groupby_ngroups_100_max(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_max(self):
+ self.df.groupby('value')['timestamp'].max()
+
+
+class groupby_ngroups_100_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_mean(self):
+ self.df.groupby('value')['timestamp'].mean()
+
+
+class groupby_ngroups_100_median(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_median(self):
+ self.df.groupby('value')['timestamp'].median()
+
+
+class groupby_ngroups_100_min(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_min(self):
+ self.df.groupby('value')['timestamp'].min()
+
+
+class groupby_ngroups_100_nunique(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_nunique(self):
+ self.df.groupby('value')['timestamp'].nunique()
+
+
+class groupby_ngroups_100_pct_change(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_pct_change(self):
+ self.df.groupby('value')['timestamp'].pct_change()
+
+
+class groupby_ngroups_100_prod(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_prod(self):
+ self.df.groupby('value')['timestamp'].prod()
+
+
+class groupby_ngroups_100_rank(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_rank(self):
+ self.df.groupby('value')['timestamp'].rank()
+
+
+class groupby_ngroups_100_sem(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_sem(self):
+ self.df.groupby('value')['timestamp'].sem()
+
+
+class groupby_ngroups_100_size(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_size(self):
+ self.df.groupby('value')['timestamp'].size()
+
+
+class groupby_ngroups_100_skew(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_skew(self):
+ self.df.groupby('value')['timestamp'].skew()
+
+
+class groupby_ngroups_100_std(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_std(self):
+ self.df.groupby('value')['timestamp'].std()
+
+
+class groupby_ngroups_100_sum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_sum(self):
+ self.df.groupby('value')['timestamp'].sum()
+
+
+class groupby_ngroups_100_tail(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_tail(self):
+ self.df.groupby('value')['timestamp'].tail()
+
+
+class groupby_ngroups_100_unique(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_unique(self):
+ self.df.groupby('value')['timestamp'].unique()
+
+
+class groupby_ngroups_100_value_counts(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_value_counts(self):
+ self.df.groupby('value')['timestamp'].value_counts()
+
+
+class groupby_ngroups_100_var(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.ngroups = 100
+ self.size = (self.ngroups * 2)
+ self.rng = np.arange(self.ngroups)
+ self.df = DataFrame(dict(timestamp=self.rng.take(np.random.randint(0, self.ngroups, size=self.size)), value=np.random.randint(0, self.size, size=self.size)))
+
+ def time_groupby_ngroups_100_var(self):
+ self.df.groupby('value')['timestamp'].var()
+
+
+class groupby_nth_datetimes_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': date_range('1/1/2011', periods=100000, freq='s'), 'b': range(100000), })
+
+ def time_groupby_nth_datetimes_any(self):
+ self.df.groupby('b').nth(0, dropna='all')
+
+
+class groupby_nth_datetimes_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': date_range('1/1/2011', periods=100000, freq='s'), 'b': range(100000), })
+
+ def time_groupby_nth_datetimes_none(self):
+ self.df.groupby('b').nth(0)
+
+
+class groupby_nth_float32_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_nth_float32_any(self):
+ self.data2.groupby(self.labels).nth(0, dropna='all')
+
+
+class groupby_nth_float32_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_nth_float32_none(self):
+ self.data2.groupby(self.labels).nth(0)
+
+
+class groupby_nth_float64_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_nth_float64_any(self):
+ self.data.groupby(self.labels).nth(0, dropna='all')
+
+
+class groupby_nth_float64_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.labels = np.arange(10000).repeat(10)
+ self.data = Series(randn(len(self.labels)))
+ self.data[::3] = np.nan
+ self.data[1::3] = np.nan
+ self.data2 = Series(randn(len(self.labels)), dtype='float32')
+ self.data2[::3] = np.nan
+ self.data2[1::3] = np.nan
+ self.labels = self.labels.take(np.random.permutation(len(self.labels)))
+
+ def time_groupby_nth_float64_none(self):
+ self.data.groupby(self.labels).nth(0)
+
+
+class groupby_nth_object_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': (['foo'] * 100000), 'b': range(100000), })
+
+ def time_groupby_nth_object_any(self):
+ self.df.groupby('b').nth(0, dropna='any')
+
+
+class groupby_nth_object_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'a': (['foo'] * 100000), 'b': range(100000), })
+
+ def time_groupby_nth_object_none(self):
+ self.df.groupby('b').nth(0)
+
+
+class groupby_pivot_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.fac1 = np.array(['A', 'B', 'C'], dtype='O')
+ self.fac2 = np.array(['one', 'two'], dtype='O')
+ self.ind1 = np.random.randint(0, 3, size=100000)
+ self.ind2 = np.random.randint(0, 2, size=100000)
+ self.df = DataFrame({'key1': self.fac1.take(self.ind1), 'key2': self.fac2.take(self.ind2), 'key3': self.fac2.take(self.ind2), 'value1': np.random.randn(100000), 'value2': np.random.randn(100000), 'value3': np.random.randn(100000), })
+
+ def time_groupby_pivot_table(self):
+ self.df.pivot_table(index='key1', columns=['key2', 'key3'])
+
+
+class groupby_series_nth_any(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randint(1, 100, (10000, 2)))
+
+ def time_groupby_series_nth_any(self):
+ self.df[1].groupby(self.df[0]).nth(0, dropna='any')
+
+
+class groupby_series_nth_none(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randint(1, 100, (10000, 2)))
+
+ def time_groupby_series_nth_none(self):
+ self.df[1].groupby(self.df[0]).nth(0)
+
+
+class groupby_series_simple_cython(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.ngroups = 100
+
+ def get_test_data(ngroups=100, n=self.N):
+ self.unique_groups = range(self.ngroups)
+ self.arr = np.asarray(np.tile(self.unique_groups, (n / self.ngroups)), dtype=object)
+ if (len(self.arr) < n):
+ self.arr = np.asarray((list(self.arr) + self.unique_groups[:(n - len(self.arr))]), dtype=object)
+ random.shuffle(self.arr)
+ return self.arr
+ self.df = DataFrame({'key1': get_test_data(ngroups=self.ngroups), 'key2': get_test_data(ngroups=self.ngroups), 'data1': np.random.randn(self.N), 'data2': np.random.randn(self.N), })
+
+ def f():
+ self.df.groupby(['key1', 'key2']).agg((lambda x: x.values.sum()))
+ self.simple_series = Series(np.random.randn(self.N))
+ self.key1 = self.df['key1']
+
+ def time_groupby_series_simple_cython(self):
+ self.df.groupby('key1').rank(pct=True)
+
+
+class groupby_simple_compress_timing(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = np.random.randn(1000000, 2)
+ self.labels = np.random.randint(0, 1000, size=1000000)
+ self.df = DataFrame(self.data)
+
+ def time_groupby_simple_compress_timing(self):
+ self.df.groupby(self.labels).mean()
+
+
+class groupby_sum_booleans(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500
+ self.df = DataFrame({'ii': range(self.N), 'bb': [True for x in range(self.N)], })
+
+ def time_groupby_sum_booleans(self):
+ self.df.groupby('ii').sum()
+
+
+class groupby_sum_multiindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 50
+ self.df = DataFrame({'A': (range(self.N) * 2), 'B': range((self.N * 2)), 'C': 1, }).set_index(['A', 'B'])
+
+ def time_groupby_sum_multiindex(self):
+ self.df.groupby(level=[0, 1]).sum()
+
+
+class groupby_transform(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n_dates = 400
+ self.n_securities = 250
+ self.n_columns = 3
+ self.share_na = 0.1
+ self.dates = date_range('1997-12-31', periods=self.n_dates, freq='B')
+ self.dates = Index(map((lambda x: (((x.year * 10000) + (x.month * 100)) + x.day)), self.dates))
+ self.secid_min = int('10000000', 16)
+ self.secid_max = int('F0000000', 16)
+ self.step = ((self.secid_max - self.secid_min) // (self.n_securities - 1))
+ self.security_ids = map((lambda x: hex(x)[2:10].upper()), range(self.secid_min, (self.secid_max + 1), self.step))
+ self.data_index = MultiIndex(levels=[self.dates.values, self.security_ids], labels=[[i for i in xrange(self.n_dates) for _ in xrange(self.n_securities)], (range(self.n_securities) * self.n_dates)], names=['date', 'security_id'])
+ self.n_data = len(self.data_index)
+ self.columns = Index(['factor{}'.format(i) for i in xrange(1, (self.n_columns + 1))])
+ self.data = DataFrame(np.random.randn(self.n_data, self.n_columns), index=self.data_index, columns=self.columns)
+ self.step = int((self.n_data * self.share_na))
+ for column_index in xrange(self.n_columns):
+ self.index = column_index
+ while (self.index < self.n_data):
+ self.data.set_value(self.data_index[self.index], self.columns[column_index], np.nan)
+ self.index += self.step
+ self.f_fillna = (lambda x: x.fillna(method='pad'))
+
+ def time_groupby_transform(self):
+ self.data.groupby(level='security_id').transform(self.f_fillna)
+
+
+class groupby_transform_multi_key1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(2718281)
+ self.n = 20000
+ self.df = DataFrame(np.random.randint(1, self.n, (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+
+ def time_groupby_transform_multi_key1(self):
+ self.df.groupby(['jim', 'joe'])['jolie'].transform('max')
+
+
+class groupby_transform_multi_key2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(2718281)
+ self.n = 20000
+ self.df = DataFrame(np.random.randint(1, self.n, (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+ self.df['jim'] = self.df['joe']
+
+ def time_groupby_transform_multi_key2(self):
+ self.df.groupby(['jim', 'joe'])['jolie'].transform('max')
+
+
+class groupby_transform_multi_key3(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(2718281)
+ self.n = 200000
+ self.df = DataFrame(np.random.randint(1, (self.n / 10), (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+
+ def time_groupby_transform_multi_key3(self):
+ self.df.groupby(['jim', 'joe'])['jolie'].transform('max')
+
+
+class groupby_transform_multi_key4(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(2718281)
+ self.n = 200000
+ self.df = DataFrame(np.random.randint(1, (self.n / 10), (self.n, 3)), columns=['jim', 'joe', 'jolie'])
+ self.df['jim'] = self.df['joe']
+
+ def time_groupby_transform_multi_key4(self):
+ self.df.groupby(['jim', 'joe'])['jolie'].transform('max')
+
+
+class groupby_transform_series(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(0)
+ self.N = 120000
+ self.N_TRANSITIONS = 1400
+ self.transition_points = np.random.permutation(np.arange(self.N))[:self.N_TRANSITIONS]
+ self.transition_points.sort()
+ self.transitions = np.zeros((self.N,), dtype=np.bool)
+ self.transitions[self.transition_points] = True
+ self.g = self.transitions.cumsum()
+ self.df = DataFrame({'signal': np.random.rand(self.N), })
+
+ def time_groupby_transform_series(self):
+ self.df['signal'].groupby(self.g).transform(np.mean)
+
+
+class groupby_transform_series2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(0)
+ self.df = DataFrame({'id': (np.arange(100000) / 3), 'val': np.random.randn(100000), })
+
+ def time_groupby_transform_series2(self):
+ self.df.groupby('id')['val'].transform(np.mean)
+
+
+class groupby_transform_ufunc(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n_dates = 400
+ self.n_securities = 250
+ self.n_columns = 3
+ self.share_na = 0.1
+ self.dates = date_range('1997-12-31', periods=self.n_dates, freq='B')
+ self.dates = Index(map((lambda x: (((x.year * 10000) + (x.month * 100)) + x.day)), self.dates))
+ self.secid_min = int('10000000', 16)
+ self.secid_max = int('F0000000', 16)
+ self.step = ((self.secid_max - self.secid_min) // (self.n_securities - 1))
+ self.security_ids = map((lambda x: hex(x)[2:10].upper()), range(self.secid_min, (self.secid_max + 1), self.step))
+ self.data_index = MultiIndex(levels=[self.dates.values, self.security_ids], labels=[[i for i in xrange(self.n_dates) for _ in xrange(self.n_securities)], (range(self.n_securities) * self.n_dates)], names=['date', 'security_id'])
+ self.n_data = len(self.data_index)
+ self.columns = Index(['factor{}'.format(i) for i in xrange(1, (self.n_columns + 1))])
+ self.data = DataFrame(np.random.randn(self.n_data, self.n_columns), index=self.data_index, columns=self.columns)
+ self.step = int((self.n_data * self.share_na))
+ for column_index in xrange(self.n_columns):
+ self.index = column_index
+ while (self.index < self.n_data):
+ self.data.set_value(self.data_index[self.index], self.columns[column_index], np.nan)
+ self.index += self.step
+ self.f_fillna = (lambda x: x.fillna(method='pad'))
+
+ def time_groupby_transform_ufunc(self):
+ self.data.groupby(level='date').transform(np.max)
+
+
+class series_value_counts_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.randint(0, 1000, size=100000))
+
+ def time_series_value_counts_int64(self):
+ self.s.value_counts()
+
+
+class series_value_counts_strings(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.K = 1000
+ self.N = 100000
+ self.uniques = tm.makeStringIndex(self.K).values
+ self.s = Series(np.tile(self.uniques, (self.N // self.K)))
+
+ def time_series_value_counts_strings(self):
+ self.s.value_counts()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/hdfstore_bench.py b/asv_bench/benchmarks/hdfstore_bench.py
new file mode 100644
index 0000000000000..9e36f735f8608
--- /dev/null
+++ b/asv_bench/benchmarks/hdfstore_bench.py
@@ -0,0 +1,351 @@
+from pandas_vb_common import *
+import os
+
+
+class query_store_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = date_range('1/1/2000', periods=25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('df12', self.df)
+
+ def time_query_store_table(self):
+ self.store.select('df12', [('index', '>', self.df.index[10000]), ('index', '<', self.df.index[15000])])
+
+ def teardown(self):
+ self.store.close()
+
+
+class query_store_table_wide(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = date_range('1/1/2000', periods=25000)
+ self.df = DataFrame(np.random.randn(25000, 100), index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('df11', self.df)
+
+ def time_query_store_table_wide(self):
+ self.store.select('df11', [('index', '>', self.df.index[10000]), ('index', '<', self.df.index[15000])])
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.put('df1', self.df)
+
+ def time_read_store(self):
+ self.store.get('df1')
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), 'string1': (['foo'] * 25000), 'bool1': ([True] * 25000), 'int1': np.random.randint(0, 250000, size=25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.put('df3', self.df)
+
+ def time_read_store_mixed(self):
+ self.store.get('df3')
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('df7', self.df)
+
+ def time_read_store_table(self):
+ self.store.select('df7')
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store_table_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 10000
+ self.index = tm.makeStringIndex(self.N)
+ self.df = DataFrame({'float1': randn(self.N), 'float2': randn(self.N), 'string1': (['foo'] * self.N), 'bool1': ([True] * self.N), 'int1': np.random.randint(0, self.N, size=self.N), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('df5', self.df)
+
+ def time_read_store_table_mixed(self):
+ self.store.select('df5')
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store_table_panel(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.p = Panel(randn(20, 1000, 25), items=[('Item%03d' % i) for i in xrange(20)], major_axis=date_range('1/1/2000', periods=1000), minor_axis=[('E%03d' % i) for i in xrange(25)])
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('p1', self.p)
+
+ def time_read_store_table_panel(self):
+ self.store.select('p1')
+
+ def teardown(self):
+ self.store.close()
+
+
+class read_store_table_wide(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.df = DataFrame(np.random.randn(25000, 100))
+ remove(self.f)
+ self.store = HDFStore(self.f)
+ self.store.append('df9', self.df)
+
+ def time_read_store_table_wide(self):
+ self.store.select('df9')
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store(self):
+ self.store.put('df2', self.df)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), 'string1': (['foo'] * 25000), 'bool1': ([True] * 25000), 'int1': np.random.randint(0, 250000, size=25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_mixed(self):
+ self.store.put('df4', self.df)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_table(self):
+ self.store.append('df8', self.df)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_table_dc(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.df = DataFrame(np.random.randn(10000, 10), columns=[('C%03d' % i) for i in xrange(10)])
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_table_dc(self):
+ self.store.append('df15', self.df, data_columns=True)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_table_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.index = tm.makeStringIndex(25000)
+ self.df = DataFrame({'float1': randn(25000), 'float2': randn(25000), 'string1': (['foo'] * 25000), 'bool1': ([True] * 25000), 'int1': np.random.randint(0, 25000, size=25000), }, index=self.index)
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_table_mixed(self):
+ self.store.append('df6', self.df)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_table_panel(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.p = Panel(randn(20, 1000, 25), items=[('Item%03d' % i) for i in xrange(20)], major_axis=date_range('1/1/2000', periods=1000), minor_axis=[('E%03d' % i) for i in xrange(25)])
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_table_panel(self):
+ self.store.append('p2', self.p)
+
+ def teardown(self):
+ self.store.close()
+
+
+class write_store_table_wide(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.h5'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.df = DataFrame(np.random.randn(25000, 100))
+ remove(self.f)
+ self.store = HDFStore(self.f)
+
+ def time_write_store_table_wide(self):
+ self.store.append('df10', self.df)
+
+ def teardown(self):
+ self.store.close()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/index_object.py b/asv_bench/benchmarks/index_object.py
new file mode 100644
index 0000000000000..9c181c92195ea
--- /dev/null
+++ b/asv_bench/benchmarks/index_object.py
@@ -0,0 +1,292 @@
+from pandas_vb_common import *
+
+
+class datetime_index_intersection(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=10000, freq='T')
+ self.rng2 = self.rng[:(-1)]
+
+ def time_datetime_index_intersection(self):
+ self.rng.intersection(self.rng2)
+
+
+class datetime_index_repr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.dr = pd.date_range('20000101', freq='D', periods=100000)
+
+ def time_datetime_index_repr(self):
+ self.dr._is_dates_only
+
+
+class datetime_index_union(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=10000, freq='T')
+ self.rng2 = self.rng[:(-1)]
+
+ def time_datetime_index_union(self):
+ self.rng.union(self.rng2)
+
+
+class index_datetime_intersection(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = DatetimeIndex(start='1/1/2000', periods=10000, freq=datetools.Minute())
+ if (self.rng.dtype == object):
+ self.rng = self.rng.view(Index)
+ else:
+ self.rng = self.rng.asobject
+ self.rng2 = self.rng[:(-1)]
+
+ def time_index_datetime_intersection(self):
+ self.rng.intersection(self.rng2)
+
+
+class index_datetime_union(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = DatetimeIndex(start='1/1/2000', periods=10000, freq=datetools.Minute())
+ if (self.rng.dtype == object):
+ self.rng = self.rng.view(Index)
+ else:
+ self.rng = self.rng.asobject
+ self.rng2 = self.rng[:(-1)]
+
+ def time_index_datetime_union(self):
+ self.rng.union(self.rng2)
+
+
+class index_float64_boolean_indexer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_boolean_indexer(self):
+ self.idx[self.mask]
+
+
+class index_float64_boolean_series_indexer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_boolean_series_indexer(self):
+ self.idx[self.series_mask]
+
+
+class index_float64_construct(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.baseidx = np.arange(1000000.0)
+
+ def time_index_float64_construct(self):
+ Index(self.baseidx)
+
+
+class index_float64_div(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_div(self):
+ (self.idx / 2)
+
+
+class index_float64_get(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_get(self):
+ self.idx[1]
+
+
+class index_float64_mul(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_mul(self):
+ (self.idx * 2)
+
+
+class index_float64_slice_indexer_basic(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_slice_indexer_basic(self):
+ self.idx[:(-1)]
+
+
+class index_float64_slice_indexer_even(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeFloatIndex(1000000)
+ self.mask = ((np.arange(self.idx.size) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_float64_slice_indexer_even(self):
+ self.idx[::2]
+
+
+class index_int64_intersection(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.options = np.arange(self.N)
+ self.left = Index(self.options.take(np.random.permutation(self.N)[:(self.N // 2)]))
+ self.right = Index(self.options.take(np.random.permutation(self.N)[:(self.N // 2)]))
+
+ def time_index_int64_intersection(self):
+ self.left.intersection(self.right)
+
+
+class index_int64_union(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ self.options = np.arange(self.N)
+ self.left = Index(self.options.take(np.random.permutation(self.N)[:(self.N // 2)]))
+ self.right = Index(self.options.take(np.random.permutation(self.N)[:(self.N // 2)]))
+
+ def time_index_int64_union(self):
+ self.left.union(self.right)
+
+
+class index_str_boolean_indexer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeStringIndex(1000000)
+ self.mask = ((np.arange(1000000) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_str_boolean_indexer(self):
+ self.idx[self.mask]
+
+
+class index_str_boolean_series_indexer(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeStringIndex(1000000)
+ self.mask = ((np.arange(1000000) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_str_boolean_series_indexer(self):
+ self.idx[self.series_mask]
+
+
+class index_str_slice_indexer_basic(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeStringIndex(1000000)
+ self.mask = ((np.arange(1000000) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_str_slice_indexer_basic(self):
+ self.idx[:(-1)]
+
+
+class index_str_slice_indexer_even(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.idx = tm.makeStringIndex(1000000)
+ self.mask = ((np.arange(1000000) % 3) == 0)
+ self.series_mask = Series(self.mask)
+
+ def time_index_str_slice_indexer_even(self):
+ self.idx[::2]
+
+
+class multiindex_duplicated(object):
+ goal_time = 0.2
+
+ def setup(self):
+ (n, k) = (200, 5000)
+ self.levels = [np.arange(n), tm.makeStringIndex(n).values, (1000 + np.arange(n))]
+ self.labels = [np.random.choice(n, (k * n)) for lev in self.levels]
+ self.mi = MultiIndex(levels=self.levels, labels=self.labels)
+
+ def time_multiindex_duplicated(self):
+ self.mi.duplicated()
+
+
+class multiindex_from_product(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.iterables = [tm.makeStringIndex(10000), xrange(20)]
+
+ def time_multiindex_from_product(self):
+ MultiIndex.from_product(self.iterables)
+
+
+class multiindex_sortlevel_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = ((((3 * 5) * 7) * 11) * (1 << 10))
+ (low, high) = (((-1) << 12), (1 << 12))
+ self.f = (lambda k: np.repeat(np.random.randint(low, high, (self.n // k)), k))
+ self.i = np.random.permutation(self.n)
+ self.mi = MultiIndex.from_arrays([self.f(11), self.f(7), self.f(5), self.f(3), self.f(1)])[self.i]
+
+ def time_multiindex_sortlevel_int64(self):
+ self.mi.sortlevel()
+
+
+class multiindex_with_datetime_level_full(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = range(1000)
+ self.level2 = date_range(start='1/1/2012', periods=100)
+ self.mi = MultiIndex.from_product([self.level1, self.level2])
+
+ def time_multiindex_with_datetime_level_full(self):
+ self.mi.copy().values
+
+
+class multiindex_with_datetime_level_sliced(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = range(1000)
+ self.level2 = date_range(start='1/1/2012', periods=100)
+ self.mi = MultiIndex.from_product([self.level1, self.level2])
+
+ def time_multiindex_with_datetime_level_sliced(self):
+ self.mi[:10].values
\ No newline at end of file
diff --git a/asv_bench/benchmarks/indexing.py b/asv_bench/benchmarks/indexing.py
new file mode 100644
index 0000000000000..e76a87ab881c9
--- /dev/null
+++ b/asv_bench/benchmarks/indexing.py
@@ -0,0 +1,458 @@
+from pandas_vb_common import *
+import pandas.computation.expressions as expr
+
+
+class dataframe_getitem_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000)
+ self.columns = tm.makeStringIndex(30)
+ self.df = DataFrame(np.random.rand(1000, 30), index=self.index, columns=self.columns)
+ self.idx = self.index[100]
+ self.col = self.columns[10]
+
+ def time_dataframe_getitem_scalar(self):
+ self.df[self.col][self.idx]
+
+
+class datamatrix_getitem_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ try:
+ self.klass = DataMatrix
+ except:
+ self.klass = DataFrame
+ self.index = tm.makeStringIndex(1000)
+ self.columns = tm.makeStringIndex(30)
+ self.df = self.klass(np.random.rand(1000, 30), index=self.index, columns=self.columns)
+ self.idx = self.index[100]
+ self.col = self.columns[10]
+
+ def time_datamatrix_getitem_scalar(self):
+ self.df[self.col][self.idx]
+
+
+class series_get_value(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000)
+ self.s = Series(np.random.rand(1000), index=self.index)
+ self.idx = self.index[100]
+
+ def time_series_get_value(self):
+ self.s.get_value(self.idx)
+
+
+class time_series_getitem_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ tm.N = 1000
+ self.ts = tm.makeTimeSeries()
+ self.dt = self.ts.index[500]
+
+ def time_time_series_getitem_scalar(self):
+ self.ts[self.dt]
+
+
+class frame_iloc_big(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(dict(A=(['foo'] * 1000000)))
+
+ def time_frame_iloc_big(self):
+ self.df.iloc[:100, 0]
+
+
+class frame_iloc_dups(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'A': ([0.1] * 3000), 'B': ([1] * 3000), })
+ self.idx = (np.array(range(30)) * 99)
+ self.df2 = DataFrame({'A': ([0.1] * 1000), 'B': ([1] * 1000), })
+ self.df2 = concat([self.df2, (2 * self.df2), (3 * self.df2)])
+
+ def time_frame_iloc_dups(self):
+ self.df2.iloc[self.idx]
+
+
+class frame_loc_dups(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'A': ([0.1] * 3000), 'B': ([1] * 3000), })
+ self.idx = (np.array(range(30)) * 99)
+ self.df2 = DataFrame({'A': ([0.1] * 1000), 'B': ([1] * 1000), })
+ self.df2 = concat([self.df2, (2 * self.df2), (3 * self.df2)])
+
+ def time_frame_loc_dups(self):
+ self.df2.loc[self.idx]
+
+
+class frame_xs_mi_ix(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.mi = MultiIndex.from_tuples([(x, y) for x in range(1000) for y in range(1000)])
+ self.s = Series(np.random.randn(1000000), index=self.mi)
+ self.df = DataFrame(self.s)
+
+ def time_frame_xs_mi_ix(self):
+ self.df.ix[999]
+
+
+class indexing_dataframe_boolean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(50000, 100))
+ self.df2 = DataFrame(np.random.randn(50000, 100))
+
+ def time_indexing_dataframe_boolean(self):
+ (self.df > self.df2)
+
+
+class indexing_dataframe_boolean_no_ne(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(50000, 100))
+ self.df2 = DataFrame(np.random.randn(50000, 100))
+ expr.set_use_numexpr(False)
+
+ def time_indexing_dataframe_boolean_no_ne(self):
+ (self.df > self.df2)
+
+ def teardown(self):
+ expr.set_use_numexpr(True)
+
+
+class indexing_dataframe_boolean_rows(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
+ self.indexer = (self.df['B'] > 0)
+ self.obj_indexer = self.indexer.astype('O')
+
+ def time_indexing_dataframe_boolean_rows(self):
+ self.df[self.indexer]
+
+
+class indexing_dataframe_boolean_rows_object(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
+ self.indexer = (self.df['B'] > 0)
+ self.obj_indexer = self.indexer.astype('O')
+
+ def time_indexing_dataframe_boolean_rows_object(self):
+ self.df[self.obj_indexer]
+
+
+class indexing_dataframe_boolean_st(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(50000, 100))
+ self.df2 = DataFrame(np.random.randn(50000, 100))
+ expr.set_numexpr_threads(1)
+
+ def time_indexing_dataframe_boolean_st(self):
+ (self.df > self.df2)
+
+ def teardown(self):
+ expr.set_numexpr_threads()
+
+
+class indexing_frame_get_value(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000)
+ self.columns = tm.makeStringIndex(30)
+ self.df = DataFrame(np.random.randn(1000, 30), index=self.index, columns=self.columns)
+ self.idx = self.index[100]
+ self.col = self.columns[10]
+
+ def time_indexing_frame_get_value(self):
+ self.df.get_value(self.idx, self.col)
+
+
+class indexing_frame_get_value_ix(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000)
+ self.columns = tm.makeStringIndex(30)
+ self.df = DataFrame(np.random.randn(1000, 30), index=self.index, columns=self.columns)
+ self.idx = self.index[100]
+ self.col = self.columns[10]
+
+ def time_indexing_frame_get_value_ix(self):
+ self.df.ix[(self.idx, self.col)]
+
+
+class indexing_panel_subset(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.p = Panel(np.random.randn(100, 100, 100))
+ self.inds = range(0, 100, 10)
+
+ def time_indexing_panel_subset(self):
+ self.p.ix[(self.inds, self.inds, self.inds)]
+
+
+class multiindex_slicers(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(1234)
+ self.idx = pd.IndexSlice
+ self.n = 100000
+ self.mdt = pandas.DataFrame()
+ self.mdt['A'] = np.random.choice(range(10000, 45000, 1000), self.n)
+ self.mdt['B'] = np.random.choice(range(10, 400), self.n)
+ self.mdt['C'] = np.random.choice(range(1, 150), self.n)
+ self.mdt['D'] = np.random.choice(range(10000, 45000), self.n)
+ self.mdt['x'] = np.random.choice(range(400), self.n)
+ self.mdt['y'] = np.random.choice(range(25), self.n)
+ self.test_A = 25000
+ self.test_B = 25
+ self.test_C = 40
+ self.test_D = 35000
+ self.eps_A = 5000
+ self.eps_B = 5
+ self.eps_C = 5
+ self.eps_D = 5000
+ self.mdt2 = self.mdt.set_index(['A', 'B', 'C', 'D']).sortlevel()
+
+ def time_multiindex_slicers(self):
+ self.mdt2.loc[self.idx[(self.test_A - self.eps_A):(self.test_A + self.eps_A), (self.test_B - self.eps_B):(self.test_B + self.eps_B), (self.test_C - self.eps_C):(self.test_C + self.eps_C), (self.test_D - self.eps_D):(self.test_D + self.eps_D)], :]
+
+
+class series_getitem_array(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_getitem_array(self):
+ self.s[np.arange(10000)]
+
+
+class series_getitem_label_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000000)
+ self.s = Series(np.random.rand(1000000), index=self.index)
+ self.lbl = self.s.index[800000]
+
+ def time_series_getitem_label_slice(self):
+ self.s[:self.lbl]
+
+
+class series_getitem_list_like(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_getitem_list_like(self):
+ self.s[[800000]]
+
+
+class series_getitem_pos_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(1000000)
+ self.s = Series(np.random.rand(1000000), index=self.index)
+
+ def time_series_getitem_pos_slice(self):
+ self.s[:800000]
+
+
+class series_getitem_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_getitem_scalar(self):
+ self.s[800000]
+
+
+class series_getitem_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_getitem_slice(self):
+ self.s[:800000]
+
+
+class series_iloc_array(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_iloc_array(self):
+ self.s.iloc[np.arange(10000)]
+
+
+class series_iloc_list_like(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_iloc_list_like(self):
+ self.s.iloc[[800000]]
+
+
+class series_iloc_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_iloc_scalar(self):
+ self.s.iloc[800000]
+
+
+class series_iloc_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_iloc_slice(self):
+ self.s.iloc[:800000]
+
+
+class series_ix_array(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_ix_array(self):
+ self.s.ix[np.arange(10000)]
+
+
+class series_ix_list_like(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_ix_list_like(self):
+ self.s.ix[[800000]]
+
+
+class series_ix_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_ix_scalar(self):
+ self.s.ix[800000]
+
+
+class series_ix_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_ix_slice(self):
+ self.s.ix[:800000]
+
+
+class series_loc_array(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_loc_array(self):
+ self.s.loc[np.arange(10000)]
+
+
+class series_loc_list_like(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_loc_list_like(self):
+ self.s.loc[[800000]]
+
+
+class series_loc_scalar(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_loc_scalar(self):
+ self.s.loc[800000]
+
+
+class series_loc_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.rand(1000000))
+
+ def time_series_loc_slice(self):
+ self.s.loc[:800000]
+
+
+class series_xs_mi_ix(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.mi = MultiIndex.from_tuples([(x, y) for x in range(1000) for y in range(1000)])
+ self.s = Series(np.random.randn(1000000), index=self.mi)
+
+ def time_series_xs_mi_ix(self):
+ self.s.ix[999]
+
+
+class sort_level_one(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.a = np.repeat(np.arange(100), 1000)
+ self.b = np.tile(np.arange(1000), 100)
+ self.midx = MultiIndex.from_arrays([self.a, self.b])
+ self.midx = self.midx.take(np.random.permutation(np.arange(100000)))
+
+ def time_sort_level_one(self):
+ self.midx.sortlevel(1)
+
+
+class sort_level_zero(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.a = np.repeat(np.arange(100), 1000)
+ self.b = np.tile(np.arange(1000), 100)
+ self.midx = MultiIndex.from_arrays([self.a, self.b])
+ self.midx = self.midx.take(np.random.permutation(np.arange(100000)))
+
+ def time_sort_level_zero(self):
+ self.midx.sortlevel(0)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/inference.py b/asv_bench/benchmarks/inference.py
new file mode 100644
index 0000000000000..2addc810a218f
--- /dev/null
+++ b/asv_bench/benchmarks/inference.py
@@ -0,0 +1,138 @@
+from pandas_vb_common import *
+import pandas as pd
+
+
+class dtype_infer_datetime64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_datetime64(self):
+ (self.df_datetime64['A'] - self.df_datetime64['B'])
+
+
+class dtype_infer_float32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_float32(self):
+ (self.df_float32['A'] + self.df_float32['B'])
+
+
+class dtype_infer_float64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_float64(self):
+ (self.df_float64['A'] + self.df_float64['B'])
+
+
+class dtype_infer_int32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_int32(self):
+ (self.df_int32['A'] + self.df_int32['B'])
+
+
+class dtype_infer_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_int64(self):
+ (self.df_int64['A'] + self.df_int64['B'])
+
+
+class dtype_infer_timedelta64_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_timedelta64_1(self):
+ (self.df_timedelta64['A'] + self.df_timedelta64['B'])
+
+
+class dtype_infer_timedelta64_2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_timedelta64_2(self):
+ (self.df_timedelta64['A'] + self.df_timedelta64['A'])
+
+
+class dtype_infer_uint32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 500000
+ self.df_int64 = DataFrame(dict(A=np.arange(self.N, dtype='int64'), B=np.arange(self.N, dtype='int64')))
+ self.df_int32 = DataFrame(dict(A=np.arange(self.N, dtype='int32'), B=np.arange(self.N, dtype='int32')))
+ self.df_uint32 = DataFrame(dict(A=np.arange(self.N, dtype='uint32'), B=np.arange(self.N, dtype='uint32')))
+ self.df_float64 = DataFrame(dict(A=np.arange(self.N, dtype='float64'), B=np.arange(self.N, dtype='float64')))
+ self.df_float32 = DataFrame(dict(A=np.arange(self.N, dtype='float32'), B=np.arange(self.N, dtype='float32')))
+ self.df_datetime64 = DataFrame(dict(A=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms'), B=pd.to_datetime(np.arange(self.N, dtype='int64'), unit='ms')))
+ self.df_timedelta64 = DataFrame(dict(A=(self.df_datetime64['A'] - self.df_datetime64['B']), B=self.df_datetime64['B']))
+
+ def time_dtype_infer_uint32(self):
+ (self.df_uint32['A'] + self.df_uint32['B'])
\ No newline at end of file
diff --git a/asv_bench/benchmarks/io_bench.py b/asv_bench/benchmarks/io_bench.py
new file mode 100644
index 0000000000000..9eee932de8b7c
--- /dev/null
+++ b/asv_bench/benchmarks/io_bench.py
@@ -0,0 +1,135 @@
+from pandas_vb_common import *
+from pandas import concat, Timestamp
+from StringIO import StringIO
+
+
+class frame_to_csv(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(3000, 30))
+
+ def time_frame_to_csv(self):
+ self.df.to_csv('__test__.csv')
+
+
+class frame_to_csv2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame({'A': range(50000), })
+ self.df['B'] = (self.df.A + 1.0)
+ self.df['C'] = (self.df.A + 2.0)
+ self.df['D'] = (self.df.A + 3.0)
+
+ def time_frame_to_csv2(self):
+ self.df.to_csv('__test__.csv')
+
+
+class frame_to_csv_date_formatting(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=1000)
+ self.data = DataFrame(self.rng, index=self.rng)
+
+ def time_frame_to_csv_date_formatting(self):
+ self.data.to_csv('__test__.csv', date_format='%Y%m%d')
+
+
+class frame_to_csv_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def create_cols(name):
+ return [('%s%03d' % (name, i)) for i in xrange(5)]
+ self.df_float = DataFrame(np.random.randn(5000, 5), dtype='float64', columns=create_cols('float'))
+ self.df_int = DataFrame(np.random.randn(5000, 5), dtype='int64', columns=create_cols('int'))
+ self.df_bool = DataFrame(True, index=self.df_float.index, columns=create_cols('bool'))
+ self.df_object = DataFrame('foo', index=self.df_float.index, columns=create_cols('object'))
+ self.df_dt = DataFrame(Timestamp('20010101'), index=self.df_float.index, columns=create_cols('date'))
+ self.df_float.ix[30:500, 1:3] = np.nan
+ self.df = concat([self.df_float, self.df_int, self.df_bool, self.df_object, self.df_dt], axis=1)
+
+ def time_frame_to_csv_mixed(self):
+ self.df.to_csv('__test__.csv')
+
+
+class read_csv_infer_datetime_format_custom(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=1000)
+ self.data = '\n'.join(self.rng.map((lambda x: x.strftime('%m/%d/%Y %H:%M:%S.%f'))))
+
+ def time_read_csv_infer_datetime_format_custom(self):
+ read_csv(StringIO(self.data), header=None, names=['foo'], parse_dates=['foo'], infer_datetime_format=True)
+
+
+class read_csv_infer_datetime_format_iso8601(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=1000)
+ self.data = '\n'.join(self.rng.map((lambda x: x.strftime('%Y-%m-%d %H:%M:%S'))))
+
+ def time_read_csv_infer_datetime_format_iso8601(self):
+ read_csv(StringIO(self.data), header=None, names=['foo'], parse_dates=['foo'], infer_datetime_format=True)
+
+
+class read_csv_infer_datetime_format_ymd(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=1000)
+ self.data = '\n'.join(self.rng.map((lambda x: x.strftime('%Y%m%d'))))
+
+ def time_read_csv_infer_datetime_format_ymd(self):
+ read_csv(StringIO(self.data), header=None, names=['foo'], parse_dates=['foo'], infer_datetime_format=True)
+
+
+class read_csv_skiprows(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(20000)
+ self.df = DataFrame({'float1': randn(20000), 'float2': randn(20000), 'string1': (['foo'] * 20000), 'bool1': ([True] * 20000), 'int1': np.random.randint(0, 200000, size=20000), }, index=self.index)
+ self.df.to_csv('__test__.csv')
+
+ def time_read_csv_skiprows(self):
+ read_csv('__test__.csv', skiprows=10000)
+
+
+class read_csv_standard(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+ self.df.to_csv('__test__.csv')
+
+ def time_read_csv_standard(self):
+ read_csv('__test__.csv')
+
+
+class read_parse_dates_iso8601(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=1000)
+ self.data = '\n'.join(self.rng.map((lambda x: x.strftime('%Y-%m-%d %H:%M:%S'))))
+
+ def time_read_parse_dates_iso8601(self):
+ read_csv(StringIO(self.data), header=None, names=['foo'], parse_dates=['foo'])
+
+
+class write_csv_standard(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+
+ def time_write_csv_standard(self):
+ self.df.to_csv('__test__.csv')
\ No newline at end of file
diff --git a/asv_bench/benchmarks/io_sql.py b/asv_bench/benchmarks/io_sql.py
new file mode 100644
index 0000000000000..e75e691b61c96
--- /dev/null
+++ b/asv_bench/benchmarks/io_sql.py
@@ -0,0 +1,215 @@
+from pandas_vb_common import *
+from sqlalchemy import create_engine
+import sqlite3
+import sqlalchemy
+
+
+class sql_datetime_read_and_parse_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df['datetime_string'] = self.df['datetime'].map(str)
+ self.df.to_sql('test_type', self.engine, if_exists='replace')
+ self.df[['float', 'datetime_string']].to_sql('test_type', self.con, if_exists='replace')
+
+ def time_sql_datetime_read_and_parse_sqlalchemy(self):
+ read_sql_table('test_type', self.engine, columns=['datetime_string'], parse_dates=['datetime_string'])
+
+
+class sql_datetime_read_as_native_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df['datetime_string'] = self.df['datetime'].map(str)
+ self.df.to_sql('test_type', self.engine, if_exists='replace')
+ self.df[['float', 'datetime_string']].to_sql('test_type', self.con, if_exists='replace')
+
+ def time_sql_datetime_read_as_native_sqlalchemy(self):
+ read_sql_table('test_type', self.engine, columns=['datetime'])
+
+
+class sql_datetime_write_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'string': (['foo'] * 10000), 'bool': ([True] * 10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df.loc[1000:3000, 'float'] = np.nan
+
+ def time_sql_datetime_write_sqlalchemy(self):
+ self.df[['datetime']].to_sql('test_datetime', self.engine, if_exists='replace')
+
+
+class sql_float_read_query_fallback(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df['datetime_string'] = self.df['datetime'].map(str)
+ self.df.to_sql('test_type', self.engine, if_exists='replace')
+ self.df[['float', 'datetime_string']].to_sql('test_type', self.con, if_exists='replace')
+
+ def time_sql_float_read_query_fallback(self):
+ read_sql_query('SELECT float FROM test_type', self.con)
+
+
+class sql_float_read_query_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df['datetime_string'] = self.df['datetime'].map(str)
+ self.df.to_sql('test_type', self.engine, if_exists='replace')
+ self.df[['float', 'datetime_string']].to_sql('test_type', self.con, if_exists='replace')
+
+ def time_sql_float_read_query_sqlalchemy(self):
+ read_sql_query('SELECT float FROM test_type', self.engine)
+
+
+class sql_float_read_table_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df['datetime_string'] = self.df['datetime'].map(str)
+ self.df.to_sql('test_type', self.engine, if_exists='replace')
+ self.df[['float', 'datetime_string']].to_sql('test_type', self.con, if_exists='replace')
+
+ def time_sql_float_read_table_sqlalchemy(self):
+ read_sql_table('test_type', self.engine, columns=['float'])
+
+
+class sql_float_write_fallback(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'string': (['foo'] * 10000), 'bool': ([True] * 10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df.loc[1000:3000, 'float'] = np.nan
+
+ def time_sql_float_write_fallback(self):
+ self.df[['float']].to_sql('test_float', self.con, if_exists='replace')
+
+
+class sql_float_write_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'string': (['foo'] * 10000), 'bool': ([True] * 10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df.loc[1000:3000, 'float'] = np.nan
+
+ def time_sql_float_write_sqlalchemy(self):
+ self.df[['float']].to_sql('test_float', self.engine, if_exists='replace')
+
+
+class sql_read_query_fallback(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+ self.df.to_sql('test2', self.engine, if_exists='replace')
+ self.df.to_sql('test2', self.con, if_exists='replace')
+
+ def time_sql_read_query_fallback(self):
+ read_sql_query('SELECT * FROM test2', self.con)
+
+
+class sql_read_query_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+ self.df.to_sql('test2', self.engine, if_exists='replace')
+ self.df.to_sql('test2', self.con, if_exists='replace')
+
+ def time_sql_read_query_sqlalchemy(self):
+ read_sql_query('SELECT * FROM test2', self.engine)
+
+
+class sql_read_table_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+ self.df.to_sql('test2', self.engine, if_exists='replace')
+ self.df.to_sql('test2', self.con, if_exists='replace')
+
+ def time_sql_read_table_sqlalchemy(self):
+ read_sql_table('test2', self.engine)
+
+
+class sql_string_write_fallback(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'string': (['foo'] * 10000), 'bool': ([True] * 10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df.loc[1000:3000, 'float'] = np.nan
+
+ def time_sql_string_write_fallback(self):
+ self.df[['string']].to_sql('test_string', self.con, if_exists='replace')
+
+
+class sql_string_write_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.df = DataFrame({'float': randn(10000), 'string': (['foo'] * 10000), 'bool': ([True] * 10000), 'datetime': date_range('2000-01-01', periods=10000, freq='s'), })
+ self.df.loc[1000:3000, 'float'] = np.nan
+
+ def time_sql_string_write_sqlalchemy(self):
+ self.df[['string']].to_sql('test_string', self.engine, if_exists='replace')
+
+
+class sql_write_fallback(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+
+ def time_sql_write_fallback(self):
+ self.df.to_sql('test1', self.con, if_exists='replace')
+
+
+class sql_write_sqlalchemy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.engine = create_engine('sqlite:///:memory:')
+ self.con = sqlite3.connect(':memory:')
+ self.index = tm.makeStringIndex(10000)
+ self.df = DataFrame({'float1': randn(10000), 'float2': randn(10000), 'string1': (['foo'] * 10000), 'bool1': ([True] * 10000), 'int1': np.random.randint(0, 100000, size=10000), }, index=self.index)
+
+ def time_sql_write_sqlalchemy(self):
+ self.df.to_sql('test1', self.engine, if_exists='replace')
\ No newline at end of file
diff --git a/asv_bench/benchmarks/join_merge.py b/asv_bench/benchmarks/join_merge.py
new file mode 100644
index 0000000000000..08ae439e8fd5d
--- /dev/null
+++ b/asv_bench/benchmarks/join_merge.py
@@ -0,0 +1,359 @@
+from pandas_vb_common import *
+
+
+class append_frame_single_homogenous(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df1 = pd.DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
+ self.df2 = self.df1.copy()
+ self.df2.index = np.arange(10000, 20000)
+ self.mdf1 = self.df1.copy()
+ self.mdf1['obj1'] = 'bar'
+ self.mdf1['obj2'] = 'bar'
+ self.mdf1['int1'] = 5
+ try:
+ self.mdf1.consolidate(inplace=True)
+ except:
+ pass
+ self.mdf2 = self.mdf1.copy()
+ self.mdf2.index = self.df2.index
+
+ def time_append_frame_single_homogenous(self):
+ self.df1.append(self.df2)
+
+
+class append_frame_single_mixed(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df1 = pd.DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
+ self.df2 = self.df1.copy()
+ self.df2.index = np.arange(10000, 20000)
+ self.mdf1 = self.df1.copy()
+ self.mdf1['obj1'] = 'bar'
+ self.mdf1['obj2'] = 'bar'
+ self.mdf1['int1'] = 5
+ try:
+ self.mdf1.consolidate(inplace=True)
+ except:
+ pass
+ self.mdf2 = self.mdf1.copy()
+ self.mdf2.index = self.df2.index
+
+ def time_append_frame_single_mixed(self):
+ self.mdf1.append(self.mdf2)
+
+
+class concat_empty_frames1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pd.DataFrame(dict(A=range(10000)), index=date_range('20130101', periods=10000, freq='s'))
+ self.empty = pd.DataFrame()
+
+ def time_concat_empty_frames1(self):
+ concat([self.df, self.empty])
+
+
+class concat_empty_frames2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pd.DataFrame(dict(A=range(10000)), index=date_range('20130101', periods=10000, freq='s'))
+ self.empty = pd.DataFrame()
+
+ def time_concat_empty_frames2(self):
+ concat([self.empty, self.df])
+
+
+class concat_series_axis1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 1000
+ self.indices = tm.makeStringIndex(1000)
+ self.s = Series(self.n, index=self.indices)
+ self.pieces = [self.s[i:(- i)] for i in range(1, 10)]
+ self.pieces = (self.pieces * 50)
+
+ def time_concat_series_axis1(self):
+ concat(self.pieces, axis=1)
+
+
+class concat_small_frames(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pd.DataFrame(randn(5, 4))
+
+ def time_concat_small_frames(self):
+ concat(([self.df] * 1000))
+
+
+class i8merge(object):
+ goal_time = 0.2
+
+ def setup(self):
+ (low, high, n) = (((-1) << 10), (1 << 10), (1 << 20))
+ self.left = pd.DataFrame(np.random.randint(low, high, (n, 7)), columns=list('ABCDEFG'))
+ self.left['left'] = self.left.sum(axis=1)
+ self.i = np.random.permutation(len(self.left))
+ self.right = self.left.iloc[self.i].copy()
+ self.right.columns = (self.right.columns[:(-1)].tolist() + ['right'])
+ self.right.index = np.arange(len(self.right))
+ self.right['right'] *= (-1)
+
+ def time_i8merge(self):
+ merge(self.left, self.right, how='outer')
+
+
+class join_dataframe_index_multi(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = tm.makeStringIndex(10).values
+ self.level2 = tm.makeStringIndex(1000).values
+ self.label1 = np.arange(10).repeat(1000)
+ self.label2 = np.tile(np.arange(1000), 10)
+ self.key1 = np.tile(self.level1.take(self.label1), 10)
+ self.key2 = np.tile(self.level2.take(self.label2), 10)
+ self.shuf = np.arange(100000)
+ random.shuffle(self.shuf)
+ try:
+ self.index2 = MultiIndex(levels=[self.level1, self.level2], labels=[self.label1, self.label2])
+ self.index3 = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ self.df_multi = DataFrame(np.random.randn(len(self.index2), 4), index=self.index2, columns=['A', 'B', 'C', 'D'])
+ except:
+ pass
+ try:
+ self.DataFrame = DataMatrix
+ except:
+ pass
+ self.df = pd.DataFrame({'data1': np.random.randn(100000), 'data2': np.random.randn(100000), 'key1': self.key1, 'key2': self.key2, })
+ self.df_key1 = pd.DataFrame(np.random.randn(len(self.level1), 4), index=self.level1, columns=['A', 'B', 'C', 'D'])
+ self.df_key2 = pd.DataFrame(np.random.randn(len(self.level2), 4), index=self.level2, columns=['A', 'B', 'C', 'D'])
+ self.df_shuf = self.df.reindex(self.df.index[self.shuf])
+
+ def time_join_dataframe_index_multi(self):
+ self.df.join(self.df_multi, on=['key1', 'key2'])
+
+
+class join_dataframe_index_single_key_bigger(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = tm.makeStringIndex(10).values
+ self.level2 = tm.makeStringIndex(1000).values
+ self.label1 = np.arange(10).repeat(1000)
+ self.label2 = np.tile(np.arange(1000), 10)
+ self.key1 = np.tile(self.level1.take(self.label1), 10)
+ self.key2 = np.tile(self.level2.take(self.label2), 10)
+ self.shuf = np.arange(100000)
+ random.shuffle(self.shuf)
+ try:
+ self.index2 = MultiIndex(levels=[self.level1, self.level2], labels=[self.label1, self.label2])
+ self.index3 = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ self.df_multi = DataFrame(np.random.randn(len(self.index2), 4), index=self.index2, columns=['A', 'B', 'C', 'D'])
+ except:
+ pass
+ try:
+ self.DataFrame = DataMatrix
+ except:
+ pass
+ self.df = pd.DataFrame({'data1': np.random.randn(100000), 'data2': np.random.randn(100000), 'key1': self.key1, 'key2': self.key2, })
+ self.df_key1 = pd.DataFrame(np.random.randn(len(self.level1), 4), index=self.level1, columns=['A', 'B', 'C', 'D'])
+ self.df_key2 = pd.DataFrame(np.random.randn(len(self.level2), 4), index=self.level2, columns=['A', 'B', 'C', 'D'])
+ self.df_shuf = self.df.reindex(self.df.index[self.shuf])
+
+ def time_join_dataframe_index_single_key_bigger(self):
+ self.df.join(self.df_key2, on='key2')
+
+
+class join_dataframe_index_single_key_bigger_sort(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = tm.makeStringIndex(10).values
+ self.level2 = tm.makeStringIndex(1000).values
+ self.label1 = np.arange(10).repeat(1000)
+ self.label2 = np.tile(np.arange(1000), 10)
+ self.key1 = np.tile(self.level1.take(self.label1), 10)
+ self.key2 = np.tile(self.level2.take(self.label2), 10)
+ self.shuf = np.arange(100000)
+ random.shuffle(self.shuf)
+ try:
+ self.index2 = MultiIndex(levels=[self.level1, self.level2], labels=[self.label1, self.label2])
+ self.index3 = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ self.df_multi = DataFrame(np.random.randn(len(self.index2), 4), index=self.index2, columns=['A', 'B', 'C', 'D'])
+ except:
+ pass
+ try:
+ self.DataFrame = DataMatrix
+ except:
+ pass
+ self.df = pd.DataFrame({'data1': np.random.randn(100000), 'data2': np.random.randn(100000), 'key1': self.key1, 'key2': self.key2, })
+ self.df_key1 = pd.DataFrame(np.random.randn(len(self.level1), 4), index=self.level1, columns=['A', 'B', 'C', 'D'])
+ self.df_key2 = pd.DataFrame(np.random.randn(len(self.level2), 4), index=self.level2, columns=['A', 'B', 'C', 'D'])
+ self.df_shuf = self.df.reindex(self.df.index[self.shuf])
+
+ def time_join_dataframe_index_single_key_bigger_sort(self):
+ self.df_shuf.join(self.df_key2, on='key2', sort=True)
+
+
+class join_dataframe_index_single_key_small(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.level1 = tm.makeStringIndex(10).values
+ self.level2 = tm.makeStringIndex(1000).values
+ self.label1 = np.arange(10).repeat(1000)
+ self.label2 = np.tile(np.arange(1000), 10)
+ self.key1 = np.tile(self.level1.take(self.label1), 10)
+ self.key2 = np.tile(self.level2.take(self.label2), 10)
+ self.shuf = np.arange(100000)
+ random.shuffle(self.shuf)
+ try:
+ self.index2 = MultiIndex(levels=[self.level1, self.level2], labels=[self.label1, self.label2])
+ self.index3 = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ self.df_multi = DataFrame(np.random.randn(len(self.index2), 4), index=self.index2, columns=['A', 'B', 'C', 'D'])
+ except:
+ pass
+ try:
+ self.DataFrame = DataMatrix
+ except:
+ pass
+ self.df = pd.DataFrame({'data1': np.random.randn(100000), 'data2': np.random.randn(100000), 'key1': self.key1, 'key2': self.key2, })
+ self.df_key1 = pd.DataFrame(np.random.randn(len(self.level1), 4), index=self.level1, columns=['A', 'B', 'C', 'D'])
+ self.df_key2 = pd.DataFrame(np.random.randn(len(self.level2), 4), index=self.level2, columns=['A', 'B', 'C', 'D'])
+ self.df_shuf = self.df.reindex(self.df.index[self.shuf])
+
+ def time_join_dataframe_index_single_key_small(self):
+ self.df.join(self.df_key1, on='key1')
+
+
+class join_dataframe_integer_2key(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pd.DataFrame({'key1': np.tile(np.arange(500).repeat(10), 2), 'key2': np.tile(np.arange(250).repeat(10), 4), 'value': np.random.randn(10000), })
+ self.df2 = pd.DataFrame({'key1': np.arange(500), 'value2': randn(500), })
+ self.df3 = self.df[:5000]
+
+ def time_join_dataframe_integer_2key(self):
+ merge(self.df, self.df3)
+
+
+class join_dataframe_integer_key(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = pd.DataFrame({'key1': np.tile(np.arange(500).repeat(10), 2), 'key2': np.tile(np.arange(250).repeat(10), 4), 'value': np.random.randn(10000), })
+ self.df2 = pd.DataFrame({'key1': np.arange(500), 'value2': randn(500), })
+ self.df3 = self.df[:5000]
+
+ def time_join_dataframe_integer_key(self):
+ merge(self.df, self.df2, on='key1')
+
+
+class join_non_unique_equal(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.date_index = date_range('01-Jan-2013', '23-Jan-2013', freq='T')
+ self.daily_dates = self.date_index.to_period('D').to_timestamp('S', 'S')
+ self.fracofday = (self.date_index.view(np.ndarray) - self.daily_dates.view(np.ndarray))
+ self.fracofday = (self.fracofday.astype('timedelta64[ns]').astype(np.float64) / 86400000000000.0)
+ self.fracofday = TimeSeries(self.fracofday, self.daily_dates)
+ self.index = date_range(self.date_index.min().to_period('A').to_timestamp('D', 'S'), self.date_index.max().to_period('A').to_timestamp('D', 'E'), freq='D')
+ self.temp = TimeSeries(1.0, self.index)
+
+ def time_join_non_unique_equal(self):
+ (self.fracofday * self.temp[self.fracofday.index])
+
+
+class left_outer_join_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ np.random.seed(2718281)
+ self.n = 50000
+ self.left = pd.DataFrame(np.random.randint(1, (self.n / 500), (self.n, 2)), columns=['jim', 'joe'])
+ self.right = pd.DataFrame(np.random.randint(1, (self.n / 500), (self.n, 2)), columns=['jolie', 'jolia']).set_index('jolie')
+
+ def time_left_outer_join_index(self):
+ self.left.join(self.right, on='jim')
+
+
+class merge_2intkey_nosort(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.indices = tm.makeStringIndex(self.N).values
+ self.indices2 = tm.makeStringIndex(self.N).values
+ self.key = np.tile(self.indices[:8000], 10)
+ self.key2 = np.tile(self.indices2[:8000], 10)
+ self.left = pd.DataFrame({'key': self.key, 'key2': self.key2, 'value': np.random.randn(80000), })
+ self.right = pd.DataFrame({'key': self.indices[2000:], 'key2': self.indices2[2000:], 'value2': np.random.randn(8000), })
+
+ def time_merge_2intkey_nosort(self):
+ merge(self.left, self.right, sort=False)
+
+
+class merge_2intkey_sort(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.indices = tm.makeStringIndex(self.N).values
+ self.indices2 = tm.makeStringIndex(self.N).values
+ self.key = np.tile(self.indices[:8000], 10)
+ self.key2 = np.tile(self.indices2[:8000], 10)
+ self.left = pd.DataFrame({'key': self.key, 'key2': self.key2, 'value': np.random.randn(80000), })
+ self.right = pd.DataFrame({'key': self.indices[2000:], 'key2': self.indices2[2000:], 'value2': np.random.randn(8000), })
+
+ def time_merge_2intkey_sort(self):
+ merge(self.left, self.right, sort=True)
+
+
+class series_align_int64_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 1000000
+
+ def sample(values, k):
+ self.sampler = np.random.permutation(len(values))
+ return values.take(self.sampler[:k])
+ self.sz = 500000
+ self.rng = np.arange(0, 10000000000000, 10000000)
+ self.stamps = (np.datetime64(datetime.now()).view('i8') + self.rng)
+ self.idx1 = np.sort(sample(self.stamps, self.sz))
+ self.idx2 = np.sort(sample(self.stamps, self.sz))
+ self.ts1 = Series(np.random.randn(self.sz), self.idx1)
+ self.ts2 = Series(np.random.randn(self.sz), self.idx2)
+
+ def time_series_align_int64_index(self):
+ (self.ts1 + self.ts2)
+
+
+class series_align_left_monotonic(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 1000000
+
+ def sample(values, k):
+ self.sampler = np.random.permutation(len(values))
+ return values.take(self.sampler[:k])
+ self.sz = 500000
+ self.rng = np.arange(0, 10000000000000, 10000000)
+ self.stamps = (np.datetime64(datetime.now()).view('i8') + self.rng)
+ self.idx1 = np.sort(sample(self.stamps, self.sz))
+ self.idx2 = np.sort(sample(self.stamps, self.sz))
+ self.ts1 = Series(np.random.randn(self.sz), self.idx1)
+ self.ts2 = Series(np.random.randn(self.sz), self.idx2)
+
+ def time_series_align_left_monotonic(self):
+ self.ts1.align(self.ts2, join='left')
\ No newline at end of file
diff --git a/asv_bench/benchmarks/miscellaneous.py b/asv_bench/benchmarks/miscellaneous.py
new file mode 100644
index 0000000000000..b9c02c85fb096
--- /dev/null
+++ b/asv_bench/benchmarks/miscellaneous.py
@@ -0,0 +1,30 @@
+from pandas_vb_common import *
+from pandas.util.decorators import cache_readonly
+
+
+class match_strings(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.uniques = tm.makeStringIndex(1000).values
+ self.all = self.uniques.repeat(10)
+
+ def time_match_strings(self):
+ match(self.all, self.uniques)
+
+
+class misc_cache_readonly(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+
+ class Foo:
+
+ @cache_readonly
+ def prop(self):
+ return 5
+ self.obj = Foo()
+
+ def time_misc_cache_readonly(self):
+ self.obj.prop
\ No newline at end of file
diff --git a/asv_bench/benchmarks/packers.py b/asv_bench/benchmarks/packers.py
new file mode 100644
index 0000000000000..81fa7c2238d16
--- /dev/null
+++ b/asv_bench/benchmarks/packers.py
@@ -0,0 +1,857 @@
+from numpy.random import randint
+import pandas as pd
+from collections import OrderedDict
+from pandas.compat import BytesIO
+import sqlite3
+from pandas_vb_common import *
+import os
+from sqlalchemy import create_engine
+import numpy as np
+from random import randrange
+from pandas.core import common as com
+
+
+class packers_read_csv(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.to_csv(self.f)
+
+ def time_packers_read_csv(self):
+ pd.read_csv(self.f)
+
+
+class packers_read_excel(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.bio = BytesIO()
+ self.writer = pd.io.excel.ExcelWriter(self.bio, engine='xlsxwriter')
+ self.df[:2000].to_excel(self.writer)
+ self.writer.save()
+
+ def time_packers_read_excel(self):
+ self.bio.seek(0)
+ pd.read_excel(self.bio)
+
+
+class packers_read_hdf_store(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df2.to_hdf(self.f, 'df')
+
+ def time_packers_read_hdf_store(self):
+ pd.read_hdf(self.f, 'df')
+
+
+class packers_read_hdf_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df2.to_hdf(self.f, 'df', format='table')
+
+ def time_packers_read_hdf_table(self):
+ pd.read_hdf(self.f, 'df')
+
+
+class packers_read_json(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.to_json(self.f, orient='split')
+ self.df.index = np.arange(self.N)
+
+ def time_packers_read_json(self):
+ pd.read_json(self.f, orient='split')
+
+
+class packers_read_json_date_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.to_json(self.f, orient='split')
+
+ def time_packers_read_json_date_index(self):
+ pd.read_json(self.f, orient='split')
+
+
+class packers_read_pack(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df2.to_msgpack(self.f)
+
+ def time_packers_read_pack(self):
+ pd.read_msgpack(self.f)
+
+
+class packers_read_pickle(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df2.to_pickle(self.f)
+
+ def time_packers_read_pickle(self):
+ pd.read_pickle(self.f)
+
+
+class packers_read_sql(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.engine = create_engine('sqlite:///:memory:')
+ self.df2.to_sql('table', self.engine, if_exists='replace')
+
+ def time_packers_read_sql(self):
+ pd.read_sql_table('table', self.engine)
+
+
+class packers_read_stata(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def time_packers_read_stata(self):
+ pd.read_stata(self.f)
+
+
+class packers_read_stata_with_validation(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df['int8_'] = [randint(np.iinfo(np.int8).min, (np.iinfo(np.int8).max - 27)) for _ in range(self.N)]
+ self.df['int16_'] = [randint(np.iinfo(np.int16).min, (np.iinfo(np.int16).max - 27)) for _ in range(self.N)]
+ self.df['int32_'] = [randint(np.iinfo(np.int32).min, (np.iinfo(np.int32).max - 27)) for _ in range(self.N)]
+ self.df['float32_'] = np.array(randn(self.N), dtype=np.float32)
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def time_packers_read_stata_with_validation(self):
+ pd.read_stata(self.f)
+
+
+class packers_write_csv(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_csv(self):
+ self.df.to_csv(self.f)
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_excel_openpyxl(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.bio = BytesIO()
+
+ def time_packers_write_excel_openpyxl(self):
+ self.bio.seek(0)
+ self.writer = pd.io.excel.ExcelWriter(self.bio, engine='openpyxl')
+ self.df[:2000].to_excel(self.writer)
+ self.writer.save()
+
+
+class packers_write_excel_xlsxwriter(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.bio = BytesIO()
+
+ def time_packers_write_excel_xlsxwriter(self):
+ self.bio.seek(0)
+ self.writer = pd.io.excel.ExcelWriter(self.bio, engine='xlsxwriter')
+ self.df[:2000].to_excel(self.writer)
+ self.writer.save()
+
+
+class packers_write_excel_xlwt(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.bio = BytesIO()
+
+ def time_packers_write_excel_xlwt(self):
+ self.bio.seek(0)
+ self.writer = pd.io.excel.ExcelWriter(self.bio, engine='xlwt')
+ self.df[:2000].to_excel(self.writer)
+ self.writer.save()
+
+
+class packers_write_hdf_store(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_hdf_store(self):
+ self.df2.to_hdf(self.f, 'df')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_hdf_table(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_hdf_table(self):
+ self.df2.to_hdf(self.f, 'df', table=True)
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.index = np.arange(self.N)
+
+ def time_packers_write_json(self):
+ self.df.to_json(self.f, orient='split')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_T(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.index = np.arange(self.N)
+
+ def time_packers_write_json_T(self):
+ self.df.to_json(self.f, orient='columns')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_date_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_json_date_index(self):
+ self.df.to_json(self.f, orient='split')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_mixed_delta_int_tstamp(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.cols = [(lambda i: ('{0}_timedelta'.format(i), [pd.Timedelta(('%d seconds' % randrange(1000000.0))) for _ in range(self.N)])), (lambda i: ('{0}_int'.format(i), randint(100000000.0, size=self.N))), (lambda i: ('{0}_timestamp'.format(i), [pd.Timestamp((1418842918083256000 + randrange(1000000000.0, 1e+18, 200))) for _ in range(self.N)]))]
+ self.df_mixed = DataFrame(OrderedDict([self.cols[(i % len(self.cols))](i) for i in range(self.C)]), index=self.index)
+
+ def time_packers_write_json_mixed_delta_int_tstamp(self):
+ self.df_mixed.to_json(self.f, orient='split')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_mixed_float_int(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.cols = [(lambda i: ('{0}_float'.format(i), randn(self.N))), (lambda i: ('{0}_int'.format(i), randint(100000000.0, size=self.N)))]
+ self.df_mixed = DataFrame(OrderedDict([self.cols[(i % len(self.cols))](i) for i in range(self.C)]), index=self.index)
+
+ def time_packers_write_json_mixed_float_int(self):
+ self.df_mixed.to_json(self.f, orient='index')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_mixed_float_int_T(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.cols = [(lambda i: ('{0}_float'.format(i), randn(self.N))), (lambda i: ('{0}_int'.format(i), randint(100000000.0, size=self.N)))]
+ self.df_mixed = DataFrame(OrderedDict([self.cols[(i % len(self.cols))](i) for i in range(self.C)]), index=self.index)
+
+ def time_packers_write_json_mixed_float_int_T(self):
+ self.df_mixed.to_json(self.f, orient='columns')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_json_mixed_float_int_str(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.cols = [(lambda i: ('{0}_float'.format(i), randn(self.N))), (lambda i: ('{0}_int'.format(i), randint(100000000.0, size=self.N))), (lambda i: ('{0}_str'.format(i), [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]))]
+ self.df_mixed = DataFrame(OrderedDict([self.cols[(i % len(self.cols))](i) for i in range(self.C)]), index=self.index)
+
+ def time_packers_write_json_mixed_float_int_str(self):
+ self.df_mixed.to_json(self.f, orient='split')
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_pack(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_pack(self):
+ self.df2.to_msgpack(self.f)
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_pickle(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+
+ def time_packers_write_pickle(self):
+ self.df2.to_pickle(self.f)
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_sql(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.engine = create_engine('sqlite:///:memory:')
+
+ def time_packers_write_sql(self):
+ self.df2.to_sql('table', self.engine, if_exists='replace')
+
+
+class packers_write_stata(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def time_packers_write_stata(self):
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def teardown(self):
+ remove(self.f)
+
+
+class packers_write_stata_with_validation(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.f = '__test__.msg'
+
+ def remove(f):
+ try:
+ os.remove(self.f)
+ except:
+ pass
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.N = 100000
+ self.C = 5
+ self.index = date_range('20000101', periods=self.N, freq='H')
+ self.df2 = DataFrame(dict([('float{0}'.format(i), randn(self.N)) for i in range(self.C)]), index=self.index)
+ self.df2['object'] = [('%08x' % randrange((16 ** 8))) for _ in range(self.N)]
+ remove(self.f)
+ self.df['int8_'] = [randint(np.iinfo(np.int8).min, (np.iinfo(np.int8).max - 27)) for _ in range(self.N)]
+ self.df['int16_'] = [randint(np.iinfo(np.int16).min, (np.iinfo(np.int16).max - 27)) for _ in range(self.N)]
+ self.df['int32_'] = [randint(np.iinfo(np.int32).min, (np.iinfo(np.int32).max - 27)) for _ in range(self.N)]
+ self.df['float32_'] = np.array(randn(self.N), dtype=np.float32)
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def time_packers_write_stata_with_validation(self):
+ self.df.to_stata(self.f, {'index': 'tc', })
+
+ def teardown(self):
+ remove(self.f)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/pandas_vb_common.py b/asv_bench/benchmarks/pandas_vb_common.py
new file mode 120000
index 0000000000000..6e2e449a4c00a
--- /dev/null
+++ b/asv_bench/benchmarks/pandas_vb_common.py
@@ -0,0 +1 @@
+../../vb_suite/pandas_vb_common.py
\ No newline at end of file
diff --git a/asv_bench/benchmarks/panel_ctor.py b/asv_bench/benchmarks/panel_ctor.py
new file mode 100644
index 0000000000000..c755cb122a0bf
--- /dev/null
+++ b/asv_bench/benchmarks/panel_ctor.py
@@ -0,0 +1,64 @@
+from pandas_vb_common import *
+
+
+class panel_from_dict_all_different_indexes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data_frames = {}
+ self.start = datetime(1990, 1, 1)
+ self.end = datetime(2012, 1, 1)
+ for x in xrange(100):
+ self.end += timedelta(days=1)
+ self.dr = np.asarray(date_range(self.start, self.end))
+ self.df = DataFrame({'a': ([0] * len(self.dr)), 'b': ([1] * len(self.dr)), 'c': ([2] * len(self.dr)), }, index=self.dr)
+ self.data_frames[x] = self.df
+
+ def time_panel_from_dict_all_different_indexes(self):
+ Panel.from_dict(self.data_frames)
+
+
+class panel_from_dict_equiv_indexes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data_frames = {}
+ for x in xrange(100):
+ self.dr = np.asarray(DatetimeIndex(start=datetime(1990, 1, 1), end=datetime(2012, 1, 1), freq=datetools.Day(1)))
+ self.df = DataFrame({'a': ([0] * len(self.dr)), 'b': ([1] * len(self.dr)), 'c': ([2] * len(self.dr)), }, index=self.dr)
+ self.data_frames[x] = self.df
+
+ def time_panel_from_dict_equiv_indexes(self):
+ Panel.from_dict(self.data_frames)
+
+
+class panel_from_dict_same_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.dr = np.asarray(DatetimeIndex(start=datetime(1990, 1, 1), end=datetime(2012, 1, 1), freq=datetools.Day(1)))
+ self.data_frames = {}
+ for x in xrange(100):
+ self.df = DataFrame({'a': ([0] * len(self.dr)), 'b': ([1] * len(self.dr)), 'c': ([2] * len(self.dr)), }, index=self.dr)
+ self.data_frames[x] = self.df
+
+ def time_panel_from_dict_same_index(self):
+ Panel.from_dict(self.data_frames)
+
+
+class panel_from_dict_two_different_indexes(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data_frames = {}
+ self.start = datetime(1990, 1, 1)
+ self.end = datetime(2012, 1, 1)
+ for x in xrange(100):
+ if (x == 50):
+ self.end += timedelta(days=1)
+ self.dr = np.asarray(date_range(self.start, self.end))
+ self.df = DataFrame({'a': ([0] * len(self.dr)), 'b': ([1] * len(self.dr)), 'c': ([2] * len(self.dr)), }, index=self.dr)
+ self.data_frames[x] = self.df
+
+ def time_panel_from_dict_two_different_indexes(self):
+ Panel.from_dict(self.data_frames)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/panel_methods.py b/asv_bench/benchmarks/panel_methods.py
new file mode 100644
index 0000000000000..4145b68dca997
--- /dev/null
+++ b/asv_bench/benchmarks/panel_methods.py
@@ -0,0 +1,56 @@
+from pandas_vb_common import *
+
+
+class panel_pct_change_items(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = date_range(start='2000', freq='D', periods=1000)
+ self.panel = Panel(np.random.randn(100, len(self.index), 1000))
+
+ def time_panel_pct_change_items(self):
+ self.panel.pct_change(1, axis='items')
+
+
+class panel_pct_change_major(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = date_range(start='2000', freq='D', periods=1000)
+ self.panel = Panel(np.random.randn(100, len(self.index), 1000))
+
+ def time_panel_pct_change_major(self):
+ self.panel.pct_change(1, axis='major')
+
+
+class panel_pct_change_minor(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = date_range(start='2000', freq='D', periods=1000)
+ self.panel = Panel(np.random.randn(100, len(self.index), 1000))
+
+ def time_panel_pct_change_minor(self):
+ self.panel.pct_change(1, axis='minor')
+
+
+class panel_shift(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = date_range(start='2000', freq='D', periods=1000)
+ self.panel = Panel(np.random.randn(100, len(self.index), 1000))
+
+ def time_panel_shift(self):
+ self.panel.shift(1)
+
+
+class panel_shift_minor(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = date_range(start='2000', freq='D', periods=1000)
+ self.panel = Panel(np.random.randn(100, len(self.index), 1000))
+
+ def time_panel_shift_minor(self):
+ self.panel.shift(1, axis='minor')
\ No newline at end of file
diff --git a/asv_bench/benchmarks/parser_vb.py b/asv_bench/benchmarks/parser_vb.py
new file mode 100644
index 0000000000000..46167dc2bb33c
--- /dev/null
+++ b/asv_bench/benchmarks/parser_vb.py
@@ -0,0 +1,109 @@
+from cStringIO import StringIO
+from pandas_vb_common import *
+import os
+from pandas import read_csv, read_table
+
+
+class read_csv_comment2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = ['A,B,C']
+ self.data = (self.data + (['1,2,3 # comment'] * 100000))
+ self.data = '\n'.join(self.data)
+
+ def time_read_csv_comment2(self):
+ read_csv(StringIO(self.data), comment='#')
+
+
+class read_csv_default_converter(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = '0.1213700904466425978256438611,0.0525708283766902484401839501,0.4174092731488769913994474336\n 0.4096341697147408700274695547,0.1587830198973579909349496119,0.1292545832485494372576795285\n 0.8323255650024565799327547210,0.9694902427379478160318626578,0.6295047811546814475747169126\n 0.4679375305798131323697930383,0.2963942381834381301075609371,0.5268936082160610157032465394\n 0.6685382761849776311890991564,0.6721207066140679753374342908,0.6519975277021627935170045020\n '
+ self.data = (self.data * 200)
+
+ def time_read_csv_default_converter(self):
+ read_csv(StringIO(self.data), sep=',', header=None, float_precision=None)
+
+
+class read_csv_precise_converter(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = '0.1213700904466425978256438611,0.0525708283766902484401839501,0.4174092731488769913994474336\n 0.4096341697147408700274695547,0.1587830198973579909349496119,0.1292545832485494372576795285\n 0.8323255650024565799327547210,0.9694902427379478160318626578,0.6295047811546814475747169126\n 0.4679375305798131323697930383,0.2963942381834381301075609371,0.5268936082160610157032465394\n 0.6685382761849776311890991564,0.6721207066140679753374342908,0.6519975277021627935170045020\n '
+ self.data = (self.data * 200)
+
+ def time_read_csv_precise_converter(self):
+ read_csv(StringIO(self.data), sep=',', header=None, float_precision='high')
+
+
+class read_csv_roundtrip_converter(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.data = '0.1213700904466425978256438611,0.0525708283766902484401839501,0.4174092731488769913994474336\n 0.4096341697147408700274695547,0.1587830198973579909349496119,0.1292545832485494372576795285\n 0.8323255650024565799327547210,0.9694902427379478160318626578,0.6295047811546814475747169126\n 0.4679375305798131323697930383,0.2963942381834381301075609371,0.5268936082160610157032465394\n 0.6685382761849776311890991564,0.6721207066140679753374342908,0.6519975277021627935170045020\n '
+ self.data = (self.data * 200)
+
+ def time_read_csv_roundtrip_converter(self):
+ read_csv(StringIO(self.data), sep=',', header=None, float_precision='round_trip')
+
+
+class read_csv_thou_vb(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 8
+ self.format = (lambda x: '{:,}'.format(x))
+ self.df = DataFrame((np.random.randn(self.N, self.K) * np.random.randint(100, 10000, (self.N, self.K))))
+ self.df = self.df.applymap(self.format)
+ self.df.to_csv('test.csv', sep='|')
+
+ def time_read_csv_thou_vb(self):
+ read_csv('test.csv', sep='|', thousands=',')
+
+ def teardown(self):
+ os.remove('test.csv')
+
+
+class read_csv_vb(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 8
+ self.df = DataFrame((np.random.randn(self.N, self.K) * np.random.randint(100, 10000, (self.N, self.K))))
+ self.df.to_csv('test.csv', sep='|')
+
+ def time_read_csv_vb(self):
+ read_csv('test.csv', sep='|')
+
+ def teardown(self):
+ os.remove('test.csv')
+
+
+class read_table_multiple_date(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 8
+ self.data = 'KORD,19990127, 19:00:00, 18:56:00, 0.8100, 2.8100, 7.2000, 0.0000, 280.0000\n KORD,19990127, 20:00:00, 19:56:00, 0.0100, 2.2100, 7.2000, 0.0000, 260.0000\n KORD,19990127, 21:00:00, 20:56:00, -0.5900, 2.2100, 5.7000, 0.0000, 280.0000\n KORD,19990127, 21:00:00, 21:18:00, -0.9900, 2.0100, 3.6000, 0.0000, 270.0000\n KORD,19990127, 22:00:00, 21:56:00, -0.5900, 1.7100, 5.1000, 0.0000, 290.0000\n '
+ self.data = (self.data * 200)
+
+ def time_read_table_multiple_date(self):
+ read_table(StringIO(self.data), sep=',', header=None, parse_dates=[[1, 2], [1, 3]])
+
+
+class read_table_multiple_date_baseline(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 8
+ self.data = 'KORD,19990127 19:00:00, 18:56:00, 0.8100, 2.8100, 7.2000, 0.0000, 280.0000\n KORD,19990127 20:00:00, 19:56:00, 0.0100, 2.2100, 7.2000, 0.0000, 260.0000\n KORD,19990127 21:00:00, 20:56:00, -0.5900, 2.2100, 5.7000, 0.0000, 280.0000\n KORD,19990127 21:00:00, 21:18:00, -0.9900, 2.0100, 3.6000, 0.0000, 270.0000\n KORD,19990127 22:00:00, 21:56:00, -0.5900, 1.7100, 5.1000, 0.0000, 290.0000\n '
+ self.data = (self.data * 200)
+
+ def time_read_table_multiple_date_baseline(self):
+ read_table(StringIO(self.data), sep=',', header=None, parse_dates=[1])
\ No newline at end of file
diff --git a/asv_bench/benchmarks/plotting.py b/asv_bench/benchmarks/plotting.py
new file mode 100644
index 0000000000000..d1df1b429c656
--- /dev/null
+++ b/asv_bench/benchmarks/plotting.py
@@ -0,0 +1,19 @@
+from pandas_vb_common import *
+try:
+ from pandas import date_range
+except ImportError:
+
+ def date_range(start=None, end=None, periods=None, freq=None):
+ return DatetimeIndex(start, end, periods=periods, offset=freq)
+
+
+class plot_timeseries_period(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 2000
+ self.M = 5
+ self.df = DataFrame(np.random.randn(self.N, self.M), index=date_range('1/1/1975', periods=self.N))
+
+ def time_plot_timeseries_period(self):
+ self.df.plot()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/reindex.py b/asv_bench/benchmarks/reindex.py
new file mode 100644
index 0000000000000..d6fbd0d31c389
--- /dev/null
+++ b/asv_bench/benchmarks/reindex.py
@@ -0,0 +1,384 @@
+from pandas_vb_common import *
+from random import shuffle
+
+
+class dataframe_reindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = DatetimeIndex(start='1/1/1970', periods=10000, freq=datetools.Minute())
+ self.df = DataFrame(np.random.rand(10000, 10), index=self.rng, columns=range(10))
+ self.df['foo'] = 'bar'
+ self.rng2 = Index(self.rng[::2])
+
+ def time_dataframe_reindex(self):
+ self.df.reindex(self.rng2)
+
+
+class frame_drop_dup_inplace(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+
+ def time_frame_drop_dup_inplace(self):
+ self.df.drop_duplicates(['key1', 'key2'], inplace=True)
+
+
+class frame_drop_dup_na_inplace(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+ self.df.ix[:10000, :] = np.nan
+
+ def time_frame_drop_dup_na_inplace(self):
+ self.df.drop_duplicates(['key1', 'key2'], inplace=True)
+
+
+class frame_drop_duplicates(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+
+ def time_frame_drop_duplicates(self):
+ self.df.drop_duplicates(['key1', 'key2'])
+
+
+class frame_drop_duplicates_na(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+ self.df.ix[:10000, :] = np.nan
+
+ def time_frame_drop_duplicates_na(self):
+ self.df.drop_duplicates(['key1', 'key2'])
+
+
+class frame_fillna_many_columns_pad(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.values = np.random.randn(1000, 1000)
+ self.values[::2] = np.nan
+ self.df = DataFrame(self.values)
+
+ def time_frame_fillna_many_columns_pad(self):
+ self.df.fillna(method='pad')
+
+
+class frame_reindex_columns(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(index=range(10000), data=np.random.rand(10000, 30), columns=range(30))
+
+ def time_frame_reindex_columns(self):
+ self.df.reindex(columns=self.df.columns[1:5])
+
+
+class frame_sort_index_by_columns(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+
+ def time_frame_sort_index_by_columns(self):
+ self.df.sort_index(by=['key1', 'key2'])
+
+
+class lib_fast_zip(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+
+ def time_lib_fast_zip(self):
+ lib.fast_zip(self.col_array_list)
+
+
+class lib_fast_zip_fillna(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 10000
+ self.K = 10
+ self.key1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.key2 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.df = DataFrame({'key1': self.key1, 'key2': self.key2, 'value': np.random.randn((self.N * self.K)), })
+ self.col_array_list = list(self.df.values.T)
+ self.df.ix[:10000, :] = np.nan
+
+ def time_lib_fast_zip_fillna(self):
+ lib.fast_zip_fillna(self.col_array_list)
+
+
+class reindex_daterange_backfill(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_daterange_backfill(self):
+ backfill(self.ts2, self.ts.index)
+
+
+class reindex_daterange_pad(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_daterange_pad(self):
+ pad(self.ts2, self.ts.index)
+
+
+class reindex_fillna_backfill(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_fillna_backfill(self):
+ self.ts3.fillna(method='backfill')
+
+
+class reindex_fillna_backfill_float32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_fillna_backfill_float32(self):
+ self.ts4.fillna(method='backfill')
+
+
+class reindex_fillna_pad(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_fillna_pad(self):
+ self.ts3.fillna(method='pad')
+
+
+class reindex_fillna_pad_float32(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+ self.ts2 = self.ts[::2]
+ self.ts3 = self.ts2.reindex(self.ts.index)
+ self.ts4 = self.ts3.astype('float32')
+
+ def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+ def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
+ def time_reindex_fillna_pad_float32(self):
+ self.ts4.fillna(method='pad')
+
+
+class reindex_frame_level_align(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_reindex_frame_level_align(self):
+ self.df.align(self.df_level, level=1, copy=False)
+
+
+class reindex_frame_level_reindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_reindex_frame_level_reindex(self):
+ self.df_level.reindex(self.df.index, level=1)
+
+
+class reindex_multiindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000
+ self.K = 20
+ self.level1 = tm.makeStringIndex(self.N).values.repeat(self.K)
+ self.level2 = np.tile(tm.makeStringIndex(self.K).values, self.N)
+ self.index = MultiIndex.from_arrays([self.level1, self.level2])
+ self.s1 = Series(np.random.randn((self.N * self.K)), index=self.index)
+ self.s2 = self.s1[::2]
+
+ def time_reindex_multiindex(self):
+ self.s1.reindex(self.s2.index)
+
+
+class series_align_irregular_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = 50000
+ self.indices = tm.makeStringIndex(self.n)
+
+ def sample(values, k):
+ self.sampler = np.arange(len(values))
+ shuffle(self.sampler)
+ return values.take(self.sampler[:k])
+ self.subsample_size = 40000
+ self.x = Series(np.random.randn(50000), self.indices)
+ self.y = Series(np.random.randn(self.subsample_size), index=sample(self.indices, self.subsample_size))
+
+ def time_series_align_irregular_string(self):
+ (self.x + self.y)
+
+
+class series_drop_duplicates_int(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.randint(0, 1000, size=10000))
+ self.s2 = Series(np.tile(tm.makeStringIndex(1000).values, 10))
+
+ def time_series_drop_duplicates_int(self):
+ self.s.drop_duplicates()
+
+
+class series_drop_duplicates_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.randint(0, 1000, size=10000))
+ self.s2 = Series(np.tile(tm.makeStringIndex(1000).values, 10))
+
+ def time_series_drop_duplicates_string(self):
+ self.s2.drop_duplicates()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/replace.py b/asv_bench/benchmarks/replace.py
new file mode 100644
index 0000000000000..9b78c287c5ad4
--- /dev/null
+++ b/asv_bench/benchmarks/replace.py
@@ -0,0 +1,48 @@
+from pandas_vb_common import *
+from pandas.compat import range
+from datetime import timedelta
+
+
+class replace_fillna(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ try:
+ self.rng = date_range('1/1/2000', periods=self.N, freq='min')
+ except NameError:
+ self.rng = DatetimeIndex('1/1/2000', periods=self.N, offset=datetools.Minute())
+ self.date_range = DateRange
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_replace_fillna(self):
+ self.ts.fillna(0.0, inplace=True)
+
+
+class replace_large_dict(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.n = (10 ** 6)
+ self.start_value = (10 ** 5)
+ self.to_rep = dict(((i, (self.start_value + i)) for i in range(self.n)))
+ self.s = Series(np.random.randint(self.n, size=(10 ** 3)))
+
+ def time_replace_large_dict(self):
+ self.s.replace(self.to_rep, inplace=True)
+
+
+class replace_replacena(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 1000000
+ try:
+ self.rng = date_range('1/1/2000', periods=self.N, freq='min')
+ except NameError:
+ self.rng = DatetimeIndex('1/1/2000', periods=self.N, offset=datetools.Minute())
+ self.date_range = DateRange
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_replace_replacena(self):
+ self.ts.replace(np.nan, 0.0, inplace=True)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/reshape.py b/asv_bench/benchmarks/reshape.py
new file mode 100644
index 0000000000000..b4081957af97b
--- /dev/null
+++ b/asv_bench/benchmarks/reshape.py
@@ -0,0 +1,76 @@
+from pandas_vb_common import *
+from pandas.core.reshape import melt
+
+
+class melt_dataframe(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex.from_arrays([np.arange(100).repeat(100), np.roll(np.tile(np.arange(100), 100), 25)])
+ self.df = DataFrame(np.random.randn(10000, 4), index=self.index)
+ self.df = DataFrame(np.random.randn(10000, 3), columns=['A', 'B', 'C'])
+ self.df['id1'] = np.random.randint(0, 10, 10000)
+ self.df['id2'] = np.random.randint(100, 1000, 10000)
+
+ def time_melt_dataframe(self):
+ melt(self.df, id_vars=['id1', 'id2'])
+
+
+class reshape_pivot_time_series(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex.from_arrays([np.arange(100).repeat(100), np.roll(np.tile(np.arange(100), 100), 25)])
+ self.df = DataFrame(np.random.randn(10000, 4), index=self.index)
+
+ def unpivot(frame):
+ (N, K) = frame.shape
+ self.data = {'value': frame.values.ravel('F'), 'variable': np.asarray(frame.columns).repeat(N), 'date': np.tile(np.asarray(frame.index), K), }
+ return DataFrame(self.data, columns=['date', 'variable', 'value'])
+ self.index = date_range('1/1/2000', periods=10000, freq='h')
+ self.df = DataFrame(randn(10000, 50), index=self.index, columns=range(50))
+ self.pdf = unpivot(self.df)
+ self.f = (lambda : self.pdf.pivot('date', 'variable', 'value'))
+
+ def time_reshape_pivot_time_series(self):
+ self.f()
+
+
+class reshape_stack_simple(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex.from_arrays([np.arange(100).repeat(100), np.roll(np.tile(np.arange(100), 100), 25)])
+ self.df = DataFrame(np.random.randn(10000, 4), index=self.index)
+ self.udf = self.df.unstack(1)
+
+ def time_reshape_stack_simple(self):
+ self.udf.stack()
+
+
+class reshape_unstack_simple(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex.from_arrays([np.arange(100).repeat(100), np.roll(np.tile(np.arange(100), 100), 25)])
+ self.df = DataFrame(np.random.randn(10000, 4), index=self.index)
+
+ def time_reshape_unstack_simple(self):
+ self.df.unstack(1)
+
+
+class unstack_sparse_keyspace(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex.from_arrays([np.arange(100).repeat(100), np.roll(np.tile(np.arange(100), 100), 25)])
+ self.df = DataFrame(np.random.randn(10000, 4), index=self.index)
+ self.NUM_ROWS = 1000
+ for iter in range(10):
+ self.df = DataFrame({'A': np.random.randint(50, size=self.NUM_ROWS), 'B': np.random.randint(50, size=self.NUM_ROWS), 'C': np.random.randint((-10), 10, size=self.NUM_ROWS), 'D': np.random.randint((-10), 10, size=self.NUM_ROWS), 'E': np.random.randint(10, size=self.NUM_ROWS), 'F': np.random.randn(self.NUM_ROWS), })
+ self.idf = self.df.set_index(['A', 'B', 'C', 'D', 'E'])
+ if (len(self.idf.index.unique()) == self.NUM_ROWS):
+ break
+
+ def time_unstack_sparse_keyspace(self):
+ self.idf.unstack()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/series_methods.py b/asv_bench/benchmarks/series_methods.py
new file mode 100644
index 0000000000000..9cd61c741dae1
--- /dev/null
+++ b/asv_bench/benchmarks/series_methods.py
@@ -0,0 +1,74 @@
+from pandas_vb_common import *
+
+
+class series_isin_int64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s1 = Series(np.random.randn(10000))
+ self.s2 = Series(np.random.randint(1, 10, 10000))
+ self.s3 = Series(np.random.randint(1, 10, 100000)).astype('int64')
+ self.values = [1, 2]
+ self.s4 = self.s3.astype('object')
+
+ def time_series_isin_int64(self):
+ self.s3.isin(self.values)
+
+
+class series_isin_object(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s1 = Series(np.random.randn(10000))
+ self.s2 = Series(np.random.randint(1, 10, 10000))
+ self.s3 = Series(np.random.randint(1, 10, 100000)).astype('int64')
+ self.values = [1, 2]
+ self.s4 = self.s3.astype('object')
+
+ def time_series_isin_object(self):
+ self.s4.isin(self.values)
+
+
+class series_nlargest1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s1 = Series(np.random.randn(10000))
+ self.s2 = Series(np.random.randint(1, 10, 10000))
+ self.s3 = Series(np.random.randint(1, 10, 100000)).astype('int64')
+ self.values = [1, 2]
+ self.s4 = self.s3.astype('object')
+
+ def time_series_nlargest1(self):
+ self.s1.nlargest(3, take_last=True)
+ self.s1.nlargest(3, take_last=False)
+
+
+class series_nlargest2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s1 = Series(np.random.randn(10000))
+ self.s2 = Series(np.random.randint(1, 10, 10000))
+ self.s3 = Series(np.random.randint(1, 10, 100000)).astype('int64')
+ self.values = [1, 2]
+ self.s4 = self.s3.astype('object')
+
+ def time_series_nlargest2(self):
+ self.s2.nlargest(3, take_last=True)
+ self.s2.nlargest(3, take_last=False)
+
+
+class series_nsmallest2(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s1 = Series(np.random.randn(10000))
+ self.s2 = Series(np.random.randint(1, 10, 10000))
+ self.s3 = Series(np.random.randint(1, 10, 100000)).astype('int64')
+ self.values = [1, 2]
+ self.s4 = self.s3.astype('object')
+
+ def time_series_nsmallest2(self):
+ self.s2.nsmallest(3, take_last=True)
+ self.s2.nsmallest(3, take_last=False)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/sparse.py b/asv_bench/benchmarks/sparse.py
new file mode 100644
index 0000000000000..dbf35f5e40f55
--- /dev/null
+++ b/asv_bench/benchmarks/sparse.py
@@ -0,0 +1,55 @@
+from pandas_vb_common import *
+import scipy.sparse
+import pandas.sparse.series
+from pandas.core.sparse import SparseSeries, SparseDataFrame
+from pandas.core.sparse import SparseDataFrame
+
+
+class sparse_series_to_frame(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.K = 50
+ self.N = 50000
+ self.rng = np.asarray(date_range('1/1/2000', periods=self.N, freq='T'))
+ self.series = {}
+ for i in range(1, (self.K + 1)):
+ self.data = np.random.randn(self.N)[:(- i)]
+ self.this_rng = self.rng[:(- i)]
+ self.data[100:] = np.nan
+ self.series[i] = SparseSeries(self.data, index=self.this_rng)
+
+ def time_sparse_series_to_frame(self):
+ SparseDataFrame(self.series)
+
+
+class sparse_frame_constructor(object):
+ goal_time = 0.2
+
+ def time_sparse_frame_constructor(self):
+ SparseDataFrame(columns=np.arange(100), index=np.arange(1000))
+
+
+class sparse_series_from_coo(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.A = scipy.sparse.coo_matrix(([3.0, 1.0, 2.0], ([1, 0, 0], [0, 2, 3])), shape=(100, 100))
+
+ def time_sparse_series_from_coo(self):
+ self.ss = pandas.sparse.series.SparseSeries.from_coo(self.A)
+
+
+class sparse_series_to_coo(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = pd.Series(([np.nan] * 10000))
+ self.s[0] = 3.0
+ self.s[100] = (-1.0)
+ self.s[999] = 12.1
+ self.s.index = pd.MultiIndex.from_product((range(10), range(10), range(10), range(10)))
+ self.ss = self.s.to_sparse()
+
+ def time_sparse_series_to_coo(self):
+ self.ss.to_coo(row_levels=[0, 1], column_levels=[2, 3], sort_labels=True)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/stat_ops.py b/asv_bench/benchmarks/stat_ops.py
new file mode 100644
index 0000000000000..98e2bbfce1a44
--- /dev/null
+++ b/asv_bench/benchmarks/stat_ops.py
@@ -0,0 +1,236 @@
+from pandas_vb_common import *
+
+
+class stat_ops_frame_mean_float_axis_0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_mean_float_axis_0(self):
+ self.df.mean()
+
+
+class stat_ops_frame_mean_float_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_mean_float_axis_1(self):
+ self.df.mean(1)
+
+
+class stat_ops_frame_mean_int_axis_0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_mean_int_axis_0(self):
+ self.dfi.mean()
+
+
+class stat_ops_frame_mean_int_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_mean_int_axis_1(self):
+ self.dfi.mean(1)
+
+
+class stat_ops_frame_sum_float_axis_0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_sum_float_axis_0(self):
+ self.df.sum()
+
+
+class stat_ops_frame_sum_float_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_sum_float_axis_1(self):
+ self.df.sum(1)
+
+
+class stat_ops_frame_sum_int_axis_0(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_sum_int_axis_0(self):
+ self.dfi.sum()
+
+
+class stat_ops_frame_sum_int_axis_1(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(100000, 4))
+ self.dfi = DataFrame(np.random.randint(1000, size=self.df.shape))
+
+ def time_stat_ops_frame_sum_int_axis_1(self):
+ self.dfi.sum(1)
+
+
+class stat_ops_level_frame_sum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_stat_ops_level_frame_sum(self):
+ self.df.sum(level=1)
+
+
+class stat_ops_level_frame_sum_multiple(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_stat_ops_level_frame_sum_multiple(self):
+ self.df.sum(level=[0, 1])
+
+
+class stat_ops_level_series_sum(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_stat_ops_level_series_sum(self):
+ self.df[1].sum(level=1)
+
+
+class stat_ops_level_series_sum_multiple(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.index = MultiIndex(levels=[np.arange(10), np.arange(100), np.arange(100)], labels=[np.arange(10).repeat(10000), np.tile(np.arange(100).repeat(100), 10), np.tile(np.tile(np.arange(100), 100), 10)])
+ random.shuffle(self.index.values)
+ self.df = DataFrame(np.random.randn(len(self.index), 4), index=self.index)
+ self.df_level = DataFrame(np.random.randn(100, 4), index=self.index.levels[1])
+
+ def time_stat_ops_level_series_sum_multiple(self):
+ self.df[1].sum(level=[0, 1])
+
+
+class stat_ops_series_std(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.s = Series(np.random.randn(100000), index=np.arange(100000))
+ self.s[::2] = np.nan
+
+ def time_stat_ops_series_std(self):
+ self.s.std()
+
+
+class stats_corr_spearman(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(1000, 30))
+
+ def time_stats_corr_spearman(self):
+ self.df.corr(method='spearman')
+
+
+class stats_rank2d_axis0_average(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(5000, 50))
+
+ def time_stats_rank2d_axis0_average(self):
+ self.df.rank()
+
+
+class stats_rank2d_axis1_average(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.df = DataFrame(np.random.randn(5000, 50))
+
+ def time_stats_rank2d_axis1_average(self):
+ self.df.rank(1)
+
+
+class stats_rank_average(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.values = np.concatenate([np.arange(100000), np.random.randn(100000), np.arange(100000)])
+ self.s = Series(self.values)
+
+ def time_stats_rank_average(self):
+ self.s.rank()
+
+
+class stats_rank_average_int(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.values = np.random.randint(0, 100000, size=200000)
+ self.s = Series(self.values)
+
+ def time_stats_rank_average_int(self):
+ self.s.rank()
+
+
+class stats_rank_pct_average(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.values = np.concatenate([np.arange(100000), np.random.randn(100000), np.arange(100000)])
+ self.s = Series(self.values)
+
+ def time_stats_rank_pct_average(self):
+ self.s.rank(pct=True)
+
+
+class stats_rank_pct_average_old(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.values = np.concatenate([np.arange(100000), np.random.randn(100000), np.arange(100000)])
+ self.s = Series(self.values)
+
+ def time_stats_rank_pct_average_old(self):
+ (self.s.rank() / len(self.s))
+
+
+class stats_rolling_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randn(100000)
+
+ def time_stats_rolling_mean(self):
+ rolling_mean(self.arr, 100)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/strings.py b/asv_bench/benchmarks/strings.py
new file mode 100644
index 0000000000000..5adfbf4c2557d
--- /dev/null
+++ b/asv_bench/benchmarks/strings.py
@@ -0,0 +1,393 @@
+from pandas_vb_common import *
+import string
+import itertools as IT
+import pandas.util.testing as testing
+
+
+class strings_cat(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_cat(self):
+ self.many.str.cat(sep=',')
+
+
+class strings_center(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_center(self):
+ self.many.str.center(100)
+
+
+class strings_contains_few(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_contains_few(self):
+ self.few.str.contains('matchthis')
+
+
+class strings_contains_few_noregex(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_contains_few_noregex(self):
+ self.few.str.contains('matchthis', regex=False)
+
+
+class strings_contains_many(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_contains_many(self):
+ self.many.str.contains('matchthis')
+
+
+class strings_contains_many_noregex(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_contains_many_noregex(self):
+ self.many.str.contains('matchthis', regex=False)
+
+
+class strings_count(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_count(self):
+ self.many.str.count('matchthis')
+
+
+class strings_encode_decode(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.ser = Series(testing.makeUnicodeIndex())
+
+ def time_strings_encode_decode(self):
+ self.ser.str.encode('utf-8').str.decode('utf-8')
+
+
+class strings_endswith(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_endswith(self):
+ self.many.str.endswith('matchthis')
+
+
+class strings_extract(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_extract(self):
+ self.many.str.extract('(\\w*)matchthis(\\w*)')
+
+
+class strings_findall(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_findall(self):
+ self.many.str.findall('[A-Z]+')
+
+
+class strings_get(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_get(self):
+ self.many.str.get(0)
+
+
+class strings_get_dummies(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+ self.s = make_series(string.uppercase, strlen=10, size=10000).str.join('|')
+
+ def time_strings_get_dummies(self):
+ self.s.str.get_dummies('|')
+
+
+class strings_join_split(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_join_split(self):
+ self.many.str.join('--').str.split('--')
+
+
+class strings_join_split_expand(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_join_split_expand(self):
+ self.many.str.join('--').str.split('--', expand=True)
+
+
+class strings_len(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_len(self):
+ self.many.str.len()
+
+
+class strings_lower(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_lower(self):
+ self.many.str.lower()
+
+
+class strings_lstrip(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_lstrip(self):
+ self.many.str.lstrip('matchthis')
+
+
+class strings_match(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_match(self):
+ self.many.str.match('mat..this')
+
+
+class strings_pad(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_pad(self):
+ self.many.str.pad(100, side='both')
+
+
+class strings_repeat(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_repeat(self):
+ self.many.str.repeat(list(IT.islice(IT.cycle(range(1, 4)), len(self.many))))
+
+
+class strings_replace(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_replace(self):
+ self.many.str.replace('(matchthis)', '\x01\x01')
+
+
+class strings_rstrip(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_rstrip(self):
+ self.many.str.rstrip('matchthis')
+
+
+class strings_slice(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_slice(self):
+ self.many.str.slice(5, 15, 2)
+
+
+class strings_startswith(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_startswith(self):
+ self.many.str.startswith('matchthis')
+
+
+class strings_strip(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_strip(self):
+ self.many.str.strip('matchthis')
+
+
+class strings_title(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_title(self):
+ self.many.str.title()
+
+
+class strings_upper(object):
+ goal_time = 0.2
+
+ def setup(self):
+
+ def make_series(letters, strlen, size):
+ return Series(np.fromiter(IT.cycle(letters), count=(size * strlen), dtype='|S1').view('|S{}'.format(strlen)))
+ self.many = make_series(('matchthis' + string.uppercase), strlen=19, size=10000)
+ self.few = make_series(('matchthis' + (string.uppercase * 42)), strlen=19, size=10000)
+
+ def time_strings_upper(self):
+ self.many.str.upper()
\ No newline at end of file
diff --git a/asv_bench/benchmarks/timedelta.py b/asv_bench/benchmarks/timedelta.py
new file mode 100644
index 0000000000000..36a0f98e3f5ef
--- /dev/null
+++ b/asv_bench/benchmarks/timedelta.py
@@ -0,0 +1,34 @@
+from pandas_vb_common import *
+from pandas import to_timedelta
+
+
+class timedelta_convert_int(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randint(0, 1000, size=10000)
+
+ def time_timedelta_convert_int(self):
+ to_timedelta(self.arr, unit='s')
+
+
+class timedelta_convert_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randint(0, 1000, size=10000)
+ self.arr = ['{0} days'.format(i) for i in self.arr]
+
+ def time_timedelta_convert_string(self):
+ to_timedelta(self.arr)
+
+
+class timedelta_convert_string_seconds(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.arr = np.random.randint(0, 60, size=10000)
+ self.arr = ['00:00:{0:02d}'.format(i) for i in self.arr]
+
+ def time_timedelta_convert_string_seconds(self):
+ to_timedelta(self.arr)
\ No newline at end of file
diff --git a/asv_bench/benchmarks/timeseries.py b/asv_bench/benchmarks/timeseries.py
new file mode 100644
index 0000000000000..266c198de1455
--- /dev/null
+++ b/asv_bench/benchmarks/timeseries.py
@@ -0,0 +1,1046 @@
+from pandas.tseries.converter import DatetimeConverter
+import pandas as pd
+from datetime import timedelta
+import datetime as dt
+from pandas_vb_common import *
+from pandas.tseries.frequencies import infer_freq
+import pandas.tseries.holiday
+import numpy as np
+
+
+class dataframe_resample_max_numpy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_max_numpy(self):
+ self.df.resample('1s', how=np.max)
+
+
+class dataframe_resample_max_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_max_string(self):
+ self.df.resample('1s', how='max')
+
+
+class dataframe_resample_mean_numpy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_mean_numpy(self):
+ self.df.resample('1s', how=np.mean)
+
+
+class dataframe_resample_mean_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_mean_string(self):
+ self.df.resample('1s', how='mean')
+
+
+class dataframe_resample_min_numpy(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_min_numpy(self):
+ self.df.resample('1s', how=np.min)
+
+
+class dataframe_resample_min_string(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='20130101', periods=100000, freq='50L')
+ self.df = DataFrame(np.random.randn(100000, 2), index=self.rng)
+
+ def time_dataframe_resample_min_string(self):
+ self.df.resample('1s', how='min')
+
+
+class datetimeindex_add_offset(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=10000, freq='T')
+
+ def time_datetimeindex_add_offset(self):
+ (self.rng + timedelta(minutes=2))
+
+
+class datetimeindex_converter(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_datetimeindex_converter(self):
+ DatetimeConverter.convert(self.rng, None, None)
+
+
+class datetimeindex_infer_dst(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.dst_rng = date_range(start='10/29/2000 1:00:00', end='10/29/2000 1:59:59', freq='S')
+ self.index = date_range(start='10/29/2000', end='10/29/2000 00:59:59', freq='S')
+ self.index = self.index.append(self.dst_rng)
+ self.index = self.index.append(self.dst_rng)
+ self.index = self.index.append(date_range(start='10/29/2000 2:00:00', end='10/29/2000 3:00:00', freq='S'))
+
+ def time_datetimeindex_infer_dst(self):
+ self.index.tz_localize('US/Eastern', infer_dst=True)
+
+
+class datetimeindex_normalize(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000 9:30', periods=10000, freq='S', tz='US/Eastern')
+
+ def time_datetimeindex_normalize(self):
+ self.rng.normalize()
+
+
+class datetimeindex_unique(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=1000, freq='T')
+ self.index = self.rng.repeat(10)
+
+ def time_datetimeindex_unique(self):
+ self.index.unique()
+
+
+class dti_reset_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=1000, freq='H')
+ self.df = DataFrame(np.random.randn(len(self.rng), 2), self.rng)
+
+ def time_dti_reset_index(self):
+ self.df.reset_index()
+
+
+class dti_reset_index_tz(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=1000, freq='H', tz='US/Eastern')
+ self.df = DataFrame(np.random.randn(len(self.rng), 2), index=self.rng)
+
+ def time_dti_reset_index_tz(self):
+ self.df.reset_index()
+
+
+class period_setitem(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = period_range(start='1/1/1990', freq='S', periods=20000)
+ self.df = DataFrame(index=range(len(self.rng)))
+
+ def time_period_setitem(self):
+ self.df['col'] = self.rng
+
+
+class timeseries_1min_5min_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_timeseries_1min_5min_mean(self):
+ self.ts[:10000].resample('5min', how='mean')
+
+
+class timeseries_1min_5min_ohlc(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_timeseries_1min_5min_ohlc(self):
+ self.ts[:10000].resample('5min', how='ohlc')
+
+
+class timeseries_add_irregular(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.lindex = np.random.permutation(self.N)[:(self.N // 2)]
+ self.rindex = np.random.permutation(self.N)[:(self.N // 2)]
+ self.left = Series(self.ts.values.take(self.lindex), index=self.ts.index.take(self.lindex))
+ self.right = Series(self.ts.values.take(self.rindex), index=self.ts.index.take(self.rindex))
+
+ def time_timeseries_add_irregular(self):
+ (self.left + self.right)
+
+
+class timeseries_asof(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 10000
+ self.rng = date_range(start='1/1/1990', periods=self.N, freq='53s')
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.dates = date_range(start='1/1/1990', periods=(self.N * 10), freq='5s')
+
+ def time_timeseries_asof(self):
+ self.ts.asof(self.dates)
+
+
+class timeseries_asof_nan(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 10000
+ self.rng = date_range(start='1/1/1990', periods=self.N, freq='53s')
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.dates = date_range(start='1/1/1990', periods=(self.N * 10), freq='5s')
+ self.ts[250:5000] = np.nan
+
+ def time_timeseries_asof_nan(self):
+ self.ts.asof(self.dates)
+
+
+class timeseries_asof_single(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 10000
+ self.rng = date_range(start='1/1/1990', periods=self.N, freq='53s')
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.dates = date_range(start='1/1/1990', periods=(self.N * 10), freq='5s')
+
+ def time_timeseries_asof_single(self):
+ self.ts.asof(self.dates[0])
+
+
+class timeseries_custom_bday_apply(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_apply(self):
+ self.cday.apply(self.date)
+
+
+class timeseries_custom_bday_apply_dt64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_apply_dt64(self):
+ self.cday.apply(self.dt64)
+
+
+class timeseries_custom_bday_cal_decr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_cal_decr(self):
+ (self.date - (1 * self.cdayh))
+
+
+class timeseries_custom_bday_cal_incr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_cal_incr(self):
+ (self.date + (1 * self.cdayh))
+
+
+class timeseries_custom_bday_cal_incr_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_cal_incr_n(self):
+ (self.date + (10 * self.cdayh))
+
+
+class timeseries_custom_bday_cal_incr_neg_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_cal_incr_neg_n(self):
+ (self.date - (10 * self.cdayh))
+
+
+class timeseries_custom_bday_decr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_decr(self):
+ (self.date - self.cday)
+
+
+class timeseries_custom_bday_incr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bday_incr(self):
+ (self.date + self.cday)
+
+
+class timeseries_custom_bmonthbegin_decr_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bmonthbegin_decr_n(self):
+ (self.date - (10 * self.cmb))
+
+
+class timeseries_custom_bmonthbegin_incr_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bmonthbegin_incr_n(self):
+ (self.date + (10 * self.cmb))
+
+
+class timeseries_custom_bmonthend_decr_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bmonthend_decr_n(self):
+ (self.date - (10 * self.cme))
+
+
+class timeseries_custom_bmonthend_incr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bmonthend_incr(self):
+ (self.date + self.cme)
+
+
+class timeseries_custom_bmonthend_incr_n(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_custom_bmonthend_incr_n(self):
+ (self.date + (10 * self.cme))
+
+
+class timeseries_day_apply(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_day_apply(self):
+ self.day.apply(self.date)
+
+
+class timeseries_day_incr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_day_incr(self):
+ (self.date + self.day)
+
+
+class timeseries_infer_freq(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/1700', freq='D', periods=100000)
+ self.a = self.rng[:50000].append(self.rng[50002:])
+
+ def time_timeseries_infer_freq(self):
+ infer_freq(self.a)
+
+
+class timeseries_is_month_start(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 10000
+ self.rng = date_range(start='1/1/1', periods=self.N, freq='B')
+
+ def time_timeseries_is_month_start(self):
+ self.rng.is_month_start
+
+
+class timeseries_iter_datetimeindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 1000000
+ self.M = 10000
+ self.idx1 = date_range(start='20140101', freq='T', periods=self.N)
+ self.idx2 = period_range(start='20140101', freq='T', periods=self.N)
+
+ def iter_n(iterable, n=None):
+ self.i = 0
+ for _ in iterable:
+ self.i += 1
+ if ((n is not None) and (self.i > n)):
+ break
+
+ def time_timeseries_iter_datetimeindex(self):
+ iter_n(self.idx1)
+
+
+class timeseries_iter_datetimeindex_preexit(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 1000000
+ self.M = 10000
+ self.idx1 = date_range(start='20140101', freq='T', periods=self.N)
+ self.idx2 = period_range(start='20140101', freq='T', periods=self.N)
+
+ def iter_n(iterable, n=None):
+ self.i = 0
+ for _ in iterable:
+ self.i += 1
+ if ((n is not None) and (self.i > n)):
+ break
+
+ def time_timeseries_iter_datetimeindex_preexit(self):
+ iter_n(self.idx1, self.M)
+
+
+class timeseries_iter_periodindex(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 1000000
+ self.M = 10000
+ self.idx1 = date_range(start='20140101', freq='T', periods=self.N)
+ self.idx2 = period_range(start='20140101', freq='T', periods=self.N)
+
+ def iter_n(iterable, n=None):
+ self.i = 0
+ for _ in iterable:
+ self.i += 1
+ if ((n is not None) and (self.i > n)):
+ break
+
+ def time_timeseries_iter_periodindex(self):
+ iter_n(self.idx2)
+
+
+class timeseries_iter_periodindex_preexit(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 1000000
+ self.M = 10000
+ self.idx1 = date_range(start='20140101', freq='T', periods=self.N)
+ self.idx2 = period_range(start='20140101', freq='T', periods=self.N)
+
+ def iter_n(iterable, n=None):
+ self.i = 0
+ for _ in iterable:
+ self.i += 1
+ if ((n is not None) and (self.i > n)):
+ break
+
+ def time_timeseries_iter_periodindex_preexit(self):
+ iter_n(self.idx2, self.M)
+
+
+class timeseries_large_lookup_value(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=1500000, freq='S')
+ self.ts = Series(1, index=self.rng)
+
+ def time_timeseries_large_lookup_value(self):
+ self.ts[self.ts.index[(len(self.ts) // 2)]]
+ self.ts.index._cleanup()
+
+
+class timeseries_period_downsample_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = period_range(start='1/1/2000', end='1/1/2001', freq='T')
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+
+ def time_timeseries_period_downsample_mean(self):
+ self.ts.resample('D', how='mean')
+
+
+class timeseries_resample_datetime64(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='2000-01-01 00:00:00', end='2000-01-01 10:00:00', freq='555000U')
+ self.int_ts = Series(5, self.rng, dtype='int64')
+ self.ts = self.int_ts.astype('datetime64[ns]')
+
+ def time_timeseries_resample_datetime64(self):
+ self.ts.resample('1S', how='last')
+
+
+class timeseries_slice_minutely(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_timeseries_slice_minutely(self):
+ self.ts[:10000]
+
+
+class timeseries_sort_index(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='s')
+ self.rng = self.rng.take(np.random.permutation(self.N))
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+
+ def time_timeseries_sort_index(self):
+ self.ts.sort_index()
+
+
+class timeseries_timestamp_downsample_mean(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', end='1/1/2001', freq='T')
+ self.ts = Series(np.random.randn(len(self.rng)), index=self.rng)
+
+ def time_timeseries_timestamp_downsample_mean(self):
+ self.ts.resample('D', how='mean')
+
+
+class timeseries_timestamp_tzinfo_cons(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', end='3/1/2000', tz='US/Eastern')
+
+ def time_timeseries_timestamp_tzinfo_cons(self):
+ self.rng[0]
+
+
+class timeseries_to_datetime_YYYYMMDD(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=10000, freq='D')
+ self.strings = Series((((self.rng.year * 10000) + (self.rng.month * 100)) + self.rng.day), dtype=np.int64).apply(str)
+
+ def time_timeseries_to_datetime_YYYYMMDD(self):
+ to_datetime(self.strings, format='%Y%m%d')
+
+
+class timeseries_to_datetime_iso8601(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=20000, freq='H')
+ self.strings = [x.strftime('%Y-%m-%d %H:%M:%S') for x in self.rng]
+
+ def time_timeseries_to_datetime_iso8601(self):
+ to_datetime(self.strings)
+
+
+class timeseries_to_datetime_iso8601_format(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.rng = date_range(start='1/1/2000', periods=20000, freq='H')
+ self.strings = [x.strftime('%Y-%m-%d %H:%M:%S') for x in self.rng]
+
+ def time_timeseries_to_datetime_iso8601_format(self):
+ to_datetime(self.strings, format='%Y-%m-%d %H:%M:%S')
+
+
+class timeseries_with_format_no_exact(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.s = Series((['19MAY11', '19MAY11:00:00:00'] * 100000))
+
+ def time_timeseries_with_format_no_exact(self):
+ to_datetime(self.s, format='%d%b%y', exact=False)
+
+
+class timeseries_with_format_replace(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.s = Series((['19MAY11', '19MAY11:00:00:00'] * 100000))
+
+ def time_timeseries_with_format_replace(self):
+ to_datetime(self.s.str.replace(':\\S+$', ''), format='%d%b%y')
+
+
+class timeseries_year_apply(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_year_apply(self):
+ self.year.apply(self.date)
+
+
+class timeseries_year_incr(object):
+ goal_time = 0.2
+
+ def setup(self):
+ self.N = 100000
+ self.rng = date_range(start='1/1/2000', periods=self.N, freq='T')
+ if hasattr(Series, 'convert'):
+ Series.resample = Series.convert
+ self.ts = Series(np.random.randn(self.N), index=self.rng)
+ self.date = dt.datetime(2011, 1, 1)
+ self.dt64 = np.datetime64('2011-01-01 09:00Z')
+ self.hcal = pd.tseries.holiday.USFederalHolidayCalendar()
+ self.day = pd.offsets.Day()
+ self.year = pd.offsets.YearBegin()
+ self.cday = pd.offsets.CustomBusinessDay()
+ self.cmb = pd.offsets.CustomBusinessMonthBegin(calendar=self.hcal)
+ self.cme = pd.offsets.CustomBusinessMonthEnd(calendar=self.hcal)
+ self.cdayh = pd.offsets.CustomBusinessDay(calendar=self.hcal)
+
+ def time_timeseries_year_incr(self):
+ (self.date + self.year)
\ No newline at end of file
diff --git a/asv_bench/vbench_to_asv.py b/asv_bench/vbench_to_asv.py
new file mode 100644
index 0000000000000..b3980ffed1a57
--- /dev/null
+++ b/asv_bench/vbench_to_asv.py
@@ -0,0 +1,151 @@
+import ast
+import vbench
+import os
+import sys
+import astor
+import glob
+
+
+def vbench_to_asv_source(bench, kinds=None):
+ tab = ' ' * 4
+ if kinds is None:
+ kinds = ['time']
+
+ output = 'class {}(object):\n'.format(bench.name)
+ output += tab + 'goal_time = 0.2\n\n'
+
+ if bench.setup:
+ indented_setup = [tab * 2 + '{}\n'.format(x) for x in bench.setup.splitlines()]
+ output += tab + 'def setup(self):\n' + ''.join(indented_setup) + '\n'
+
+ for kind in kinds:
+ output += tab + 'def {}_{}(self):\n'.format(kind, bench.name)
+ for line in bench.code.splitlines():
+ output += tab * 2 + line + '\n'
+ output += '\n\n'
+
+ if bench.cleanup:
+ output += tab + 'def teardown(self):\n' + tab * 2 + bench.cleanup
+
+ output += '\n\n'
+ return output
+
+
+class AssignToSelf(ast.NodeTransformer):
+ def __init__(self):
+ super(AssignToSelf, self).__init__()
+ self.transforms = {}
+ self.imports = []
+
+ self.in_class_define = False
+ self.in_setup = False
+
+ def visit_ClassDef(self, node):
+ self.transforms = {}
+ self.in_class_define = True
+ self.generic_visit(node)
+ return node
+
+ def visit_TryExcept(self, node):
+ if any([isinstance(x, (ast.Import, ast.ImportFrom)) for x in node.body]):
+ self.imports.append(node)
+ else:
+ self.generic_visit(node)
+ return node
+
+ def visit_Assign(self, node):
+ for target in node.targets:
+ if isinstance(target, ast.Name) and not isinstance(target.ctx, ast.Param) and not self.in_class_define:
+ self.transforms[target.id] = 'self.' + target.id
+ self.generic_visit(node)
+
+ return node
+
+ def visit_Name(self, node):
+ new_node = node
+ if node.id in self.transforms:
+ if not isinstance(node.ctx, ast.Param):
+ new_node = ast.Attribute(value=ast.Name(id='self', ctx=node.ctx), attr=node.id, ctx=node.ctx)
+
+ self.generic_visit(node)
+
+ return ast.copy_location(new_node, node)
+
+ def visit_Import(self, node):
+ self.imports.append(node)
+
+ def visit_ImportFrom(self, node):
+ self.imports.append(node)
+
+ def visit_FunctionDef(self, node):
+ """Delete functions that are empty due to imports being moved"""
+ self.in_class_define = False
+
+ if self.in_setup:
+ node.col_offset -= 4
+ ast.increment_lineno(node, -1)
+
+ if node.name == 'setup':
+ self.in_setup = True
+
+ self.generic_visit(node)
+
+ if node.name == 'setup':
+ self.in_setup = False
+
+ if node.body:
+ return node
+
+
+def translate_module(target_module):
+ g_vars = {}
+ l_vars = {}
+ exec('import ' + target_module) in g_vars
+
+ print target_module
+ module = eval(target_module, g_vars)
+
+ benchmarks = []
+ for obj_str in dir(module):
+ obj = getattr(module, obj_str)
+ if isinstance(obj, vbench.benchmark.Benchmark):
+ benchmarks.append(obj)
+
+ if not benchmarks:
+ return
+
+ rewritten_output = ''
+ for bench in benchmarks:
+ rewritten_output += vbench_to_asv_source(bench)
+
+ with open('rewrite.py', 'w') as f:
+ f.write(rewritten_output)
+
+ ast_module = ast.parse(rewritten_output)
+
+ transformer = AssignToSelf()
+ transformed_module = transformer.visit(ast_module)
+
+ unique_imports = {astor.to_source(node): node for node in transformer.imports}
+
+ transformed_module.body = unique_imports.values() + transformed_module.body
+
+ transformed_source = astor.to_source(transformed_module)
+
+ with open('benchmarks/{}.py'.format(target_module), 'w') as f:
+ f.write(transformed_source)
+
+
+if __name__ == '__main__':
+ cwd = os.getcwd()
+ new_dir = os.path.join(os.path.dirname(__file__), '../vb_suite')
+ sys.path.insert(0, new_dir)
+
+ for module in glob.glob(os.path.join(new_dir, '*.py')):
+ mod = os.path.basename(module)
+ if mod in ['make.py', 'measure_memory_consumption.py', 'perf_HEAD.py', 'run_suite.py', 'test_perf.py', 'generate_rst_files.py', 'test.py', 'suite.py']:
+ continue
+ print
+ print mod
+
+ translate_module(mod.replace('.py', ''))
diff --git a/setup.py b/setup.py
index 30c5d1052d9b3..9b21860a01078 100755
--- a/setup.py
+++ b/setup.py
@@ -269,6 +269,7 @@ class CheckSDist(sdist_class):
'pandas/index.pyx',
'pandas/algos.pyx',
'pandas/parser.pyx',
+ 'pandas/src/period.pyx',
'pandas/src/sparse.pyx',
'pandas/src/testing.pyx']
diff --git a/vb_suite/binary_ops.py b/vb_suite/binary_ops.py
index db9a6b730064e..cd8d1ad93b6e1 100644
--- a/vb_suite/binary_ops.py
+++ b/vb_suite/binary_ops.py
@@ -88,7 +88,7 @@
Benchmark("df // 0", setup, name='frame_float_floor_by_zero')
setup = common_setup + """
-df = DataFrame(np.random.random_integers((1000, 1000)))
+df = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
"""
frame_int_div_by_zero = \
Benchmark("df / 0", setup, name='frame_int_div_by_zero')
@@ -111,8 +111,8 @@
Benchmark("df / df2", setup, name='frame_float_mod')
setup = common_setup + """
-df = DataFrame(np.random.random_integers((1000, 1000)))
-df2 = DataFrame(np.random.random_integers((1000, 1000)))
+df = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
+df2 = DataFrame(np.random.random_integers(np.iinfo(np.int16).min, np.iinfo(np.int16).max, size=(1000, 1000)))
"""
frame_int_mod = \
Benchmark("df / df2", setup, name='frame_int_mod')
diff --git a/vb_suite/frame_ctor.py b/vb_suite/frame_ctor.py
index b11dd6c290ae1..8ad63fc556c2e 100644
--- a/vb_suite/frame_ctor.py
+++ b/vb_suite/frame_ctor.py
@@ -50,9 +50,30 @@
# offset times 1000 can easily go out of Timestamp bounds and raise errors.
dynamic_benchmarks = {}
n_steps = [1, 2]
+offset_kwargs = {'WeekOfMonth': {'weekday': 1, 'week': 1},
+ 'LastWeekOfMonth': {'weekday': 1, 'week': 1},
+ 'FY5253': {'startingMonth': 1, 'weekday': 1},
+ 'FY5253Quarter': {'qtr_with_extra_week': 1, 'startingMonth': 1, 'weekday': 1}}
+
+offset_extra_cases = {'FY5253': {'variation': ['nearest', 'last']},
+ 'FY5253Quarter': {'variation': ['nearest', 'last']}}
+
for offset in offsets.__all__:
for n in n_steps:
- setup = common_setup + """
+ kwargs = {}
+ if offset in offset_kwargs:
+ kwargs = offset_kwargs[offset]
+
+ if offset in offset_extra_cases:
+ extras = offset_extra_cases[offset]
+ else:
+ extras = {'': ['']}
+
+ for extra_arg in extras:
+ for extra in extras[extra_arg]:
+ if extra:
+ kwargs[extra_arg] = extra
+ setup = common_setup + """
def get_period_count(start_date, off):
ten_offsets_in_days = ((start_date + off * 10) - start_date).days
@@ -69,12 +90,14 @@ def get_index_for_offset(off):
periods=min(1000, get_period_count(start_date, off)),
freq=off)
-idx = get_index_for_offset({}({}))
+idx = get_index_for_offset({}({}, **{}))
df = DataFrame(np.random.randn(len(idx),10), index=idx)
d = dict([ (col,df[col]) for col in df.columns ])
-""".format(offset, n)
- key = 'frame_ctor_dtindex_{}x{}'.format(offset, n)
- dynamic_benchmarks[key] = Benchmark("DataFrame(d)", setup, name=key)
+""".format(offset, n, kwargs)
+ key = 'frame_ctor_dtindex_{}x{}'.format(offset, n)
+ if extra:
+ key += '__{}_{}'.format(extra_arg, extra)
+ dynamic_benchmarks[key] = Benchmark("DataFrame(d)", setup, name=key)
# Have to stuff them in globals() so vbench detects them
globals().update(dynamic_benchmarks)
diff --git a/vb_suite/frame_methods.py b/vb_suite/frame_methods.py
index 1d7c5e0d9acef..ce5109efe8f6d 100644
--- a/vb_suite/frame_methods.py
+++ b/vb_suite/frame_methods.py
@@ -418,8 +418,8 @@ def f(K=100):
#----------------------------------------------------------------------
# equals
setup = common_setup + """
-def make_pair(name):
- df = globals()[name]
+def make_pair(frame):
+ df = frame
df2 = df.copy()
df2.ix[-1,-1] = np.nan
return df, df2
@@ -437,8 +437,8 @@ def test_unequal(name):
nonunique_cols = object_df.copy()
nonunique_cols.columns = ['A']*len(nonunique_cols.columns)
-pairs = dict([(name,make_pair(name))
- for name in ('float_df', 'object_df', 'nonunique_cols')])
+pairs = dict([(name, make_pair(frame))
+ for name, frame in (('float_df', float_df), ('object_df', object_df), ('nonunique_cols', nonunique_cols))])
"""
frame_float_equal = Benchmark('test_equal("float_df")', setup)
frame_object_equal = Benchmark('test_equal("object_df")', setup)
diff --git a/vb_suite/gil.py b/vb_suite/gil.py
index 30f41bb3c738d..d5aec7c3e2917 100644
--- a/vb_suite/gil.py
+++ b/vb_suite/gil.py
@@ -94,5 +94,5 @@ def take_1d_pg2_float64():
"""
-nogil_take1d_float64 = Benchmark('take_1d_pg2()_int64', setup, start_date=datetime(2015, 1, 1))
-nogil_take1d_int64 = Benchmark('take_1d_pg2()_float64', setup, start_date=datetime(2015, 1, 1))
+nogil_take1d_float64 = Benchmark('take_1d_pg2_int64()', setup, start_date=datetime(2015, 1, 1))
+nogil_take1d_int64 = Benchmark('take_1d_pg2_float64()', setup, start_date=datetime(2015, 1, 1))
diff --git a/vb_suite/groupby.py b/vb_suite/groupby.py
index 73f5f19d6a626..6795b315fc517 100644
--- a/vb_suite/groupby.py
+++ b/vb_suite/groupby.py
@@ -212,7 +212,7 @@ def f():
'value3' : np.random.randn(100000)})
"""
-stmt = "df.pivot_table(rows='key1', cols=['key2', 'key3'])"
+stmt = "df.pivot_table(index='key1', columns=['key2', 'key3'])"
groupby_pivot_table = Benchmark(stmt, setup, start_date=datetime(2011, 12, 15))
@@ -243,13 +243,13 @@ def f():
"""
groupby_first_float64 = Benchmark('data.groupby(labels).first()', setup,
- start_date=datetime(2012, 5, 1))
+ start_date=datetime(2012, 5, 1))
groupby_first_float32 = Benchmark('data2.groupby(labels).first()', setup,
start_date=datetime(2013, 1, 1))
groupby_last_float64 = Benchmark('data.groupby(labels).last()', setup,
- start_date=datetime(2012, 5, 1))
+ start_date=datetime(2012, 5, 1))
groupby_last_float32 = Benchmark('data2.groupby(labels).last()', setup,
start_date=datetime(2013, 1, 1))
@@ -259,7 +259,7 @@ def f():
groupby_nth_float32_none = Benchmark('data2.groupby(labels).nth(0)', setup,
start_date=datetime(2013, 1, 1))
groupby_nth_float64_any = Benchmark('data.groupby(labels).nth(0,dropna="all")', setup,
- start_date=datetime(2012, 5, 1))
+ start_date=datetime(2012, 5, 1))
groupby_nth_float32_any = Benchmark('data2.groupby(labels).nth(0,dropna="all")', setup,
start_date=datetime(2013, 1, 1))
@@ -269,9 +269,9 @@ def f():
"""
groupby_first_datetimes = Benchmark('df.groupby("b").first()', setup,
- start_date=datetime(2013, 5, 1))
+ start_date=datetime(2013, 5, 1))
groupby_last_datetimes = Benchmark('df.groupby("b").last()', setup,
- start_date=datetime(2013, 5, 1))
+ start_date=datetime(2013, 5, 1))
groupby_nth_datetimes_none = Benchmark('df.groupby("b").nth(0)', setup,
start_date=datetime(2013, 5, 1))
groupby_nth_datetimes_any = Benchmark('df.groupby("b").nth(0,dropna="all")', setup,
diff --git a/vb_suite/io_bench.py b/vb_suite/io_bench.py
index a70c543ca59eb..483d61387898d 100644
--- a/vb_suite/io_bench.py
+++ b/vb_suite/io_bench.py
@@ -2,6 +2,7 @@
from datetime import datetime
common_setup = """from pandas_vb_common import *
+from StringIO import StringIO
"""
#----------------------------------------------------------------------
diff --git a/vb_suite/join_merge.py b/vb_suite/join_merge.py
index 02132acb71a33..244c6abe71b05 100644
--- a/vb_suite/join_merge.py
+++ b/vb_suite/join_merge.py
@@ -31,15 +31,15 @@
except:
pass
-df = DataFrame({'data1' : np.random.randn(100000),
+df = pd.DataFrame({'data1' : np.random.randn(100000),
'data2' : np.random.randn(100000),
'key1' : key1,
'key2' : key2})
-df_key1 = DataFrame(np.random.randn(len(level1), 4), index=level1,
+df_key1 = pd.DataFrame(np.random.randn(len(level1), 4), index=level1,
columns=['A', 'B', 'C', 'D'])
-df_key2 = DataFrame(np.random.randn(len(level2), 4), index=level2,
+df_key2 = pd.DataFrame(np.random.randn(len(level2), 4), index=level2,
columns=['A', 'B', 'C', 'D'])
df_shuf = df.reindex(df.index[shuf])
@@ -69,10 +69,10 @@
#----------------------------------------------------------------------
# Joins on integer keys
setup = common_setup + """
-df = DataFrame({'key1': np.tile(np.arange(500).repeat(10), 2),
+df = pd.DataFrame({'key1': np.tile(np.arange(500).repeat(10), 2),
'key2': np.tile(np.arange(250).repeat(10), 4),
'value': np.random.randn(10000)})
-df2 = DataFrame({'key1': np.arange(500), 'value2': randn(500)})
+df2 = pd.DataFrame({'key1': np.arange(500), 'value2': randn(500)})
df3 = df[:5000]
"""
@@ -96,9 +96,9 @@
key = np.tile(indices[:8000], 10)
key2 = np.tile(indices2[:8000], 10)
-left = DataFrame({'key' : key, 'key2':key2,
+left = pd.DataFrame({'key' : key, 'key2':key2,
'value' : np.random.randn(80000)})
-right = DataFrame({'key': indices[2000:], 'key2':indices2[2000:],
+right = pd.DataFrame({'key': indices[2000:], 'key2':indices2[2000:],
'value2' : np.random.randn(8000)})
"""
@@ -112,7 +112,7 @@
# Appending DataFrames
setup = common_setup + """
-df1 = DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
+df1 = pd.DataFrame(np.random.randn(10000, 4), columns=['A', 'B', 'C', 'D'])
df2 = df1.copy()
df2.index = np.arange(10000, 20000)
mdf1 = df1.copy()
@@ -180,7 +180,7 @@ def sample(values, k):
start_date=datetime(2012, 2, 27))
setup = common_setup + """
-df = DataFrame(randn(5, 4))
+df = pd.DataFrame(randn(5, 4))
"""
concat_small_frames = Benchmark('concat([df] * 1000)', setup,
@@ -191,8 +191,8 @@ def sample(values, k):
# Concat empty
setup = common_setup + """
-df = DataFrame(dict(A = range(10000)),index=date_range('20130101',periods=10000,freq='s'))
-empty = DataFrame()
+df = pd.DataFrame(dict(A = range(10000)),index=date_range('20130101',periods=10000,freq='s'))
+empty = pd.DataFrame()
"""
concat_empty_frames1 = Benchmark('concat([df,empty])', setup,
@@ -207,11 +207,11 @@ def sample(values, k):
setup = common_setup + """
groups = tm.makeStringIndex(10).values
-left = DataFrame({'group': groups.repeat(5000),
+left = pd.DataFrame({'group': groups.repeat(5000),
'key' : np.tile(np.arange(0, 10000, 2), 10),
'lvalue': np.random.randn(50000)})
-right = DataFrame({'key' : np.arange(10000),
+right = pd.DataFrame({'key' : np.arange(10000),
'rvalue' : np.random.randn(10000)})
"""
@@ -242,10 +242,10 @@ def sample(values, k):
np.random.seed(2718281)
n = 50000
-left = DataFrame(np.random.randint(1, n/500, (n, 2)),
+left = pd.DataFrame(np.random.randint(1, n/500, (n, 2)),
columns=['jim', 'joe'])
-right = DataFrame(np.random.randint(1, n/500, (n, 2)),
+right = pd.DataFrame(np.random.randint(1, n/500, (n, 2)),
columns=['jolie', 'jolia']).set_index('jolie')
'''
@@ -255,7 +255,7 @@ def sample(values, k):
setup = common_setup + """
low, high, n = -1 << 10, 1 << 10, 1 << 20
-left = DataFrame(np.random.randint(low, high, (n, 7)),
+left = pd.DataFrame(np.random.randint(low, high, (n, 7)),
columns=list('ABCDEFG'))
left['left'] = left.sum(axis=1)
diff --git a/vb_suite/packers.py b/vb_suite/packers.py
index 62e0e8fc33b58..60738a62bd287 100644
--- a/vb_suite/packers.py
+++ b/vb_suite/packers.py
@@ -92,7 +92,7 @@ def remove(f):
# hdf table
setup = common_setup + """
-df2.to_hdf(f,'df',table=True)
+df2.to_hdf(f,'df',format='table')
"""
packers_read_hdf_table = Benchmark("pd.read_hdf(f,'df')", setup, start_date=start_date)
diff --git a/vb_suite/pandas_vb_common.py b/vb_suite/pandas_vb_common.py
index a599301bb53fe..128e262d45d66 100644
--- a/vb_suite/pandas_vb_common.py
+++ b/vb_suite/pandas_vb_common.py
@@ -1,4 +1,5 @@
from pandas import *
+import pandas as pd
from datetime import timedelta
from numpy.random import randn
from numpy.random import randint
@@ -7,6 +8,7 @@
import random
import numpy as np
+np.random.seed(1234)
try:
import pandas._tseries as lib
except:
diff --git a/vb_suite/reindex.py b/vb_suite/reindex.py
index 156382f1fb13a..07f0e0f7e1bff 100644
--- a/vb_suite/reindex.py
+++ b/vb_suite/reindex.py
@@ -49,6 +49,18 @@
#----------------------------------------------------------------------
# Pad / backfill
+def pad(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='pad')
+ except:
+ source_series.reindex(target_index, fillMethod='pad')
+
+def backfill(source_series, target_index):
+ try:
+ source_series.reindex(target_index, method='backfill')
+ except:
+ source_series.reindex(target_index, fillMethod='backfill')
+
setup = common_setup + """
rng = date_range('1/1/2000', periods=100000, freq=datetools.Minute())
@@ -57,23 +69,23 @@
ts3 = ts2.reindex(ts.index)
ts4 = ts3.astype('float32')
-def pad():
+def pad(source_series, target_index):
try:
- ts2.reindex(ts.index, method='pad')
+ source_series.reindex(target_index, method='pad')
except:
- ts2.reindex(ts.index, fillMethod='pad')
-def backfill():
+ source_series.reindex(target_index, fillMethod='pad')
+def backfill(source_series, target_index):
try:
- ts2.reindex(ts.index, method='backfill')
+ source_series.reindex(target_index, method='backfill')
except:
- ts2.reindex(ts.index, fillMethod='backfill')
+ source_series.reindex(target_index, fillMethod='backfill')
"""
-statement = "pad()"
+statement = "pad(ts2, ts.index)"
reindex_daterange_pad = Benchmark(statement, setup,
name="reindex_daterange_pad")
-statement = "backfill()"
+statement = "backfill(ts2, ts.index)"
reindex_daterange_backfill = Benchmark(statement, setup,
name="reindex_daterange_backfill")
diff --git a/vb_suite/sparse.py b/vb_suite/sparse.py
index e591b197d3384..5da06451fe2d1 100644
--- a/vb_suite/sparse.py
+++ b/vb_suite/sparse.py
@@ -40,7 +40,7 @@
setup = common_setup + """
-s = pd.Series([nan] * 10000)
+s = pd.Series([np.nan] * 10000)
s[0] = 3.0
s[100] = -1.0
s[999] = 12.1
@@ -59,7 +59,7 @@
A = scipy.sparse.coo_matrix(([3.0, 1.0, 2.0], ([1, 0, 0], [0, 2, 3])), shape=(100, 100))
"""
-stmt = "ss = pandas.sparse.series.from_coo(A)"
+stmt = "ss = pandas.sparse.series.SparseSeries.from_coo(A)"
sparse_series_from_coo = Benchmark(stmt, setup, name="sparse_series_from_coo",
start_date=datetime(2015, 1, 3))
diff --git a/vb_suite/timeseries.py b/vb_suite/timeseries.py
index 75147e079bb65..7f5433980271b 100644
--- a/vb_suite/timeseries.py
+++ b/vb_suite/timeseries.py
@@ -1,16 +1,21 @@
from vbench.api import Benchmark
from datetime import datetime
+from pandas import *
-common_setup = """from pandas_vb_common import *
-from datetime import timedelta
N = 100000
-
try:
- rng = date_range('1/1/2000', periods=N, freq='min')
+ rng = date_range(start='1/1/2000', periods=N, freq='min')
except NameError:
- rng = DatetimeIndex('1/1/2000', periods=N, offset=datetools.Minute())
+ rng = DatetimeIndex(start='1/1/2000', periods=N, freq='T')
def date_range(start=None, end=None, periods=None, freq=None):
- return DatetimeIndex(start, end, periods=periods, offset=freq)
+ return DatetimeIndex(start=start, end=end, periods=periods, offset=freq)
+
+
+common_setup = """from pandas_vb_common import *
+from datetime import timedelta
+N = 100000
+
+rng = date_range(start='1/1/2000', periods=N, freq='T')
if hasattr(Series, 'convert'):
Series.resample = Series.convert
@@ -22,7 +27,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# Lookup value in large time series, hash map population
setup = common_setup + """
-rng = date_range('1/1/2000', periods=1500000, freq='s')
+rng = date_range(start='1/1/2000', periods=1500000, freq='S')
ts = Series(1, index=rng)
"""
@@ -69,7 +74,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
N = 100000
-rng = date_range('1/1/2000', periods=N, freq='s')
+rng = date_range(start='1/1/2000', periods=N, freq='s')
rng = rng.take(np.random.permutation(N))
ts = Series(np.random.randn(N), index=rng)
"""
@@ -81,7 +86,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# Shifting, add offset
setup = common_setup + """
-rng = date_range('1/1/2000', periods=10000, freq='T')
+rng = date_range(start='1/1/2000', periods=10000, freq='T')
"""
datetimeindex_add_offset = Benchmark('rng + timedelta(minutes=2)', setup,
@@ -89,9 +94,9 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
N = 10000
-rng = date_range('1/1/1990', periods=N, freq='53s')
+rng = date_range(start='1/1/1990', periods=N, freq='53s')
ts = Series(np.random.randn(N), index=rng)
-dates = date_range('1/1/1990', periods=N * 10, freq='5s')
+dates = date_range(start='1/1/1990', periods=N * 10, freq='5s')
"""
timeseries_asof_single = Benchmark('ts.asof(dates[0])', setup,
start_date=datetime(2012, 4, 27))
@@ -108,7 +113,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# Time zone stuff
setup = common_setup + """
-rng = date_range('1/1/2000', '3/1/2000', tz='US/Eastern')
+rng = date_range(start='1/1/2000', end='3/1/2000', tz='US/Eastern')
"""
timeseries_timestamp_tzinfo_cons = \
@@ -118,7 +123,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# Resampling period
setup = common_setup + """
-rng = period_range('1/1/2000', '1/1/2001', freq='T')
+rng = period_range(start='1/1/2000', end='1/1/2001', freq='T')
ts = Series(np.random.randn(len(rng)), index=rng)
"""
@@ -127,7 +132,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
start_date=datetime(2012, 4, 25))
setup = common_setup + """
-rng = date_range('1/1/2000', '1/1/2001', freq='T')
+rng = date_range(start='1/1/2000', end='1/1/2001', freq='T')
ts = Series(np.random.randn(len(rng)), index=rng)
"""
@@ -149,7 +154,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# to_datetime
setup = common_setup + """
-rng = date_range('1/1/2000', periods=20000, freq='h')
+rng = date_range(start='1/1/2000', periods=20000, freq='H')
strings = [x.strftime('%Y-%m-%d %H:%M:%S') for x in rng]
"""
@@ -162,7 +167,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
start_date=datetime(2012, 7, 11))
setup = common_setup + """
-rng = date_range('1/1/2000', periods=10000, freq='D')
+rng = date_range(start='1/1/2000', periods=10000, freq='D')
strings = Series(rng.year*10000+rng.month*100+rng.day,dtype=np.int64).apply(str)
"""
@@ -183,7 +188,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
from pandas.tseries.frequencies import infer_freq
-rng = date_range('1/1/1700', freq='D', periods=100000)
+rng = date_range(start='1/1/1700', freq='D', periods=100000)
a = rng[:50000].append(rng[50002:])
"""
@@ -193,7 +198,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# setitem PeriodIndex
setup = common_setup + """
-rng = period_range('1/1/1990', freq='S', periods=20000)
+rng = period_range(start='1/1/1990', freq='S', periods=20000)
df = DataFrame(index=range(len(rng)))
"""
@@ -202,7 +207,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
start_date=datetime(2012, 8, 1))
setup = common_setup + """
-rng = date_range('1/1/2000 9:30', periods=10000, freq='S', tz='US/Eastern')
+rng = date_range(start='1/1/2000 9:30', periods=10000, freq='S', tz='US/Eastern')
"""
datetimeindex_normalize = \
@@ -211,7 +216,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
from pandas.tseries.offsets import Second
-s1 = date_range('1/1/2000', periods=100, freq='S')
+s1 = date_range(start='1/1/2000', periods=100, freq='S')
curr = s1[-1]
slst = []
for i in range(100):
@@ -224,7 +229,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
-rng = date_range('1/1/2000', periods=1000, freq='H')
+rng = date_range(start='1/1/2000', periods=1000, freq='H')
df = DataFrame(np.random.randn(len(rng), 2), rng)
"""
@@ -232,7 +237,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
Benchmark('df.reset_index()', setup, start_date=datetime(2012, 9, 1))
setup = common_setup + """
-rng = date_range('1/1/2000', periods=1000, freq='H',
+rng = date_range(start='1/1/2000', periods=1000, freq='H',
tz='US/Eastern')
df = DataFrame(np.random.randn(len(rng), 2), index=rng)
"""
@@ -241,7 +246,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
Benchmark('df.reset_index()', setup, start_date=datetime(2012, 9, 1))
setup = common_setup + """
-rng = date_range('1/1/2000', periods=1000, freq='T')
+rng = date_range(start='1/1/2000', periods=1000, freq='T')
index = rng.repeat(10)
"""
@@ -251,13 +256,13 @@ def date_range(start=None, end=None, periods=None, freq=None):
# tz_localize with infer argument. This is an attempt to emulate the results
# of read_csv with duplicated data. Not passing infer_dst will fail
setup = common_setup + """
-dst_rng = date_range('10/29/2000 1:00:00',
- '10/29/2000 1:59:59', freq='S')
-index = date_range('10/29/2000', '10/29/2000 00:59:59', freq='S')
+dst_rng = date_range(start='10/29/2000 1:00:00',
+ end='10/29/2000 1:59:59', freq='S')
+index = date_range(start='10/29/2000', end='10/29/2000 00:59:59', freq='S')
index = index.append(dst_rng)
index = index.append(dst_rng)
-index = index.append(date_range('10/29/2000 2:00:00',
- '10/29/2000 3:00:00', freq='S'))
+index = index.append(date_range(start='10/29/2000 2:00:00',
+ end='10/29/2000 3:00:00', freq='S'))
"""
datetimeindex_infer_dst = \
@@ -269,7 +274,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
# Resampling: fast-path various functions
setup = common_setup + """
-rng = date_range('20130101',periods=100000,freq='50L')
+rng = date_range(start='20130101',periods=100000,freq='50L')
df = DataFrame(np.random.randn(100000,2),index=rng)
"""
@@ -376,7 +381,7 @@ def date_range(start=None, end=None, periods=None, freq=None):
setup = common_setup + """
N = 10000
-rng = date_range('1/1/1', periods=N, freq='B')
+rng = date_range(start='1/1/1', periods=N, freq='B')
"""
timeseries_is_month_start = Benchmark('rng.is_month_start', setup,
| @jorisvandenbossche Here's the initial pass I was referencing in our discussion in #9660; also relevant closes #8361.
A few caveats:
- The `eval` suite will have to be converted by hand, as my `ast` transformer isn't parsing the string in `eval("df1 + df2")`
- Lots of test failures that I haven't even looked at
- `vbench` tended to swallow failing tests, so maybe this is okay?
- Uses `conda` instead of `virtualenv` as I'm on OSX and `pip install` fails on several packages.
- Takes a while - haven't had a chance to compare against `vbench`. It's possible `asv` is doing a lot more iterations by default.
- The conversion depends on a non-stdlib package called `astor`, which does `ast -> source` conversion. Not aware of a way to do this with the stdlib.
- The code size blows up as I'm not de-duplicating the setup in any way. Probably something that will just have to be fixed by hand after the switch is made.
Still a work-in-progress, but hopefully good enough that you (or someone else) can give this a shot.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9715 | 2015-03-24T06:13:49Z | 2015-08-19T00:32:16Z | 2015-08-19T00:32:16Z | 2015-08-19T00:44:21Z |
SAS xport file reader | diff --git a/doc/source/api.rst b/doc/source/api.rst
index 1cbe55ddbacb6..066b36bfa57b6 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -82,6 +82,15 @@ HDFStore: PyTables (HDF5)
HDFStore.get
HDFStore.select
+SAS
+~~~
+
+.. autosummary::
+ :toctree: generated/
+
+ read_sas
+ XportReader
+
SQL
~~~
diff --git a/doc/source/io.rst b/doc/source/io.rst
index 38a8d4d05b807..2f2c4c7566413 100644
--- a/doc/source/io.rst
+++ b/doc/source/io.rst
@@ -41,6 +41,7 @@ object.
* :ref:`read_html<io.read_html>`
* :ref:`read_gbq<io.bigquery>` (experimental)
* :ref:`read_stata<io.stata_reader>`
+ * :ref:`read_sas<io.sas_reader>`
* :ref:`read_clipboard<io.clipboard>`
* :ref:`read_pickle<io.pickle>`
@@ -4120,6 +4121,46 @@ easy conversion to and from pandas.
.. _xray: http://xray.readthedocs.org/
+.. _io.sas:
+
+SAS Format
+----------
+
+.. versionadded:: 0.17.0
+
+The top-level function :function:`read_sas` currently can read (but
+not write) SAS xport (.XPT) format files. Pandas cannot currently
+handle SAS7BDAT files.
+
+XPORT files only contain two value types: ASCII text and double
+precision numeric values. There is no automatic type conversion to
+integers, dates, or categoricals. By default the whole file is read
+and returned as a ``DataFrame``.
+
+Specify a ``chunksize`` or use ``iterator=True`` to obtain an
+``XportReader`` object for incrementally reading the file. The
+``XportReader`` object also has attributes that contain additional
+information about the file and its variables.
+
+Read a SAS XPORT file:
+
+.. code-block:: python
+
+ df = pd.read_sas('sas_xport.xpt')
+
+Obtain an iterator and read an XPORT file 100,000 lines at a time:
+
+.. code-block:: python
+
+ rdr = pd.read_sas('sas_xport.xpt', chunk=100000)
+ for chunk in rdr:
+ do_something(chunk)
+
+The specification_ for the xport file format is available from the SAS
+web site.
+
+.. _specification: https://support.sas.com/techsup/technote/ts140.pdf
+
.. _io.perf:
Performance Considerations
diff --git a/doc/source/whatsnew/v0.17.0.txt b/doc/source/whatsnew/v0.17.0.txt
index de2261a79da47..1df8ddc227a51 100644
--- a/doc/source/whatsnew/v0.17.0.txt
+++ b/doc/source/whatsnew/v0.17.0.txt
@@ -20,6 +20,7 @@ Highlights include:
if they are all ``NaN``, see :ref:`here <whatsnew_0170.api_breaking.hdf_dropna>`
- Support for ``Series.dt.strftime`` to generate formatted strings for datetime-likes, see :ref:`here <whatsnew_0170.strftime>`
- Development installed versions of pandas will now have ``PEP440`` compliant version strings (:issue:`9518`)
+- Support for reading SAS xport files, see :ref:`here <whatsnew_0170.enhancements.sas_xport>`
Check the :ref:`API Changes <whatsnew_0170.api>` and :ref:`deprecations <whatsnew_0170.deprecations>` before updating.
@@ -37,7 +38,6 @@ New features
- Enable writing complex values to HDF stores when using table format (:issue:`10447`)
- Enable reading gzip compressed files via URL, either by explicitly setting the compression parameter or by inferring from the presence of the HTTP Content-Encoding header in the response (:issue:`8685`)
-
.. _whatsnew_0170.gil:
Releasing the GIL
@@ -85,6 +85,18 @@ We are now supporting a ``Series.dt.strftime`` method for datetime-likes to gene
The string format is as the python standard library and details can be found `here <https://docs.python.org/2/library/datetime.html#strftime-and-strptime-behavior>`_
+.. _whatsnew_0170.enhancements.sas_xport:
+
+Support for SAS XPORT files
+^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+:meth:`~pandas.io.read_sas` provides support for reading SAS XPORT format files:
+
+ df = pd.read_sas('sas_xport.xpt')
+
+It is also possible to obtain an iterator and read an XPORT file
+incrementally.
+
.. _whatsnew_0170.enhancements.other:
Other enhancements
diff --git a/pandas/io/api.py b/pandas/io/api.py
index 5fa8c7ef60074..fedde462c74b7 100644
--- a/pandas/io/api.py
+++ b/pandas/io/api.py
@@ -9,6 +9,7 @@
from pandas.io.json import read_json
from pandas.io.html import read_html
from pandas.io.sql import read_sql, read_sql_table, read_sql_query
+from pandas.io.sas import read_sas
from pandas.io.stata import read_stata
from pandas.io.pickle import read_pickle, to_pickle
from pandas.io.packers import read_msgpack, to_msgpack
diff --git a/pandas/io/sas.py b/pandas/io/sas.py
new file mode 100644
index 0000000000000..5f55f861afb72
--- /dev/null
+++ b/pandas/io/sas.py
@@ -0,0 +1,459 @@
+"""
+Tools for reading SAS XPort files into Pandas objects.
+
+Based on code from Jack Cushman (github.com/jcushman/xport).
+
+The file format is defined here:
+
+https://support.sas.com/techsup/technote/ts140.pdf
+"""
+
+from datetime import datetime
+import pandas as pd
+from pandas.io.common import get_filepath_or_buffer
+from pandas import compat
+import struct
+import numpy as np
+from pandas.util.decorators import Appender
+
+_correct_line1 = "HEADER RECORD*******LIBRARY HEADER RECORD!!!!!!!000000000000000000000000000000 "
+_correct_header1 = "HEADER RECORD*******MEMBER HEADER RECORD!!!!!!!000000000000000001600000000"
+_correct_header2 = "HEADER RECORD*******DSCRPTR HEADER RECORD!!!!!!!000000000000000000000000000000 "
+_correct_obs_header = "HEADER RECORD*******OBS HEADER RECORD!!!!!!!000000000000000000000000000000 "
+_fieldkeys = ['ntype', 'nhfun', 'field_length', 'nvar0', 'name', 'label',
+ 'nform', 'nfl', 'num_decimals', 'nfj', 'nfill', 'niform',
+ 'nifl', 'nifd', 'npos', '_']
+
+
+# TODO: Support for 4 byte floats, see https://github.com/jcushman/xport/pull/3
+# Need a test file
+
+
+_base_params_doc = """\
+Parameters
+----------
+filepath_or_buffer : string or file-like object
+ Path to SAS file or object implementing binary read method."""
+
+_params2_doc = """\
+index : identifier of index column
+ Identifier of column that should be used as index of the DataFrame.
+encoding : string
+ Encoding for text data.
+chunksize : int
+ Read file `chunksize` lines at a time, returns iterator."""
+
+_format_params_doc = """\
+format : string
+ File format, only `xport` is currently supported."""
+
+_iterator_doc = """\
+iterator : boolean, default False
+ Return XportReader object for reading file incrementally."""
+
+
+_read_sas_doc = """Read a SAS file into a DataFrame.
+
+%(_base_params_doc)s
+%(_format_params_doc)s
+%(_params2_doc)s
+%(_iterator_doc)s
+
+Returns
+-------
+DataFrame or XportReader
+
+Examples
+--------
+Read a SAS Xport file:
+
+>>> df = pandas.read_sas('filename.XPT')
+
+Read a Xport file in 10,000 line chunks:
+
+>>> itr = pandas.read_sas('filename.XPT', chunksize=10000)
+>>> for chunk in itr:
+>>> do_something(chunk)
+
+.. versionadded:: 0.17.0
+""" % {"_base_params_doc": _base_params_doc,
+ "_format_params_doc": _format_params_doc,
+ "_params2_doc": _params2_doc,
+ "_iterator_doc": _iterator_doc}
+
+
+_xport_reader_doc = """\
+Class for reading SAS Xport files.
+
+%(_base_params_doc)s
+%(_params2_doc)s
+
+Attributes
+----------
+member_info : list
+ Contains information about the file
+fields : list
+ Contains information about the variables in the file
+""" % {"_base_params_doc": _base_params_doc,
+ "_params2_doc": _params2_doc}
+
+
+_read_method_doc = """\
+Read observations from SAS Xport file, returning as data frame.
+
+Parameters
+----------
+nrows : int
+ Number of rows to read from data file; if None, read whole
+ file.
+
+Returns
+-------
+A DataFrame.
+"""
+
+
+@Appender(_read_sas_doc)
+def read_sas(filepath_or_buffer, format='xport', index=None, encoding='ISO-8859-1',
+ chunksize=None, iterator=False):
+
+ format = format.lower()
+
+ if format == 'xport':
+ reader = XportReader(filepath_or_buffer, index=index, encoding=encoding,
+ chunksize=chunksize)
+ else:
+ raise ValueError('only xport format is supported')
+
+ if iterator or chunksize:
+ return reader
+
+ return reader.read()
+
+
+def _parse_date(datestr):
+ """ Given a date in xport format, return Python date. """
+ try:
+ return datetime.strptime(datestr, "%d%b%y:%H:%M:%S") # e.g. "16FEB11:10:07:55"
+ except ValueError:
+ return pd.NaT
+
+
+def _split_line(s, parts):
+ """
+ Parameters
+ ----------
+ s: string
+ Fixed-length string to split
+ parts: list of (name, length) pairs
+ Used to break up string, name '_' will be filtered from output.
+
+ Returns
+ -------
+ Dict of name:contents of string at given location.
+ """
+ out = {}
+ start = 0
+ for name, length in parts:
+ out[name] = s[start:start+length].strip()
+ start += length
+ del out['_']
+ return out
+
+
+def _parse_float_vec(vec):
+ """
+ Parse a vector of 8-byte values representing IBM 8 byte floats
+ into native 8 byte floats.
+ """
+
+ dtype = np.dtype('>u4,>u4')
+ vec1 = vec.view(dtype=dtype)
+
+ xport1 = vec1['f0']
+ xport2 = vec1['f1']
+
+ # Start by setting first half of ieee number to first half of IBM
+ # number sans exponent
+ ieee1 = xport1 & 0x00ffffff
+
+ # Get the second half of the ibm number into the second half of
+ # the ieee number
+ ieee2 = xport2
+
+ # The fraction bit to the left of the binary point in the ieee
+ # format was set and the number was shifted 0, 1, 2, or 3
+ # places. This will tell us how to adjust the ibm exponent to be a
+ # power of 2 ieee exponent and how to shift the fraction bits to
+ # restore the correct magnitude.
+ shift = np.zeros(len(vec), dtype=np.uint8)
+ shift[np.where(xport1 & 0x00200000)] = 1
+ shift[np.where(xport1 & 0x00400000)] = 2
+ shift[np.where(xport1 & 0x00800000)] = 3
+
+ # shift the ieee number down the correct number of places then
+ # set the second half of the ieee number to be the second half
+ # of the ibm number shifted appropriately, ored with the bits
+ # from the first half that would have been shifted in if we
+ # could shift a double. All we are worried about are the low
+ # order 3 bits of the first half since we're only shifting by
+ # 1, 2, or 3.
+ ieee1 >>= shift
+ ieee2 = (xport2 >> shift) | ((xport1 & 0x00000007) << (29 + (3 - shift)))
+
+ # clear the 1 bit to the left of the binary point
+ ieee1 &= 0xffefffff
+
+ # set the exponent of the ieee number to be the actual exponent
+ # plus the shift count + 1023. Or this into the first half of the
+ # ieee number. The ibm exponent is excess 64 but is adjusted by 65
+ # since during conversion to ibm format the exponent is
+ # incremented by 1 and the fraction bits left 4 positions to the
+ # right of the radix point. (had to add >> 24 because C treats &
+ # 0x7f as 0x7f000000 and Python doesn't)
+ ieee1 |= ((((((xport1 >> 24) & 0x7f) - 65) << 2) + shift + 1023) << 20) | (xport1 & 0x80000000)
+
+ ieee = np.empty((len(ieee1),), dtype='>u4,>u4')
+ ieee['f0'] = ieee1
+ ieee['f1'] = ieee2
+ ieee = ieee.view(dtype='>f8')
+ ieee = ieee.astype('f8')
+
+ return ieee
+
+
+
+class XportReader(object):
+ __doc__ = _xport_reader_doc
+
+
+ def __init__(self, filepath_or_buffer, index=None, encoding='ISO-8859-1',
+ chunksize=None):
+
+ self._encoding = encoding
+ self._lines_read = 0
+ self._index = index
+ self._chunksize = chunksize
+
+ if isinstance(filepath_or_buffer, str):
+ filepath_or_buffer, encoding, compression = get_filepath_or_buffer(
+ filepath_or_buffer, encoding=encoding)
+
+ if isinstance(filepath_or_buffer, (str, compat.text_type, bytes)):
+ self.filepath_or_buffer = open(filepath_or_buffer, 'rb')
+ else:
+ # Copy to BytesIO, and ensure no encoding
+ contents = filepath_or_buffer.read()
+ try:
+ contents = contents.encode(self._encoding)
+ except:
+ pass
+ self.filepath_or_buffer = compat.BytesIO(contents)
+
+ self._read_header()
+
+
+ def _get_row(self):
+ return self.filepath_or_buffer.read(80).decode()
+
+
+ def _read_header(self):
+ self.filepath_or_buffer.seek(0)
+
+ # read file header
+ line1 = self._get_row()
+ if line1 != _correct_line1:
+ raise ValueError("Header record is not an XPORT file.")
+
+ line2 = self._get_row()
+ file_info = _split_line(line2, [ ['prefix',24], ['version',8], ['OS',8], ['_',24], ['created',16]])
+ if file_info['prefix'] != "SAS SAS SASLIB":
+ raise ValueError("Header record has invalid prefix.")
+ file_info['created'] = _parse_date(file_info['created'])
+ self.file_info = file_info
+
+ line3 = self._get_row()
+ file_info['modified'] = _parse_date(line3[:16])
+
+ # read member header
+ header1 = self._get_row()
+ header2 = self._get_row()
+ if not header1.startswith(_correct_header1) or not header2 == _correct_header2:
+ raise ValueError("Member header not found.")
+ fieldnamelength = int(header1[-5:-2]) # usually 140, could be 135
+
+ # member info
+ member_info = _split_line(self._get_row(), [['prefix',8], ['set_name',8],
+ ['sasdata',8],['version',8],
+ ['OS',8],['_',24],['created',16]])
+ member_info.update( _split_line(self._get_row(), [['modified',16], ['_',16],
+ ['label',40],['type',8]]))
+ member_info['modified'] = _parse_date(member_info['modified'])
+ member_info['created'] = _parse_date(member_info['created'])
+ self.member_info = member_info
+
+ # read field names
+ types = {1: 'numeric', 2: 'char'}
+ fieldcount = int(self._get_row()[54:58])
+ datalength = fieldnamelength*fieldcount
+ if datalength % 80: # round up to nearest 80
+ datalength += 80 - datalength%80
+ fielddata = self.filepath_or_buffer.read(datalength)
+ fields = []
+ obs_length = 0
+ while len(fielddata) >= fieldnamelength:
+ # pull data for one field
+ field, fielddata = (fielddata[:fieldnamelength], fielddata[fieldnamelength:])
+
+ # rest at end gets ignored, so if field is short, pad out
+ # to match struct pattern below
+ field = field.ljust(140)
+
+ fieldstruct = struct.unpack('>hhhh8s40s8shhh2s8shhl52s', field)
+ field = dict(zip(_fieldkeys, fieldstruct))
+ del field['_']
+ field['ntype'] = types[field['ntype']]
+ if field['ntype'] == 'numeric' and field['field_length'] != 8:
+ raise TypeError("Only 8-byte floats are currently implemented. Can't read field %s." % field)
+
+ for k, v in field.items():
+ try:
+ field[k] = v.strip()
+ except AttributeError:
+ pass
+
+ obs_length += field['field_length']
+ fields += [field]
+
+ header = self._get_row()
+ if not header == _correct_obs_header:
+ raise ValueError("Observation header not found.")
+
+ self.fields = fields
+ self.record_length = obs_length
+ self.record_start = self.filepath_or_buffer.tell()
+
+ self.nobs = self._record_count()
+ self.columns = [x['name'].decode() for x in self.fields]
+
+ # Setup the dtype.
+ dtypel = []
+ for i,field in enumerate(self.fields):
+ ntype = field['ntype']
+ if ntype == "numeric":
+ dtypel.append(('s' + str(i), ">u8"))
+ elif ntype == "char":
+ dtypel.append(('s' + str(i), "S" + str(field['field_length'])))
+ dtype = np.dtype(dtypel)
+ self._dtype = dtype
+
+
+ def __iter__(self):
+ try:
+ if self._chunksize:
+ while True:
+ yield self.read(self._chunksize)
+ else:
+ yield self.read()
+ except StopIteration:
+ pass
+
+
+ def _record_count(self):
+ """
+ Get number of records in file.
+
+ This is maybe suboptimal because we have to seek to the end of the file.
+
+ Side effect: returns file position to record_start.
+ """
+
+ self.filepath_or_buffer.seek(0, 2)
+ total_records_length = self.filepath_or_buffer.tell() - self.record_start
+
+ if total_records_length % 80 != 0:
+ warnings.warn("xport file may be corrupted")
+
+ if self.record_length > 80:
+ self.filepath_or_buffer.seek(self.record_start)
+ return total_records_length // self.record_length
+
+ self.filepath_or_buffer.seek(-80, 2)
+ last_card = self.filepath_or_buffer.read(80)
+ last_card = np.frombuffer(last_card, dtype=np.uint64)
+
+ # 8 byte blank
+ ix = np.flatnonzero(last_card == 2314885530818453536)
+
+ if len(ix) == 0:
+ tail_pad = 0
+ else:
+ tail_pad = 8 * len(ix)
+
+ self.filepath_or_buffer.seek(self.record_start)
+
+ return (total_records_length - tail_pad) // self.record_length
+
+
+ def get_chunk(self, size=None):
+ """
+ Reads lines from Xport file and returns as dataframe
+
+ Parameters
+ ----------
+ size : int, defaults to None
+ Number of lines to read. If None, reads whole file.
+
+ Returns
+ -------
+ DataFrame
+ """
+ if size is None:
+ size = self._chunksize
+ return self.read(nrows=size)
+
+
+ def _missing_double(self, vec):
+ v = vec.view(dtype='u1,u1,u2,u4')
+ miss = (v['f1'] == 0) & (v['f2'] == 0) & (v['f3'] == 0)
+ miss1 = ((v['f0'] >= 0x41) & (v['f0'] <= 0x5a)) |\
+ (v['f0'] == 0x5f) | (v['f0'] == 0x2e)
+ miss &= miss1
+ return miss
+
+
+ @Appender(_read_method_doc)
+ def read(self, nrows=None):
+
+ if nrows is None:
+ nrows = self.nobs
+
+ read_lines = min(nrows, self.nobs - self._lines_read)
+ read_len = read_lines * self.record_length
+ if read_len <= 0:
+ raise StopIteration
+ raw = self.filepath_or_buffer.read(read_len)
+ data = np.frombuffer(raw, dtype=self._dtype, count=read_lines)
+
+ df = pd.DataFrame(index=range(read_lines))
+ for j,x in enumerate(self.columns):
+ vec = data['s%d' % j]
+ ntype = self.fields[j]['ntype']
+ if ntype == "numeric":
+ miss = self._missing_double(vec)
+ v = _parse_float_vec(vec)
+ v[miss] = np.nan
+ elif self.fields[j]['ntype'] == 'char':
+ v = [y.rstrip() for y in vec]
+ if compat.PY3:
+ v = [y.decode(self._encoding) for y in v]
+ df[x] = v
+
+ if self._index is None:
+ df.index = range(self._lines_read, self._lines_read + read_lines)
+ else:
+ df = df.set_index(self._index)
+
+ self._lines_read += read_lines
+
+ return df
diff --git a/pandas/io/tests/data/DEMO_G.XPT b/pandas/io/tests/data/DEMO_G.XPT
new file mode 100644
index 0000000000000..587bc3c4eb649
Binary files /dev/null and b/pandas/io/tests/data/DEMO_G.XPT differ
diff --git a/pandas/io/tests/data/DEMO_G.csv b/pandas/io/tests/data/DEMO_G.csv
new file mode 100644
index 0000000000000..db2158a532100
--- /dev/null
+++ b/pandas/io/tests/data/DEMO_G.csv
@@ -0,0 +1,9757 @@
+"SEQN","SDDSRVYR","RIDSTATR","RIAGENDR","RIDAGEYR","RIDAGEMN","RIDRETH1","RIDRETH3","RIDEXMON","RIDEXAGY","RIDEXAGM","DMQMILIZ","DMQADFC","DMDBORN4","DMDCITZN","DMDYRSUS","DMDEDUC3","DMDEDUC2","DMDMARTL","RIDEXPRG","SIALANG","SIAPROXY","SIAINTRP","FIALANG","FIAPROXY","FIAINTRP","MIALANG","MIAPROXY","MIAINTRP","AIALANGA","WTINT2YR","WTMEC2YR","SDMVPSU","SDMVSTRA","INDHHIN2","INDFMIN2","INDFMPIR","DMDHHSIZ","DMDFMSIZ","DMDHHSZA","DMDHHSZB","DMDHHSZE","DMDHRGND","DMDHRAGE","DMDHRBR4","DMDHREDU","DMDHRMAR","DMDHSEDU"
+62161,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,1,2,1,2,2,1,2,2,1,102641.406474,104236.582554,1,91,14,14,3.15,5,5,0,1,0,2,50,1,5,1,5
+62162,7,2,2,3,NA,1,1,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16116.35401,3,92,4,4,0.6,6,6,2,2,0,2,24,1,3,6,NA
+62163,7,2,1,14,NA,5,6,2,14,177,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7397.684828,7869.485117,3,90,15,15,4.07,5,5,0,2,1,1,42,1,5,1,4
+62164,7,2,2,44,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,127351.373299,127965.226204,1,94,8,8,1.67,5,5,1,2,0,1,52,1,4,1,4
+62165,7,2,2,14,NA,4,4,2,14,179,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12209.74498,13384.042162,2,90,4,4,0.57,5,5,1,2,0,2,33,2,2,77,NA
+62166,7,2,1,9,NA,3,3,2,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,60593.636684,64068.123183,1,91,77,77,NA,6,6,0,4,0,1,44,1,5,1,5
+62167,7,2,1,0,11,5,6,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5024.464768,5303.683185,2,92,99,77,NA,7,4,3,3,1,1,61,2,1,1,3
+62168,7,2,1,6,NA,5,7,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5897.024603,6245.043868,2,103,14,14,3.48,5,5,0,2,1,1,43,1,4,1,5
+62169,7,2,1,21,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,1,NA,NA,NA,1,2,2,1,14391.77847,14783.600953,1,92,2,2,0.33,5,5,0,1,0,1,51,2,1,4,NA
+62170,7,2,1,15,NA,5,7,1,15,181,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7794.52699,8291.636582,3,91,15,15,5,4,4,0,2,0,1,38,2,5,1,5
+62171,7,2,1,14,NA,1,1,1,14,175,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,22768.423624,22886.980387,3,92,9,9,2.46,4,4,0,2,0,1,43,2,3,1,4
+62172,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,26960.774346,27122.911908,2,96,5,5,2.02,1,1,0,0,0,2,43,1,3,5,NA
+62173,7,2,2,2,NA,1,1,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11401.934012,12203.058423,1,95,13,13,NA,5,5,3,0,0,2,33,2,1,1,2
+62174,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,24912.668432,27335.895242,3,90,10,10,4.3,2,2,0,0,2,2,80,1,4,1,5
+62175,7,2,1,5,NA,3,3,1,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26980.605125,30440.534478,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+62176,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,53830.599426,54203.155016,1,99,15,15,5,5,5,3,0,0,2,34,1,5,1,5
+62177,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,7879.750437,7851.284287,2,92,99,77,NA,7,4,3,3,1,1,61,2,1,1,3
+62178,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,12291.154515,13189.875012,1,95,1,1,0.05,1,1,0,0,1,1,80,1,3,2,NA
+62179,7,2,1,55,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16590.074977,17115.36835,1,92,15,15,5,4,4,0,2,0,1,55,1,5,1,5
+62180,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20457.614917,22616.494827,1,97,5,5,0.87,4,4,2,0,0,1,35,1,5,1,5
+62181,7,2,1,9,NA,1,1,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,13822.148996,14860.201344,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+62182,7,1,1,75,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,63069.107216,0,1,90,12,12,NA,2,2,0,0,2,1,75,1,5,1,4
+62183,7,2,1,6,NA,4,4,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10138.00454,10211.52145,1,100,14,14,3.6,4,4,1,1,0,1,41,1,4,1,5
+62184,7,2,1,26,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15600.678771,15236.26157,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+62185,7,2,1,16,NA,1,1,1,16,201,NA,NA,1,1,NA,10,NA,NA,NA,2,2,2,2,2,2,NA,NA,NA,NA,18635.323223,19040.145288,2,103,77,77,NA,5,5,0,2,0,2,45,2,4,5,NA
+62186,7,2,2,17,NA,4,4,1,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11224.041366,11682.365019,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+62187,7,2,2,9,NA,1,1,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,10118.363218,11093.371216,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+62188,7,2,1,2,NA,2,2,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11793.948458,12167.27893,1,100,5,5,0.78,6,5,1,2,0,2,40,2,1,5,NA
+62189,7,2,2,30,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,17983.231494,18657.922524,1,94,10,10,3.04,4,4,2,0,0,2,30,1,4,1,5
+62190,7,2,2,15,NA,1,1,1,15,189,NA,NA,2,2,4,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20419.465237,21192.774678,2,102,6,3,0.54,6,4,0,4,0,2,43,2,1,5,NA
+62191,7,2,1,70,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,8661.769277,9105.621464,1,96,14,3,0.9,2,1,0,0,2,2,71,NA,NA,3,NA
+62192,7,2,2,11,NA,1,1,2,11,141,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14087.469432,14372.406512,2,97,7,7,2.05,3,3,0,2,0,2,45,1,5,2,NA
+62193,7,2,1,17,NA,4,4,2,17,209,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11386.695644,11908.648036,2,99,6,6,1.18,5,5,0,3,0,2,38,1,2,5,NA
+62194,7,2,2,9,NA,3,3,2,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,36778.822436,37956.900598,1,99,15,15,5,5,5,0,3,0,2,43,1,5,1,5
+62195,7,2,1,35,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,15842.100091,16468.990083,2,90,8,6,2.39,4,1,1,1,0,2,21,1,5,6,NA
+62196,7,2,1,1,17,3,3,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,35830.680775,40425.523018,2,95,9,9,2.22,5,5,1,0,0,1,55,1,4,1,5
+62197,7,2,2,16,NA,4,4,1,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20015.720245,20424.69013,2,102,15,15,5,4,4,0,2,0,1,44,1,3,1,1
+62198,7,2,1,7,NA,3,3,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30754.608672,32212.772113,1,98,3,3,0.61,4,4,0,2,0,2,32,1,3,6,NA
+62199,7,2,1,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,127000.852889,130891.431194,2,92,15,15,5,2,1,0,0,0,1,57,1,5,6,NA
+62200,7,2,1,42,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,20543.822351,1,97,15,15,4.07,5,5,0,3,0,1,42,2,5,1,5
+62201,7,1,2,58,NA,5,6,NA,NA,NA,2,NA,2,2,2,NA,2,2,NA,1,2,1,1,2,2,NA,NA,NA,NA,19442.276314,0,1,95,6,6,1.34,4,4,0,2,0,2,32,2,3,2,NA
+62202,7,2,1,36,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,41155.167164,40844.556107,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+62203,7,2,1,8,NA,4,4,2,8,99,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,11324.954668,11525.075349,1,93,12,12,NA,3,3,0,1,0,2,49,2,3,1,3
+62204,7,1,2,9,NA,5,6,NA,NA,NA,NA,NA,2,1,3,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5585.02957,0,2,103,15,15,5,4,4,0,2,0,1,48,2,5,1,5
+62205,7,2,1,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,103663.693967,105583.964573,1,90,15,15,5,4,4,0,1,0,2,53,1,5,1,5
+62206,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,67177.369911,67642.297015,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+62207,7,2,1,0,0,4,4,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6988.613752,7730.080563,1,100,5,5,1.05,3,3,1,0,0,2,35,1,4,6,NA
+62208,7,2,1,38,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,4,1,NA,2,2,2,1,2,2,1,2,2,2,41241.224595,41216.943466,2,102,7,7,1.53,5,5,1,2,0,2,37,2,4,1,4
+62209,7,2,2,62,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,13473.304889,14578.166065,2,96,6,6,1.11,6,6,0,2,1,1,40,2,2,1,2
+62210,7,2,1,15,NA,3,3,2,15,188,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,100370.520459,102294.664852,1,90,15,15,5,4,4,0,2,1,2,52,1,5,1,NA
+62211,7,1,2,63,NA,1,1,NA,NA,NA,2,NA,2,2,77,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,16352.915834,0,3,92,9,9,2.22,5,5,1,0,2,1,66,2,1,1,1
+62212,7,1,2,8,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9465.598219,0,2,91,12,12,NA,3,3,0,1,0,1,56,1,4,1,4
+62213,7,2,1,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5422.375171,5488.513785,2,99,4,4,0.94,3,3,1,0,0,1,48,2,3,6,NA
+62214,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,2,1,2,2,1,2,2,1,2,2,1,18723.98095,21433.166124,2,95,7,7,1.41,5,5,2,0,0,2,53,1,3,3,NA
+62215,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,129559.2554,1,98,13,13,NA,2,2,0,0,2,2,80,1,2,2,NA
+62216,7,2,1,0,6,3,3,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19442.488468,19106.370101,2,92,15,15,5,3,3,1,0,0,2,31,2,5,1,5
+62217,7,2,2,77,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,NA,15730.58404,17568.357111,2,98,4,4,0.97,3,3,0,1,1,2,77,1,1,5,NA
+62218,7,2,2,38,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,1,2,2,1,39534.635218,41046.564195,2,102,14,14,4.05,3,3,0,1,0,1,18,1,2,NA,NA
+62219,7,2,2,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11582.174418,11621.723611,2,102,4,4,0.44,7,7,1,3,0,1,48,1,9,1,9
+62220,7,2,2,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,33193.038733,33538.564898,1,96,9,9,4.92,1,1,0,0,0,2,31,1,5,5,NA
+62221,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,25818.768393,25697.012112,1,100,14,14,3.6,4,4,1,1,0,1,41,1,4,1,5
+62222,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,89973.129052,97483.088567,1,93,15,15,5,2,2,0,0,0,2,30,1,5,1,5
+62223,7,2,1,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10133.862484,12107.78442,3,90,77,77,NA,3,3,0,1,0,1,54,2,3,1,3
+62224,7,2,2,29,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,1,2,2,2,2,1,2,2,2,2,2,2,43986.779369,46449.619953,1,93,9,9,2.46,4,4,0,2,0,1,35,2,1,1,1
+62225,7,2,2,13,NA,1,1,1,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24481.187693,25761.611656,1,92,15,15,4.99,4,4,0,2,0,2,43,1,4,1,4
+62226,7,2,1,80,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,1,NA,2,2,2,2,2,2,2,2,1,NA,13654.270555,13892.295449,2,93,9,9,3.64,2,2,0,0,2,2,79,2,2,1,4
+62227,7,2,1,19,NA,3,3,2,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,68701.580401,72973.564721,2,94,15,15,5,5,5,0,2,0,1,53,1,5,1,5
+62228,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,144353.133634,144729.952645,1,91,14,14,3.15,5,5,0,1,0,2,50,1,5,1,5
+62229,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,72426.980535,75980.145152,1,98,6,6,1.31,3,3,1,0,0,1,30,1,5,1,5
+62230,7,2,1,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,12946.818038,13703.92145,1,101,5,3,1.07,2,1,0,0,2,2,70,1,4,2,NA
+62231,7,2,2,48,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,43535.993088,52686.708499,2,102,15,15,3.92,5,5,0,0,0,1,19,1,4,NA,NA
+62232,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,115926.402585,118970.086068,1,101,14,14,3.3,4,4,0,2,0,2,42,1,4,1,3
+62233,7,2,2,63,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,10999.00871,11900.968385,2,98,6,6,0.78,7,7,1,3,1,2,63,1,2,4,NA
+62234,7,2,1,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14860.312419,14555.816778,3,90,15,15,4.89,5,5,0,0,0,2,57,2,3,1,3
+62235,7,2,2,2,NA,3,3,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49862.013993,55032.245455,2,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+62236,7,2,1,61,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9048.959172,9513.611982,1,93,15,15,5,5,5,1,0,1,1,61,2,4,1,4
+62237,7,2,2,58,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140431.173819,139253.659476,1,91,7,7,2.64,2,2,0,0,1,2,58,1,5,1,4
+62238,7,2,2,0,4,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20786.668002,20803.881706,1,101,8,8,1.85,5,5,3,0,0,2,31,1,2,1,2
+62239,7,2,2,22,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,3,6,2,2,2,2,2,2,2,2,2,2,2,39426.061521,39254.343691,2,94,14,1,0.09,5,1,0,0,0,1,24,2,4,5,NA
+62240,7,2,2,14,NA,2,2,2,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26657.121865,28092.602686,1,97,14,14,3.25,4,4,0,2,0,1,45,1,3,6,NA
+62241,7,2,1,2,NA,2,2,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9237.934626,9897.780242,2,90,14,14,3.45,4,4,1,1,0,2,34,2,5,6,NA
+62242,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,129608.716834,132839.525748,1,100,6,6,1.98,2,2,0,0,0,1,50,1,5,4,NA
+62243,7,2,2,1,16,3,3,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49862.013993,51432.868823,2,91,15,15,5,4,4,2,0,0,1,34,1,5,1,5
+62244,7,2,1,1,17,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14505.670599,14525.271178,2,102,15,15,5,4,4,2,0,0,1,32,1,5,1,5
+62245,7,2,1,8,NA,5,6,2,8,97,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10810.913614,11522.32071,1,97,15,15,5,4,4,1,1,0,1,44,2,5,1,5
+62246,7,2,2,0,1,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7210.38482,7501.352858,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+62247,7,1,2,0,6,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5158.857524,0,1,97,7,7,1.74,4,4,2,0,0,1,34,1,5,1,5
+62248,7,2,1,65,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,9048.959172,9881.360452,1,93,8,8,1.2,7,7,1,1,1,1,24,2,2,5,NA
+62249,7,2,2,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,59001.303336,59528.815212,2,101,4,4,1.38,1,1,0,0,0,2,26,1,5,5,NA
+62250,7,2,1,34,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,51543.062078,52965.08671,3,92,15,15,5,3,3,1,0,0,1,34,1,5,1,5
+62251,7,2,2,51,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16672.82247,17074.238333,1,92,12,12,NA,4,4,0,0,0,1,59,2,3,1,4
+62252,7,2,2,11,NA,1,1,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17053.854294,17379.519997,3,92,15,8,2.62,4,3,1,1,0,1,30,1,2,6,NA
+62253,7,2,1,18,NA,3,3,2,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,68701.580401,72973.564721,2,94,14,14,5,3,3,0,0,0,1,42,1,5,1,5
+62254,7,2,1,14,NA,4,4,2,14,179,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15381.581315,15476.088016,1,93,12,12,NA,5,4,0,2,0,1,32,1,2,5,NA
+62255,7,2,1,65,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,29731.886612,29889.869541,1,95,3,3,0.87,2,2,0,0,2,2,65,1,2,1,3
+62256,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,7911.357817,9487.389486,2,94,5,5,1.63,2,2,0,0,2,2,79,1,3,1,1
+62257,7,2,2,2,NA,1,1,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,NA,NA,NA,NA,NA,NA,NA,9469.751474,10135.116584,1,102,NA,NA,NA,5,5,1,2,0,1,39,NA,NA,1,NA
+62258,7,2,1,47,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,43470.92932,42833.060444,1,92,6,6,0.93,5,5,0,2,0,1,47,2,1,1,1
+62259,7,2,1,61,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,7736.56115,7645.782314,1,99,4,2,0.87,2,1,0,0,1,2,59,1,3,3,NA
+62260,7,2,1,10,NA,3,3,2,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,57305.501166,60591.443404,1,94,15,15,5,5,5,0,3,0,1,46,1,3,1,5
+62261,7,2,1,47,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,2,2,2,2,33029.272844,33366.323953,2,93,14,14,3.25,4,4,0,2,0,2,46,2,5,1,4
+62262,7,2,2,0,10,2,2,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7367.430495,7616.752822,2,91,5,5,0.74,5,5,1,1,0,1,35,2,1,1,2
+62263,7,2,1,2,NA,3,3,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,28617.223132,33531.791823,1,101,3,3,0.61,4,4,1,2,0,1,38,1,2,4,NA
+62264,7,2,1,77,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,52448.388619,55291.886181,1,99,7,7,2.72,2,2,0,0,2,1,77,1,2,1,3
+62265,7,2,1,52,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19478.845078,19591.5023,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+62266,7,2,1,64,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,29999.543427,30837.648113,2,91,12,5,1.79,3,1,0,0,1,1,52,1,4,3,NA
+62267,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,34430.806911,35615.742482,2,95,6,6,1.08,4,4,1,1,0,1,39,1,4,1,4
+62268,7,2,2,15,NA,1,1,1,16,192,NA,NA,1,1,NA,9,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,16734.618372,17498.916137,2,96,5,5,0.78,5,5,0,2,0,1,37,2,1,5,NA
+62269,7,2,1,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,14718.123234,15404.517346,2,101,1,1,0.1,6,6,1,2,1,2,27,1,2,1,2
+62270,7,2,2,33,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,5,5,2,2,2,2,1,2,2,2,2,2,2,31765.061314,30907.973228,2,93,4,4,0.56,5,5,0,0,0,2,49,2,2,5,NA
+62271,7,2,1,7,NA,4,4,2,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6971.452972,8307.996458,2,99,7,7,1.63,4,4,0,2,0,1,53,1,3,3,NA
+62272,7,2,1,9,NA,2,2,1,9,111,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,11102.340512,11169.626274,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+62273,7,2,2,15,NA,5,6,1,15,184,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7588.544207,7881.983727,3,91,14,14,4.03,4,4,0,2,0,1,51,2,4,1,5
+62274,7,2,1,2,NA,4,4,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5103.735747,5455.59,2,95,3,3,0.38,5,5,2,2,0,2,37,1,4,3,NA
+62275,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,14442.406316,14518.77693,2,99,15,15,5,1,1,0,0,0,2,41,2,5,5,NA
+62276,7,2,1,9,NA,3,3,2,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,63059.776443,67841.511058,1,99,15,15,5,4,4,1,1,0,2,42,1,5,1,5
+62277,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,139343.551779,140618.30879,2,98,9,9,5,1,1,0,0,0,2,55,1,4,3,NA
+62278,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,94,7,7,2.51,2,2,0,0,2,2,72,1,4,1,1
+62279,7,2,1,80,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,9456.784526,9941.375417,2,99,13,13,NA,3,3,0,0,1,1,80,1,2,2,NA
+62280,7,2,2,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,16966.723528,16502.38463,2,95,6,6,1.7,2,2,0,0,0,2,54,1,4,2,NA
+62281,7,2,2,13,NA,4,4,2,13,162,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11372.489138,11738.962427,1,99,6,6,0.96,5,5,1,2,0,2,35,1,4,1,2
+62282,7,2,2,57,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,21219.116826,20638.40003,1,102,6,6,1.7,2,2,0,0,1,2,80,NA,NA,2,NA
+62283,7,2,1,2,NA,1,1,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14457.854197,15490.547336,1,92,10,10,2.93,4,4,1,0,0,2,55,1,4,1,4
+62284,7,2,2,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,117778.281347,120111.495123,1,94,8,8,2.41,3,3,0,0,3,1,63,1,4,1,5
+62285,7,2,2,17,NA,3,3,2,17,206,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,103007.696238,104941.393061,1,101,6,6,1.31,3,3,0,1,0,1,51,1,4,1,4
+62286,7,2,1,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,12556.207754,12615.022145,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+62287,7,2,2,73,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,12183.823561,12607.778632,2,100,6,6,2.11,2,2,0,0,2,1,79,1,3,1,4
+62288,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,22634.531479,23281.741513,1,103,9,6,2.24,3,1,0,0,0,1,27,1,5,5,NA
+62289,7,2,1,71,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,13555.672819,15969.746949,1,94,3,3,1.07,1,1,0,0,1,1,71,1,2,3,NA
+62290,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7618.827213,7957.141798,2,101,1,1,0,3,3,2,0,0,1,22,1,3,5,NA
+62291,7,2,1,56,NA,5,7,1,NA,NA,1,1,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20111.196953,20038.543847,1,92,14,14,5,2,2,0,0,0,1,56,2,4,1,4
+62292,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,36829.543424,39682.305625,1,93,15,15,5,4,3,0,0,3,1,80,1,5,2,NA
+62293,7,2,1,67,NA,3,3,2,NA,NA,1,1,2,1,9,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,28478.57859,28745.66908,1,101,3,3,1.16,1,1,0,0,1,1,67,2,4,3,NA
+62294,7,2,1,9,NA,2,2,2,9,117,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,9390.522479,10327.334743,2,90,3,3,0.54,4,4,1,2,0,2,33,2,1,4,NA
+62295,7,2,2,69,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,12994.252166,2,90,2,2,0.79,1,1,0,0,1,2,69,2,2,2,NA
+62296,7,2,1,19,NA,4,4,2,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13251.602554,13277.802057,1,96,15,15,5,2,2,0,0,0,2,51,1,5,5,NA
+62297,7,2,1,43,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18402.969014,18977.095614,2,95,10,10,3.67,3,3,0,1,0,1,43,1,4,1,4
+62298,7,2,1,15,NA,3,3,2,16,192,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,93665.036597,95017.313859,1,91,14,14,3.8,4,4,0,2,0,1,50,NA,NA,1,5
+62299,7,2,1,8,NA,5,6,2,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6631.058951,7488.793181,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+62300,7,2,2,6,NA,4,4,2,6,83,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6929.51414,7399.559927,2,99,14,14,4.09,3,3,0,2,0,2,37,1,5,5,NA
+62301,7,2,1,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16907.09145,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+62302,7,2,2,51,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,5,NA,2,2,2,1,2,2,2,2,2,2,19676.781212,20033.616894,2,103,77,77,NA,4,4,0,0,0,2,46,2,1,4,NA
+62303,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,61501.13451,65355.920739,2,101,6,6,1.62,3,3,0,0,2,1,80,1,3,1,3
+62304,7,2,2,6,NA,1,1,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9872.244853,10573.701398,2,90,6,6,0.96,5,5,1,1,0,1,39,2,2,1,NA
+62305,7,2,1,10,NA,1,1,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13285.093011,14158.005149,2,94,9,9,2.37,5,5,0,1,0,1,48,2,4,1,2
+62306,7,2,1,0,9,2,2,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4884.343512,4884.433539,3,90,12,12,NA,3,3,1,0,0,1,40,2,5,1,4
+62307,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,7828.117773,8460.915547,2,90,4,4,1.2,2,2,0,0,2,2,80,1,3,2,NA
+62308,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,83112.549416,87237.362828,1,97,7,7,2.64,2,2,0,0,2,1,79,1,4,1,3
+62309,7,2,2,47,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,2,NA,2,2,2,2,2,2,2,2,2,2,40337.933888,40548.292782,3,92,4,4,0.46,7,7,1,2,0,2,31,2,2,1,1
+62310,7,2,2,8,NA,4,4,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7632.404654,7765.546414,2,101,1,1,0.1,6,6,1,2,1,2,27,1,2,1,2
+62311,7,2,1,18,NA,3,3,2,19,228,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,68148.957861,67253.324127,1,93,15,15,3.92,5,5,0,1,0,2,54,1,5,1,5
+62312,7,2,2,63,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,1,1,2,2,1,2,2,2,16352.915834,17178.789759,3,92,8,8,1.85,5,5,1,0,2,1,66,2,1,1,1
+62313,7,2,1,7,NA,1,1,1,7,93,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12577.115885,12876.06354,2,96,5,5,0.76,5,5,1,2,0,1,44,2,1,1,3
+62314,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,7611.107768,7639.752345,2,97,3,3,1.33,1,1,0,0,1,1,61,1,3,5,NA
+62315,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,12842.559946,13803.13967,2,95,99,99,NA,2,2,0,1,1,2,80,1,2,2,NA
+62316,7,2,1,39,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,31674.692905,34832.561132,2,100,4,4,0.81,4,4,0,2,0,2,37,1,2,1,2
+62317,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18872.772727,18824.29246,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+62318,7,2,2,0,10,3,3,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8114.787453,8336.925581,1,91,2,2,0.27,5,5,2,2,0,2,42,1,4,3,NA
+62319,7,2,2,4,NA,4,4,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11231.392369,2,100,1,1,0.08,5,5,1,2,0,2,19,1,3,NA,NA
+62320,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,122483.259869,124909.680309,3,91,7,7,2.89,2,2,0,0,2,2,64,1,4,1,4
+62321,7,2,2,8,NA,5,6,1,8,100,NA,NA,2,1,3,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6412.057856,6847.117735,3,91,14,14,4.03,4,4,0,2,0,1,50,1,5,1,5
+62322,7,2,2,4,NA,4,4,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10295.166918,11223.20055,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+62323,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7618.827213,7957.141798,2,101,1,1,0,3,3,2,0,0,1,22,1,3,5,NA
+62324,7,2,2,60,NA,1,1,2,NA,NA,2,NA,2,2,77,NA,4,4,NA,2,2,2,1,2,2,1,2,2,2,11469.456138,12167.81965,1,90,3,3,0.23,7,7,3,1,1,2,35,2,2,5,NA
+62325,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,30932.175051,32888.281888,2,101,1,1,0.1,2,2,0,0,0,1,56,1,3,6,NA
+62326,7,2,1,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,153565.050575,157855.235487,1,97,10,10,4.3,2,2,0,0,1,2,56,1,5,1,5
+62327,7,2,2,19,NA,4,4,2,19,238,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12209.74498,12386.615954,2,90,6,6,1.12,4,4,0,1,1,1,63,2,1,1,1
+62328,7,2,2,9,NA,4,4,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7899.813226,8111.155436,2,97,15,15,5,4,4,0,2,0,1,47,NA,NA,6,NA
+62329,7,2,1,2,NA,2,2,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11793.948458,12167.27893,1,100,3,3,0.39,5,5,1,2,0,1,32,2,1,6,NA
+62330,7,2,2,33,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,21097.664283,22267.583876,2,96,14,14,5,2,2,0,0,0,2,33,2,5,1,5
+62331,7,2,1,9,NA,5,7,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8246.426933,8701.859504,1,99,14,14,3.94,4,4,1,1,0,1,43,1,4,1,5
+62332,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,31962.323978,33458.586112,1,100,4,4,1.06,3,2,0,0,0,1,22,1,4,6,NA
+62333,7,2,2,45,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,13046.228603,13115.21631,2,92,12,77,NA,7,2,0,0,2,1,53,2,3,1,3
+62334,7,2,1,9,NA,3,3,1,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19590.665143,20475.022602,3,91,5,5,0.87,4,4,0,2,0,2,38,1,2,3,NA
+62335,7,2,1,14,NA,2,2,2,14,171,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13921.972975,14228.387356,3,90,14,14,3.69,4,4,0,2,0,2,49,1,4,1,4
+62336,7,2,1,55,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,4,6,NA,2,2,2,2,2,2,2,2,2,2,24211.824535,24947.165851,2,93,10,10,3.67,3,3,0,0,0,2,56,2,4,6,NA
+62337,7,2,2,10,NA,1,1,2,10,123,NA,NA,2,2,3,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15166.167659,15537.272247,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+62338,7,1,2,2,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12260.86913,0,3,92,5,5,0.68,6,6,3,0,0,2,19,1,4,NA,NA
+62339,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,71402.235366,74200.659205,2,100,15,15,5,4,4,1,1,0,1,29,1,4,1,4
+62340,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,130826.463813,1,101,6,6,1.28,4,4,2,0,0,1,44,1,4,1,4
+62341,7,2,1,8,NA,1,1,2,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13285.093011,13365.60735,2,94,7,7,2.16,3,3,0,1,0,2,28,1,2,1,1
+62342,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,78565.115731,1,101,8,8,1.85,5,5,0,3,0,1,41,1,3,1,4
+62343,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17615.311737,2,97,5,5,0.76,5,5,0,0,0,2,50,1,4,5,NA
+62344,7,1,2,32,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,NA,NA,NA,NA,NA,NA,NA,26426.249254,0,1,99,NA,NA,NA,1,1,0,0,0,2,32,1,5,5,NA
+62345,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,64324.554311,66806.652381,2,103,15,15,5,4,4,2,0,0,1,36,2,4,1,5
+62346,7,2,1,19,NA,5,7,1,19,239,2,NA,2,2,4,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6558.308393,6849.983523,2,92,99,1,0.22,4,1,0,0,0,1,19,1,4,NA,NA
+62347,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,25812.913537,27430.822937,2,95,3,3,1.21,1,1,0,0,1,2,71,1,3,2,NA
+62348,7,2,2,19,NA,4,4,2,19,236,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11419.859653,11886.179371,2,99,7,7,1.19,6,6,1,3,0,2,38,1,3,5,NA
+62349,7,2,2,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,122473.120523,125156.324631,3,91,8,5,1.5,3,2,0,0,0,1,23,1,4,1,4
+62350,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,96255.674553,99423.043377,2,94,7,7,2.72,2,2,0,1,0,2,43,1,3,3,NA
+62351,7,2,1,7,NA,3,3,2,7,89,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25604.034863,26336.174292,1,95,5,5,0.92,5,5,1,2,0,2,30,1,4,1,4
+62352,7,2,2,3,NA,4,4,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,10601.396934,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+62353,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,39587.338944,43437.954199,2,91,15,15,5,2,2,0,0,2,2,79,1,5,1,5
+62354,7,2,2,11,NA,3,3,2,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,80369.555824,79030.006233,1,97,8,8,2.72,3,3,0,2,0,2,43,1,1,3,NA
+62355,7,2,2,16,NA,5,6,1,16,197,NA,NA,2,1,3,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7176.749123,7692.153155,3,91,7,7,1.79,4,4,0,1,0,2,45,2,2,1,3
+62356,7,2,2,14,NA,1,1,1,14,179,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26325.414456,27702.295836,3,92,12,12,NA,6,6,1,3,0,2,33,1,5,1,4
+62357,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,94433.586146,101591.315487,1,91,15,15,5,3,3,1,0,0,1,36,1,4,1,5
+62358,7,2,2,0,3,1,1,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9767.083234,9561.595244,3,92,7,7,1.99,3,3,1,0,0,1,40,1,4,1,4
+62359,7,2,2,54,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22224.73066,23825.197607,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+62360,7,2,1,17,NA,4,4,1,17,210,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11429.628358,11541.555232,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+62361,7,2,1,7,NA,4,4,1,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13423.881856,14179.490667,2,101,1,1,0.21,4,4,1,2,0,2,26,1,3,5,NA
+62362,7,2,2,11,NA,4,4,2,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.490652,8919.477637,2,97,6,6,1,6,6,1,2,2,2,60,1,2,2,NA
+62363,7,2,2,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,134897.594057,143557.343892,2,102,6,6,1.43,4,4,0,1,1,1,67,NA,NA,1,NA
+62364,7,2,2,4,NA,1,1,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14899.363418,16449.297045,1,100,8,8,2.17,4,4,1,1,0,2,40,2,2,1,2
+62365,7,2,2,37,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21097.664283,21336.137518,2,96,8,8,3.4,2,2,0,0,0,1,46,2,4,1,4
+62366,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,37318.801462,40047.525745,1,98,6,6,1.65,2,2,0,0,2,1,80,1,3,1,3
+62367,7,2,1,50,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,10133.862484,10097.253197,3,90,15,15,3.23,6,6,0,2,0,1,50,2,2,1,2
+62368,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,23176.790531,24820.797478,1,98,3,3,0.81,2,2,0,0,1,2,80,2,1,2,NA
+62369,7,2,2,8,NA,2,2,1,8,100,NA,NA,2,2,3,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15352.601806,15663.127806,2,102,7,7,1.53,5,5,1,2,0,2,37,2,4,1,4
+62370,7,2,1,21,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,13843.66558,14262.333267,1,90,15,15,3.7,5,5,0,0,0,1,54,NA,NA,1,NA
+62371,7,2,1,32,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22403.911395,23863.238542,2,96,14,14,5,2,2,0,0,0,2,33,2,5,1,5
+62372,7,2,2,55,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,1,1,2,2,1,2,2,NA,17991.883465,18643.986017,2,102,8,8,2.01,4,4,0,0,0,1,59,2,4,1,4
+62373,7,2,1,46,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,37324.655911,36776.974122,1,102,6,6,1.34,4,4,0,1,0,2,48,2,3,1,1
+62374,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,33530.36206,1,101,4,4,0.78,4,4,1,2,0,2,31,1,4,3,NA
+62375,7,2,1,24,NA,1,1,1,NA,NA,2,NA,2,2,99,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,52698.05363,59566.360508,3,92,4,4,0.65,4,4,2,0,0,2,20,1,3,5,NA
+62376,7,2,1,6,NA,4,4,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7730.47951,9212.541007,1,99,5,5,0.84,5,5,2,1,0,1,35,1,3,1,2
+62377,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35965.834545,38220.111719,1,95,3,3,1.24,1,1,0,0,1,2,78,1,2,2,NA
+62378,7,2,2,68,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,3,NA,2,2,2,1,2,2,2,2,2,2,10979.149658,11879.480817,1,96,15,8,4.66,2,1,0,0,2,2,68,2,1,3,NA
+62379,7,2,1,40,NA,5,7,1,NA,NA,2,NA,2,1,5,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,24837.95225,25237.159887,1,102,10,10,3.22,4,4,0,0,2,2,29,2,5,5,NA
+62380,7,2,1,16,NA,1,1,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,15506.325263,15592.022118,1,103,8,8,2,5,5,0,1,0,2,45,2,3,1,2
+62381,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,1,2,1,2,2,1,2,2,NA,15408.94893,15514.368855,1,99,7,2,0.74,3,1,0,0,2,1,70,1,2,1,4
+62382,7,2,2,1,21,4,4,2,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5743.559235,6261.298887,2,99,2,2,0.2,7,7,1,2,1,1,63,1,1,2,NA
+62383,7,2,1,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,91704.59836,93129.802737,1,93,15,4,1.38,6,1,0,0,0,1,23,1,5,5,NA
+62384,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,27444.308565,27682.940425,1,101,7,7,2.31,2,2,0,0,1,2,69,1,4,2,NA
+62385,7,2,1,0,10,4,4,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6699.703488,6998.255943,2,96,6,6,1.32,5,5,1,3,0,2,30,1,4,3,NA
+62386,7,2,1,35,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,21163.049914,22845.160537,1,97,8,8,2.51,3,3,0,1,0,1,35,1,3,1,4
+62387,7,2,1,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17597.975048,2,97,3,3,1.29,1,1,0,0,0,1,23,1,3,5,NA
+62388,7,2,2,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,49644.076348,54110.530387,1,97,3,3,1.12,1,1,0,0,1,2,69,1,3,2,NA
+62389,7,2,2,16,NA,5,7,2,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,15,15,5,6,6,0,3,0,1,47,1,5,1,5
+62390,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,14095.963218,14697.88566,2,92,15,8,4.59,2,1,0,0,0,2,25,2,5,5,NA
+62391,7,2,2,40,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,34954.173075,36222.975959,2,98,15,15,5,3,3,0,1,0,1,38,1,4,1,3
+62392,7,2,2,1,12,1,1,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,12260.86913,12783.275371,3,92,6,6,0.96,5,5,2,1,0,2,26,2,1,1,1
+62393,7,2,1,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,48709.670361,2,98,7,7,1.53,5,5,0,0,0,2,48,1,3,5,NA
+62394,7,2,1,1,14,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,1,1,0.13,4,4,2,0,0,2,52,1,2,4,NA
+62395,7,2,2,1,16,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12871.484115,13281.030392,2,102,8,8,2.24,4,4,1,1,0,1,35,2,3,1,1
+62396,7,2,1,10,NA,1,1,1,10,123,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,10658.399025,10827.062436,1,102,5,5,0.62,7,7,1,3,0,1,49,2,2,1,1
+62397,7,2,2,70,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,1,2,2,2,2,2,NA,17077.396628,18362.705174,2,96,13,13,NA,6,6,0,2,1,1,43,2,4,1,3
+62398,7,2,1,9,NA,3,3,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19926.440922,21167.339982,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+62399,7,2,2,53,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,24870.513993,25871.320138,2,98,5,5,1.63,2,2,0,0,0,2,53,2,1,1,1
+62400,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,27463.558155,27680.636989,2,100,4,4,1.22,2,2,0,1,0,2,31,1,4,5,NA
+62401,7,2,2,15,NA,3,3,1,15,187,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,93740.540203,99321.165816,1,100,8,8,1.95,4,4,0,2,1,2,49,1,5,6,NA
+62402,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,1,4,NA,1,2,2,1,2,2,1,2,2,NA,14259.601244,14208.087437,1,93,6,6,1.15,5,5,1,0,2,2,70,NA,NA,1,NA
+62403,7,2,2,3,NA,4,4,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8192.75936,8404.22838,2,99,77,77,NA,3,3,1,0,0,1,38,2,5,1,5
+62404,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,22009.438408,22692.209281,2,99,6,6,2.95,1,1,0,0,0,1,44,1,3,5,NA
+62405,7,2,1,5,NA,2,2,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14716.463544,14890.443704,2,96,2,2,0.27,6,6,1,3,0,1,34,NA,NA,1,NA
+62406,7,2,2,10,NA,2,2,2,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19936.606751,20692.800636,1,94,7,7,1.74,4,4,0,2,0,1,44,1,5,1,5
+62407,7,2,1,49,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,28680.660607,29290.218786,1,94,3,3,1.1,1,1,0,0,0,1,49,1,4,3,NA
+62408,7,1,1,58,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,174520.785302,0,1,95,7,7,2.86,2,2,0,0,1,1,58,1,4,1,3
+62409,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,22419.63376,27869.657009,1,94,3,3,1.16,1,1,0,0,1,2,80,1,3,2,NA
+62410,7,2,1,5,NA,4,4,2,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8158.702829,8662.344233,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+62411,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15790.702799,17527.166432,2,90,7,7,3.21,1,1,0,0,0,2,51,1,4,5,NA
+62412,7,2,1,16,NA,1,1,2,16,199,NA,NA,2,2,4,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,21718.29328,22050.264992,2,94,6,6,1.5,4,4,0,2,0,1,44,2,2,1,2
+62413,7,2,1,65,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,131445.986898,130104.237054,1,101,5,5,1.6,2,2,0,0,1,1,65,1,4,6,NA
+62414,7,2,1,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,1,2,1,2,2,1,1,2,NA,17206.320427,17681.811932,1,96,2,2,0.4,3,3,0,0,0,2,56,1,3,3,NA
+62415,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,129336.409693,136474.939567,1,95,15,15,5,3,3,1,0,0,1,26,1,3,1,4
+62416,7,2,2,19,NA,2,2,2,19,235,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13824.001771,14551.102227,2,90,10,10,2.91,4,4,0,1,0,2,51,2,4,1,1
+62417,7,2,2,26,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,45207.136555,46085.238422,1,94,14,8,4.66,2,1,0,0,0,2,26,1,4,5,NA
+62418,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,46965.818538,52174.805072,1,101,6,6,1.98,2,2,0,0,1,1,80,1,1,2,NA
+62419,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,42993.150248,46481.579201,1,95,5,5,0.65,6,6,1,0,2,1,80,1,3,1,4
+62420,7,1,1,24,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,59682.963348,0,2,102,77,77,NA,4,4,0,1,0,1,47,1,2,1,3
+62421,7,2,1,23,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,15171.949804,3,91,6,1,0,2,1,0,0,0,1,24,1,5,5,NA
+62422,7,2,2,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,63504.762752,64182.95787,1,91,15,15,5,1,1,0,0,1,2,72,1,4,2,NA
+62423,7,1,2,8,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13192.206605,0,2,102,14,14,3.8,4,4,0,2,0,1,47,1,4,1,4
+62424,7,2,1,20,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,2,5,NA,2,2,2,2,2,2,2,2,2,2,41713.173502,43905.698512,1,90,99,3,0.9,3,1,0,0,0,1,41,NA,NA,99,NA
+62425,7,2,2,30,NA,3,3,2,NA,NA,2,NA,2,2,1,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,81658.419251,86275.41601,2,99,15,15,5,2,2,0,0,0,1,30,NA,NA,1,5
+62426,7,2,1,9,NA,1,1,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8828.580268,8822.70874,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+62427,7,2,1,15,NA,4,4,2,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11462.850569,11753.30805,2,100,4,4,0.69,5,5,0,3,0,1,38,1,3,6,NA
+62428,7,2,2,12,NA,4,4,1,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16598.888685,16325.283055,2,102,15,15,4.2,5,5,1,2,0,2,29,NA,NA,1,NA
+62429,7,2,1,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,25964.952645,26121.35248,2,96,14,14,5,2,2,0,1,0,1,47,1,5,5,NA
+62430,7,2,1,27,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,49006.291777,50482.76018,1,92,9,9,2.93,3,3,0,1,0,2,30,1,5,1,5
+62431,7,2,1,54,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,25969.864445,29542.265764,1,97,2,2,0.81,1,1,0,0,0,1,54,1,2,5,NA
+62432,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,75294.690128,81171.633513,1,90,15,15,5,4,4,0,2,0,1,37,1,5,1,5
+62433,7,2,1,10,NA,4,4,2,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,8579.422451,10224.240431,1,99,NA,NA,NA,4,4,1,1,0,1,42,NA,NA,1,NA
+62434,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,9113.905743,10210.592308,3,90,14,14,5,2,2,0,0,2,1,60,NA,NA,1,3
+62435,7,2,2,0,7,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16547.193167,16560.896108,1,97,12,12,NA,5,5,3,0,0,2,33,1,5,1,5
+62436,7,2,1,4,NA,1,1,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11776.305841,11467.607256,1,90,4,4,0.47,7,7,1,1,0,2,50,2,1,1,1
+62437,7,2,1,39,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,6,NA,2,2,2,1,2,2,1,2,2,2,33948.23667,35734.088319,2,97,4,4,0.67,4,4,0,2,0,1,39,2,2,6,NA
+62438,7,2,1,0,0,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6339.587912,6622.092882,1,91,7,7,1.49,5,5,3,0,0,2,38,2,4,1,4
+62439,7,2,1,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60942.568495,64726.722108,1,94,15,15,5,2,2,0,0,2,1,75,1,4,1,3
+62440,7,2,1,22,NA,1,1,2,NA,NA,2,NA,2,1,4,NA,4,1,NA,1,2,2,2,2,2,1,2,2,2,35669.2076,36294.041819,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+62441,7,2,1,68,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,1,2,2,1,2,2,2,8609.250304,11228.904188,2,90,2,2,0.31,4,4,0,0,2,1,68,2,1,1,NA
+62442,7,2,1,0,8,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6981.458608,7088.61417,2,92,9,9,2.71,4,4,1,0,0,1,43,1,2,1,4
+62443,7,2,2,4,NA,4,4,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8464.796876,9108.215863,2,93,8,8,1.67,5,5,1,1,0,2,31,1,4,5,NA
+62444,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,21503.272394,20634.528185,2,100,1,1,0,2,2,0,0,0,2,55,1,5,3,NA
+62445,7,2,2,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,19866.025076,19772.340772,2,95,6,6,1.08,4,4,1,0,0,2,42,1,4,4,NA
+62446,7,2,2,4,NA,2,2,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,17065.756351,2,98,1,1,0,3,1,2,0,0,2,27,1,3,6,NA
+62447,7,2,2,19,NA,1,1,1,19,237,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17490.464019,17826.708822,1,102,6,6,1.43,3,3,0,1,0,2,39,1,4,3,NA
+62448,7,2,1,13,NA,1,1,1,13,162,NA,NA,2,2,4,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18583.729819,18727.0393,2,96,6,6,1.11,5,5,0,3,0,2,32,2,3,1,2
+62449,7,2,2,38,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,32097.38481,34606.180038,2,100,14,14,3.36,4,4,1,1,0,1,45,2,5,1,2
+62450,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19282.792088,20545.343351,2,97,7,7,1.92,3,3,0,1,0,1,57,1,4,1,4
+62451,7,2,2,0,4,3,3,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,NA,2,1,2,2,NA,NA,NA,NA,9142.358181,9688.944551,2,98,1,1,0.23,2,2,1,0,0,2,20,1,3,6,NA
+62452,7,2,1,39,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,5,NA,2,2,2,2,2,2,2,2,2,2,34564.442715,35621.093093,2,90,4,4,0.81,3,3,0,0,0,1,39,2,3,5,NA
+62453,7,2,2,2,NA,4,4,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7329.363701,7518.547014,1,103,6,6,1.57,3,3,1,0,0,2,25,1,4,5,NA
+62454,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,7278.790659,7582.574348,2,93,5,5,1.32,2,2,0,0,1,1,49,2,2,1,4
+62455,7,2,1,18,NA,4,4,2,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7946.436474,8100.311671,3,90,15,15,5,5,5,1,0,1,1,38,2,3,1,4
+62456,7,2,1,17,NA,4,4,1,17,214,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13731.625553,14242.275028,1,100,14,14,3.93,3,3,0,1,0,2,47,1,5,4,NA
+62457,7,2,1,69,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,7736.56115,7645.782314,1,99,15,15,5,2,2,0,0,2,2,63,2,5,1,5
+62458,7,2,1,13,NA,5,6,2,13,162,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,77,77,NA,3,3,0,1,0,1,54,2,3,1,3
+62459,7,2,1,4,NA,3,3,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,76935.850725,86801.923297,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+62460,7,2,1,41,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,109679.354704,1,98,15,15,4.34,4,4,1,1,0,1,41,1,5,1,5
+62461,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,19362.260448,24981.28051,1,96,6,6,1.98,2,2,0,1,0,2,29,1,3,5,NA
+62462,7,2,2,11,NA,3,3,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,79732.314338,79120.693768,1,100,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+62463,7,2,1,7,NA,1,1,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,19774.151841,21259.203461,2,94,5,5,0.65,6,6,0,3,0,1,44,2,1,1,1
+62464,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,22824.336433,1,95,10,7,3.21,5,1,1,2,0,1,32,1,3,6,NA
+62465,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20084.755052,20430.629009,1,99,14,14,4.21,4,4,0,2,0,2,44,1,5,1,5
+62466,7,2,1,4,NA,4,4,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7629.74403,8207.121237,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+62467,7,2,1,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,117075.881463,118577.582598,1,94,5,5,2.15,1,1,0,0,1,1,65,1,5,1,NA
+62468,7,2,2,0,8,2,2,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6787.112205,6644.319314,2,94,5,5,0.89,4,4,2,0,0,2,35,2,4,1,2
+62469,7,2,1,9,NA,4,4,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,13521.226684,2,101,4,4,0.76,4,4,1,1,0,1,28,1,2,1,4
+62470,7,2,1,4,NA,1,1,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12870.245769,12532.871153,1,102,6,6,0.8,7,7,3,3,0,2,34,2,3,1,1
+62471,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,45482.078305,46877.423634,2,96,99,99,NA,4,4,0,1,1,2,51,1,2,1,4
+62472,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,27988.858556,28110.553782,1,97,6,6,2.69,2,1,0,0,0,1,31,1,5,6,NA
+62473,7,2,2,17,NA,4,4,1,17,209,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,6,6,1.9,2,2,0,1,0,2,42,1,5,5,NA
+62474,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,31347.021791,31681.790338,1,98,6,3,1.13,2,1,0,0,2,1,69,1,4,6,NA
+62475,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,36750.682715,37321.834378,2,97,6,1,0.05,2,1,0,0,0,1,22,1,3,6,NA
+62476,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,28680.660607,28606.985896,3,91,6,3,1.29,2,1,0,0,0,1,40,1,3,5,NA
+62477,7,2,1,11,NA,3,3,1,11,139,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21839.599095,22875.076583,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+62478,7,2,1,5,NA,4,4,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8275.349856,8376.287205,2,95,1,1,0.03,2,2,1,0,0,1,24,1,3,5,NA
+62479,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,11608.998717,11632.703325,3,90,10,10,2.41,5,5,1,2,0,1,44,2,4,1,5
+62480,7,2,1,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,110055.244549,1,98,14,14,4.12,4,4,0,2,0,2,36,1,5,1,3
+62481,7,2,2,39,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,4,2,2,2,2,1,2,2,1,2,2,1,27127.983961,27837.333201,2,90,10,10,3.13,4,4,1,2,0,2,39,1,5,4,NA
+62482,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,31552.004994,1,95,10,6,1.34,5,4,1,2,0,1,32,1,3,6,NA
+62483,7,2,1,11,NA,3,3,2,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25604.034863,26336.174292,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+62484,7,2,2,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,27585.470618,26830.521849,2,102,6,6,1.22,5,5,0,2,0,2,42,1,4,1,4
+62485,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,99,1,0.28,2,1,0,0,0,1,21,1,4,5,NA
+62486,7,1,2,14,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,117872.104347,0,2,101,8,8,1.72,5,5,0,3,0,1,37,1,3,1,3
+62487,7,2,1,65,NA,2,2,2,NA,NA,1,1,2,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,10655.434864,11610.446696,1,90,14,14,5,2,2,0,0,2,1,65,2,2,1,3
+62488,7,1,1,9,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,41165.805324,0,2,100,15,15,5,4,4,1,1,0,1,29,1,4,1,4
+62489,7,2,2,1,22,4,4,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7281.670423,7938.059494,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+62490,7,2,1,0,6,3,3,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15379.505002,15960.887694,1,102,14,14,3,6,6,1,2,0,1,44,1,4,1,5
+62491,7,2,2,61,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,2,1,2,1,3,18695.172864,19350.637044,2,102,15,15,5,5,5,1,0,2,1,30,1,4,1,5
+62492,7,2,1,6,NA,5,7,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8227.856305,8510.505183,3,91,10,10,2.48,5,5,2,1,0,2,27,1,2,1,4
+62493,7,2,2,0,7,5,7,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6570.947402,7236.391986,2,102,7,7,2.65,2,2,1,0,0,2,42,1,4,5,NA
+62494,7,2,1,28,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,4,1,NA,1,2,2,1,2,2,2,2,2,2,37970.860743,39407.668593,2,92,15,7,3.67,2,1,0,0,0,1,28,2,4,1,NA
+62495,7,2,1,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,86361.036512,88802.863313,2,93,10,10,3.61,3,3,0,0,2,1,75,1,4,1,4
+62496,7,2,1,4,NA,1,1,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,18754.85406,18780.196288,2,102,5,5,0.89,4,4,2,0,0,1,33,2,9,1,2
+62497,7,2,1,12,NA,3,3,2,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61479.689958,61628.148021,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+62498,7,2,2,13,NA,1,1,1,13,159,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20347.899985,21072.708732,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+62499,7,2,2,1,14,5,7,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9679.976914,10817.322533,1,95,4,4,0.97,3,3,2,0,0,2,22,1,4,5,NA
+62500,7,2,2,52,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,1,96,12,12,NA,2,2,0,0,0,1,46,1,4,1,5
+62501,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,78018.093799,1,101,14,14,3.15,5,5,2,1,0,1,35,1,4,1,5
+62502,7,2,1,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,14739.896059,14808.93904,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+62503,7,2,1,5,NA,3,3,2,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22669.354731,25576.419472,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+62504,7,2,2,30,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,1,6,2,2,2,2,2,2,2,2,2,1,2,38161.026403,37131.361742,1,100,3,3,0.39,5,5,1,2,0,1,32,2,1,6,NA
+62505,7,2,2,3,NA,1,1,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13196.707564,13241.769839,2,96,77,77,NA,7,7,3,2,0,2,33,2,2,6,NA
+62506,7,2,2,46,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,29105.053716,30161.539189,2,93,4,4,0.84,3,3,0,1,0,2,46,2,3,1,2
+62507,7,2,2,17,NA,1,1,1,17,207,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18581.167701,19284.858627,2,96,3,3,0.24,7,7,2,3,1,2,40,1,3,3,NA
+62508,7,2,1,3,NA,3,3,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58332.578536,68350.303275,1,91,15,15,5,3,3,1,0,0,1,36,1,4,1,5
+62509,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,30131.691064,30623.993423,2,95,6,6,1.36,3,3,0,0,2,2,60,1,5,1,4
+62510,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,62763.524469,78020.806152,1,92,7,7,2.64,2,2,0,0,2,1,80,1,3,1,3
+62511,7,2,1,9,NA,3,3,2,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25019.74954,25881.463934,1,101,3,3,0.44,5,5,0,3,0,1,35,1,3,1,4
+62512,7,2,1,39,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17605.619977,18470.699991,3,91,15,15,5,4,4,1,1,0,1,39,2,5,1,5
+62513,7,2,2,46,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,29470.67209,35523.062266,1,90,5,5,1,4,4,0,2,0,1,40,2,2,1,1
+62514,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19633.637051,20188.770976,2,95,6,6,1.19,4,4,0,1,0,1,44,1,3,1,2
+62515,7,2,2,42,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,5,2,2,2,2,2,2,2,2,2,2,2,31235.666551,33485.036978,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+62516,7,2,1,10,NA,2,2,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18107.947773,18538.358733,1,97,14,14,3.25,4,4,0,2,0,1,45,1,3,6,NA
+62517,7,2,1,80,NA,3,3,2,NA,NA,2,NA,2,1,8,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,11483.380372,15883.29652,1,90,77,77,NA,2,2,0,0,2,1,80,2,1,1,1
+62518,7,1,1,47,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16651.742047,0,1,100,15,15,5,3,3,0,0,0,1,47,2,5,1,5
+62519,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,17801.655316,19397.911862,2,95,7,2,0.72,3,1,0,0,0,2,56,1,3,2,NA
+62520,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11017.136221,10826.673882,1,91,3,3,0.89,2,2,1,0,0,2,23,1,3,3,NA
+62521,7,2,2,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,178239.535384,176744.998212,1,102,14,14,5,2,2,0,0,1,2,59,1,5,3,NA
+62522,7,2,1,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,24930.322327,25494.618871,2,94,9,9,5,1,1,0,0,0,1,54,1,4,3,NA
+62523,7,2,1,33,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23872.904125,23622.849234,1,91,6,6,0.99,5,5,3,0,0,2,33,2,3,1,4
+62524,7,2,1,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,91704.59836,93129.802737,1,93,15,7,3.67,6,1,0,0,0,1,23,1,5,5,NA
+62525,7,2,1,15,NA,5,6,2,15,189,NA,NA,2,2,3,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10725.405063,11099.246363,2,94,3,3,0.68,3,2,0,1,0,2,45,2,4,3,NA
+62526,7,2,2,62,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,8811.978874,9348.531299,3,90,12,12,NA,3,3,0,0,1,2,62,2,3,1,5
+62527,7,2,1,79,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,NA,9541.516696,10104.465045,1,100,77,77,NA,1,1,0,0,1,1,79,1,2,5,NA
+62528,7,2,1,40,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,6,NA,2,2,2,2,2,2,2,2,1,NA,25035.846455,24668.484001,2,99,99,99,NA,5,3,0,1,0,1,40,2,1,6,NA
+62529,7,2,1,59,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15760.921402,16568.510632,3,90,12,12,NA,3,3,0,0,0,1,59,2,4,1,4
+62530,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,141316.739364,156265.607046,2,94,5,5,0.89,4,4,0,2,0,2,51,1,2,3,NA
+62531,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,20149.292081,21423.504707,2,99,2,2,0.4,2,2,0,0,0,2,52,1,3,1,3
+62532,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,77,NA,1,2,2,1,2,2,1,2,2,1,11523.037911,11989.050618,2,97,13,13,NA,1,1,0,0,1,2,64,1,3,77,NA
+62533,7,2,2,1,17,1,1,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10089.038145,2,94,8,8,2.7,3,3,1,0,0,2,23,2,4,1,3
+62534,7,2,1,13,NA,5,7,1,13,159,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11068.745625,11332.552011,1,103,3,3,0.37,5,5,1,2,0,2,30,1,4,5,NA
+62535,7,2,2,5,NA,3,3,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,69665.012606,74034.381659,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+62536,7,2,1,46,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,14238.597316,14347.374047,2,92,15,9,5,2,1,0,0,0,1,40,NA,NA,77,NA
+62537,7,2,2,10,NA,3,3,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15442.305642,15459.941839,2,94,7,7,1.62,5,5,0,3,0,1,30,1,2,1,9
+62538,7,2,2,1,16,4,4,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6802.424856,6978.006983,2,99,15,15,5,4,4,2,0,0,1,34,1,5,1,5
+62539,7,2,1,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11218.730451,2,101,2,2,0.92,1,1,0,0,1,1,60,1,2,2,NA
+62540,7,2,2,0,3,3,3,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22478.08837,21867.533571,3,91,10,10,3,4,4,2,0,0,1,32,1,4,1,5
+62541,7,2,2,13,NA,3,3,1,13,163,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,68399.970058,69290.143431,1,102,14,14,4.05,3,3,0,2,0,2,34,1,4,3,NA
+62542,7,2,2,11,NA,2,2,1,11,137,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14414.529053,14932.182215,2,96,2,2,0.27,6,6,1,3,0,1,34,NA,NA,1,NA
+62543,7,2,2,1,12,2,2,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11981.824297,12142.965635,2,91,2,2,0.26,4,4,1,1,0,2,42,2,4,3,NA
+62544,7,2,1,42,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19320.837782,1,99,14,14,4.86,3,3,0,1,0,1,42,1,5,1,5
+62545,7,2,1,8,NA,2,2,2,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15673.230419,15680.173615,1,97,15,15,4.52,6,6,0,4,0,2,41,1,5,1,5
+62546,7,2,1,64,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,13473.930124,13736.530204,1,92,6,6,2.69,1,1,0,0,1,1,64,1,4,2,NA
+62547,7,2,1,9,NA,1,1,2,9,113,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13484.595524,13562.00827,1,97,3,3,0.5,5,5,0,2,0,1,56,2,2,6,NA
+62548,7,2,1,57,NA,2,2,1,NA,NA,1,2,2,1,8,NA,3,5,NA,1,2,2,1,2,2,2,2,2,1,25422.415762,25922.20279,2,100,7,7,2.64,2,2,0,0,1,1,57,2,3,5,NA
+62549,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,10579.097347,10866.833801,2,92,8,8,2.01,4,4,0,0,0,1,53,2,3,1,3
+62550,7,2,2,9,NA,5,7,1,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8292.876947,8466.609309,1,102,15,15,5,4,4,0,2,0,2,40,2,5,1,4
+62551,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,86578.861495,89840.962333,2,101,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+62552,7,2,2,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,139800.409559,140918.856987,1,100,15,15,4.07,5,5,0,2,0,2,41,1,5,1,4
+62553,7,2,1,8,NA,5,6,2,8,100,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,4945.578914,5359.127104,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+62554,7,2,2,15,NA,5,6,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12546.119668,12876.82216,2,102,14,14,4.86,3,3,0,1,0,1,55,NA,NA,1,5
+62555,7,2,1,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,23471.353577,23548.945779,1,100,7,7,1.83,3,3,0,1,0,2,40,1,4,6,NA
+62556,7,2,2,31,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,17978.142628,18308.053591,1,91,10,10,3.78,3,3,1,0,0,1,35,2,5,1,5
+62557,7,2,1,10,NA,1,1,2,10,122,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,10591.186197,11647.778431,1,90,4,4,0.46,7,7,2,3,0,2,34,2,1,6,NA
+62558,7,2,2,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,20084.755052,20500.648257,1,99,14,14,3.67,4,4,1,0,0,2,49,1,3,1,3
+62559,7,2,2,9,NA,1,1,2,9,109,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,2,2,2,1,18668.602894,22428.786321,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+62560,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12435.659176,12095.32474,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+62561,7,2,2,10,NA,3,3,1,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,50248.753555,51858.292831,2,100,8,8,2.91,3,3,0,2,0,2,48,1,5,1,NA
+62562,7,2,1,4,NA,1,1,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17865.135763,18076.339981,3,92,1,1,0,5,5,3,0,0,1,26,1,2,1,2
+62563,7,2,2,72,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,7,77,NA,1,2,2,1,2,2,1,2,2,NA,13638.730054,13839.452317,1,99,12,12,NA,1,1,0,0,1,2,72,1,7,77,NA
+62564,7,2,2,13,NA,4,4,2,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,11743.959438,2,95,1,1,0.17,2,2,0,1,0,2,49,1,3,99,NA
+62565,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15533.829525,2,101,7,5,1.84,2,1,0,0,0,1,27,2,5,5,NA
+62566,7,2,2,2,NA,4,4,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7734.994032,8078.467013,2,95,1,1,0.18,4,4,2,1,0,2,38,1,2,5,NA
+62567,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,22991.276372,25575.167764,1,99,99,99,NA,1,1,0,0,1,2,80,1,1,3,NA
+62568,7,2,2,1,13,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10867.770426,11631.363355,1,100,4,4,0.56,5,5,2,0,0,2,25,2,2,1,2
+62569,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,45973.010529,51521.910389,1,94,8,8,3.47,2,2,0,0,1,2,80,1,1,2,NA
+62570,7,2,1,6,NA,4,4,2,6,72,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8655.162127,8675.53524,2,101,2,2,0.22,4,4,1,1,0,2,41,1,2,4,NA
+62571,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,85420.170155,86011.35365,1,91,14,14,3.06,5,5,2,0,0,2,30,1,5,1,5
+62572,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,47566.45715,54102.989916,1,90,7,7,3.22,1,1,0,0,1,2,80,1,5,3,NA
+62573,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,30442.30641,30472.199404,1,95,6,3,1.1,2,1,0,0,0,2,48,1,4,3,NA
+62574,7,2,2,13,NA,3,3,2,13,166,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,132630.209478,136814.3405,1,97,9,9,2.88,3,3,0,1,0,2,33,1,3,5,NA
+62575,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,129336.409693,130993.13082,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+62576,7,2,1,66,NA,1,1,1,NA,NA,2,NA,2,1,77,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,14488.953694,14771.336069,3,92,9,9,2.22,5,5,1,0,2,1,66,2,1,1,1
+62577,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,72551.269339,73326.076054,1,92,6,6,2.04,2,2,0,0,2,2,71,1,4,1,1
+62578,7,2,2,6,NA,3,3,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,101,7,7,1.55,5,5,1,2,0,2,31,1,4,1,2
+62579,7,2,1,78,NA,1,1,1,NA,NA,1,2,2,1,9,NA,4,1,NA,2,2,2,1,2,2,1,2,2,NA,12782.642018,13005.47245,2,96,5,5,1.08,3,3,0,0,2,1,53,2,4,3,NA
+62580,7,2,2,14,NA,3,3,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38400.791741,38900.548719,1,92,4,4,0.5,6,6,0,3,0,2,41,1,4,1,NA
+62581,7,2,2,10,NA,3,3,1,10,128,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,53370.126656,53491.559571,2,98,15,15,5,3,3,0,1,0,1,48,1,4,1,5
+62582,7,1,2,10,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23170.920553,0,1,94,4,4,1.26,2,2,0,1,0,1,40,1,4,3,NA
+62583,7,2,2,17,NA,3,3,1,17,212,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,93740.540203,99321.165816,1,100,8,8,1.95,4,4,0,2,1,2,49,1,5,6,NA
+62584,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,29738.952706,31253.462984,2,94,8,8,3.4,2,2,0,0,0,1,22,1,3,5,NA
+62585,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,14859.685983,15314.825218,1,95,3,3,0.98,1,1,0,0,1,2,80,1,3,2,NA
+62586,7,2,1,70,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,68266.732554,71967.824097,1,95,5,5,2.02,1,1,0,0,1,1,70,1,3,5,NA
+62587,7,2,1,73,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,NA,15565.766387,16476.020536,1,101,3,3,1.07,2,1,0,0,1,1,73,1,4,6,NA
+62588,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,137038.746155,146293.19093,2,101,3,1,0.18,2,1,0,0,0,1,21,1,4,5,NA
+62589,7,2,2,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,61388.874846,64435.558603,1,90,7,7,1.89,3,3,0,0,1,2,75,1,4,3,NA
+62590,7,2,1,11,NA,4,4,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8483.005475,8584.70346,1,96,7,7,1.69,4,4,0,1,0,2,19,2,4,NA,NA
+62591,7,2,1,10,NA,3,3,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,54897.892683,57357.850008,2,98,14,14,3.58,4,4,0,2,0,1,36,1,3,1,4
+62592,7,2,1,0,5,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9665.908305,9498.805759,1,95,5,5,1.08,3,3,1,0,0,2,22,1,3,6,NA
+62593,7,2,2,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,64463.340883,65151.773075,1,91,7,7,2.92,2,2,0,0,1,2,47,1,5,5,NA
+62594,7,2,1,0,10,4,4,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5707.173345,5961.496632,1,90,4,4,0.67,5,5,3,0,0,2,32,2,3,3,NA
+62595,7,2,2,28,NA,5,7,1,NA,NA,2,NA,2,1,5,NA,4,1,3,1,2,2,1,2,2,1,2,2,1,13851.686232,14954.517784,3,91,14,14,4.32,3,3,1,0,0,1,31,2,3,1,4
+62596,7,2,2,52,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11428.6913,11489.125563,1,103,5,5,0.65,6,6,0,0,1,2,26,2,4,5,NA
+62597,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,12170.020379,2,97,6,6,1,6,6,1,2,2,2,60,1,2,2,NA
+62598,7,2,1,18,NA,4,4,1,18,223,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11666.009872,12200.765691,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+62599,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17521.481386,17644.217766,2,97,5,5,0.76,5,5,0,0,0,2,50,1,4,5,NA
+62600,7,2,1,10,NA,2,2,1,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10738.959181,10632.988891,2,93,14,14,3.25,4,4,0,2,0,2,46,2,5,1,4
+62601,7,2,1,65,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,9636.209947,9711.587411,2,97,14,14,5,2,2,0,0,1,2,52,1,5,1,3
+62602,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,60071.993203,65791.533402,1,95,8,8,4.59,1,1,0,0,1,2,80,1,4,2,NA
+62603,7,2,2,38,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,39561.667842,42653.886229,2,98,6,6,1.25,4,4,1,0,1,1,46,1,2,6,NA
+62604,7,2,2,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,69886.968852,80170.534309,1,102,4,4,1.42,1,1,0,0,1,2,73,1,3,5,NA
+62605,7,1,1,1,22,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7025.964374,0,2,91,4,4,0.65,5,5,1,3,0,1,43,2,3,5,NA
+62606,7,2,1,2,NA,4,4,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5930.749873,6003.089312,2,93,6,6,1.98,2,2,1,0,0,2,51,1,2,3,NA
+62607,7,2,1,4,NA,4,4,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,11070.778245,1,100,1,1,0.04,4,4,1,1,0,2,51,1,3,3,NA
+62608,7,1,2,67,NA,2,2,NA,NA,NA,2,NA,2,1,NA,NA,2,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,7278.790659,0,2,93,NA,NA,NA,2,2,0,0,2,1,68,NA,NA,1,2
+62609,7,2,1,9,NA,3,3,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,NA,2,1,2,2,1,2,2,1,25604.034863,26336.174292,1,95,5,5,0.92,5,5,1,2,0,2,30,1,4,1,4
+62610,7,2,2,12,NA,2,2,1,12,146,NA,NA,2,2,1,4,NA,NA,NA,2,1,2,2,2,2,2,2,1,2,18006.855255,21837.57166,1,100,3,3,0.39,5,5,1,2,0,1,32,2,1,6,NA
+62611,7,2,1,45,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,11725.7448,11815.324423,2,95,3,3,1.16,1,1,0,0,0,1,45,2,2,4,NA
+62612,7,2,2,38,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21619.283038,22049.338941,2,102,9,9,2.68,4,4,1,1,0,2,38,2,5,1,2
+62613,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,28394.357741,26997.683446,1,100,3,3,0.66,2,2,0,1,0,2,29,1,4,1,NA
+62614,7,2,1,12,NA,3,3,2,12,154,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58479.782556,60361.370686,1,99,15,15,4.47,4,4,0,2,0,2,43,1,5,1,5
+62615,7,2,2,0,11,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3774.069255,3925.050204,2,99,5,5,0.78,5,5,2,2,0,2,30,1,3,5,NA
+62616,7,2,2,37,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,1,1,2,1,2,1,1,2,2,1,2,1,NA,15542.93857,16609.63545,3,91,4,4,0.69,5,5,0,2,0,1,45,2,4,1,1
+62617,7,2,1,8,NA,5,7,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8439.403196,8726.876152,2,103,6,6,1.11,5,5,1,2,0,2,36,1,4,5,NA
+62618,7,2,1,10,NA,5,7,2,10,129,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7923.925927,8546.646915,1,91,15,15,5,5,5,0,3,0,1,40,1,5,1,5
+62619,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,24023.719783,25884.561742,2,96,7,7,3.21,2,1,0,0,1,1,80,1,5,5,NA
+62620,7,2,2,7,NA,2,2,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18660.103977,19985.967776,2,91,6,6,0.93,5,5,1,2,0,1,34,1,2,1,3
+62621,7,2,1,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,23242.990557,23753.836506,1,100,8,8,1.95,4,4,0,2,0,2,42,1,4,1,4
+62622,7,2,2,15,NA,5,6,2,16,192,NA,NA,2,1,4,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10963.340882,11440.408955,2,91,15,15,5,4,4,0,2,1,2,56,1,5,1,5
+62623,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,39653.38014,40869.906755,2,95,6,6,1.57,3,3,0,0,2,1,80,1,2,1,4
+62624,7,2,2,40,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,18255.735511,19354.37213,2,91,14,14,3.47,4,4,1,1,0,2,40,2,5,1,NA
+62625,7,2,2,60,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15207.312407,15896.113669,1,92,15,15,5,3,3,0,0,1,1,57,1,3,1,4
+62626,7,2,1,13,NA,1,1,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,17314.330266,19031.527568,1,90,4,4,0.46,7,7,2,3,0,2,34,2,1,6,NA
+62627,7,2,2,2,NA,1,1,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10379.318342,2,94,9,9,2.29,5,5,2,1,0,2,33,2,3,1,1
+62628,7,2,2,1,19,3,3,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16717.071084,17765.560854,2,94,8,8,1.6,6,6,3,1,0,2,32,1,4,1,4
+62629,7,2,1,11,NA,5,6,2,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6262.834446,6755.01452,3,90,12,12,NA,5,5,1,2,0,1,37,2,5,1,5
+62630,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,149153.684635,157450.342804,1,101,3,3,1.25,1,1,0,0,1,2,68,1,2,2,NA
+62631,7,2,2,37,NA,3,3,2,NA,NA,2,NA,2,1,4,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,79987.938327,1,101,6,6,1.28,4,4,2,0,0,1,44,1,4,1,4
+62632,7,2,1,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,14424.961621,14817.68753,2,102,5,5,1.08,3,3,0,1,0,2,46,2,1,5,NA
+62633,7,2,2,61,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12176.672371,12646.648452,2,92,15,15,5,2,2,0,0,2,1,61,1,5,1,5
+62634,7,2,1,68,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,114174.703171,113009.251918,2,97,8,8,3.06,2,2,0,0,2,1,68,1,2,1,4
+62635,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,1,2,1,2,1,1,2,2,NA,NA,NA,NA,13851.686232,14678.247845,3,91,5,5,1.08,3,3,1,0,0,1,29,2,5,1,5
+62636,7,2,1,17,NA,4,4,1,17,215,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12147.046136,12703.852077,2,100,4,4,0.86,3,3,0,2,0,2,36,1,3,5,NA
+62637,7,2,2,3,NA,4,4,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13130.790087,13857.266639,2,102,15,15,4.2,5,5,1,2,0,2,29,NA,NA,1,NA
+62638,7,2,2,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,13050.526646,2,101,13,3,0.64,5,4,0,3,1,2,62,1,1,2,NA
+62639,7,2,2,26,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,6,2,2,2,2,1,2,2,2,2,2,2,43708.837271,43518.466069,1,96,9,9,3.97,2,2,0,0,0,1,28,2,2,6,NA
+62640,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,26546.087356,29693.438127,1,102,6,6,1.12,4,4,2,0,0,2,31,1,3,6,NA
+62641,7,2,1,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10276.786905,10602.092524,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+62642,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23607.684366,1,95,1,1,0.11,1,1,0,0,0,1,30,1,3,5,NA
+62643,7,2,2,2,24,4,4,2,2,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5687.793894,6161.690011,2,90,99,99,NA,5,5,1,0,0,1,20,1,3,5,NA
+62644,7,2,1,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,11761.359913,11893.852645,1,95,5,5,1.79,1,1,0,0,1,1,61,1,4,2,NA
+62645,7,2,2,12,NA,5,6,1,12,153,NA,NA,2,2,2,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6391.016092,6494.382638,1,100,99,99,NA,6,6,0,1,0,1,53,2,2,1,3
+62646,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,17164.211773,16694.46809,2,99,8,8,3.57,2,2,0,0,1,1,67,1,2,1,2
+62647,7,2,1,0,0,2,2,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8143.831412,8143.981517,2,102,5,5,0.89,4,4,2,0,0,1,45,1,3,1,4
+62648,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,2,NA,1,2,1,1,2,2,1,2,1,NA,19516.411172,20124.53654,2,102,10,10,4.76,2,2,0,0,1,2,49,2,5,5,NA
+62649,7,2,1,76,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,9334.084938,9516.918553,2,96,8,8,2.59,3,3,0,0,2,1,76,1,3,1,4
+62650,7,2,1,71,NA,4,4,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,7110.382011,7529.893703,2,93,6,6,1.85,2,2,0,0,2,1,71,2,1,1,2
+62651,7,2,1,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,152467.08796,155918.172532,1,94,6,6,2.69,1,1,0,0,0,1,55,1,3,3,NA
+62652,7,2,1,46,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,34205.013302,40575.476948,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+62653,7,1,1,49,NA,5,6,NA,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,13323.689579,0,2,92,6,6,1.3,4,4,0,1,0,2,48,2,3,1,3
+62654,7,1,1,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30553.632981,0,1,98,5,2,0.42,4,3,2,0,0,1,24,1,3,6,NA
+62655,7,2,1,1,23,4,4,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5930.749873,6003.089312,2,93,9,9,2.6,4,4,1,1,0,1,37,1,4,1,4
+62656,7,2,2,0,9,1,1,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6787.112205,6969.467907,2,94,4,4,0.73,5,5,2,1,0,1,35,2,1,6,NA
+62657,7,2,2,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11401.934012,11887.743086,1,95,13,13,NA,5,5,1,2,0,2,34,2,1,1,1
+62658,7,2,1,68,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,28559.076421,28710.827523,1,92,6,6,2.3,1,1,0,0,1,1,68,1,3,3,NA
+62659,7,2,1,18,NA,5,6,1,18,219,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,5526.901806,5811.556543,2,103,7,7,1.65,4,4,0,1,1,2,55,2,3,1,NA
+62660,7,2,2,7,NA,5,6,1,7,88,NA,NA,2,1,2,1,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,7932.110938,8947.143287,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+62661,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,84910.063417,90031.493834,2,96,14,7,3.67,3,1,0,0,0,1,30,2,5,5,NA
+62662,7,2,2,11,NA,1,1,1,11,138,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16664.698857,2,98,7,7,1.97,4,4,0,1,0,1,40,1,3,1,3
+62663,7,1,2,3,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12984.581505,0,2,93,15,15,5,4,4,2,0,0,1,34,1,5,1,5
+62664,7,2,1,64,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,25436.904729,25763.177128,1,94,8,8,3.3,2,2,0,0,2,1,64,1,5,1,3
+62665,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,13504.560081,14155.716256,1,102,7,7,1.8,5,4,1,0,2,1,47,1,3,5,NA
+62666,7,2,1,3,NA,5,6,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8838.066777,9670.229845,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+62667,7,2,1,6,NA,3,3,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53915.042746,57006.573447,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+62668,7,2,1,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,25120.174741,24762.106831,2,102,6,6,1.22,5,5,0,2,0,2,42,1,4,1,4
+62669,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,22249.799905,2,97,6,6,1.35,3,3,0,0,0,2,54,1,3,6,NA
+62670,7,2,1,13,NA,3,3,2,14,169,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,107087.58296,107224.801212,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+62671,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,7973.883342,8036.257566,1,100,77,77,NA,1,1,0,0,1,1,69,1,4,3,NA
+62672,7,2,2,13,NA,4,4,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11078.202838,10933.134393,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+62673,7,2,1,34,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,34959.343013,34695.493801,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+62674,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,NA,28989.076324,29596.20575,1,93,6,6,1.16,4,4,2,0,0,2,33,1,5,1,4
+62675,7,2,1,0,9,3,3,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16921.794985,16629.253929,1,99,15,15,5,4,4,1,1,0,2,27,1,5,1,5
+62676,7,2,2,17,NA,3,3,2,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,111142.989658,114235.009147,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+62677,7,2,2,30,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,56677.205755,57971.218225,2,102,10,10,4.76,2,2,0,0,0,1,27,1,4,1,4
+62678,7,2,1,68,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,1,2,2,2,2,9235.951997,9462.879133,2,103,5,5,1.79,2,1,0,0,2,1,68,2,1,1,NA
+62679,7,2,2,7,NA,1,1,1,7,90,NA,NA,2,2,2,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15897.166957,16345.216522,2,102,6,3,0.54,6,4,0,4,0,2,43,2,1,5,NA
+62680,7,2,1,68,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7581.139559,8116.967146,3,90,14,14,4.96,2,2,0,0,2,1,68,1,3,1,5
+62681,7,2,2,5,NA,1,1,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15457.736897,15510.51982,2,98,3,3,0.33,7,7,2,3,0,1,40,2,1,1,1
+62682,7,2,2,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,44636.780791,48652.73082,2,91,3,3,0.86,2,2,0,0,1,2,62,1,3,2,NA
+62683,7,2,2,55,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16829.599526,17568.396647,1,90,99,99,NA,3,3,0,1,1,1,60,1,5,1,5
+62684,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,82612.6713,83351.284903,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+62685,7,2,1,36,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,5,NA,1,2,1,1,2,1,1,2,1,1,12869.386353,13443.315161,2,92,7,7,1.89,3,3,0,0,1,1,36,2,3,5,NA
+62686,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,38007.846215,47247.232001,1,94,7,7,2.31,2,2,0,0,1,2,80,1,3,2,NA
+62687,7,2,1,10,NA,4,4,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8483.005475,8584.70346,1,96,8,8,2,4,4,1,2,0,2,40,1,4,5,NA
+62688,7,2,1,24,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,10141.381563,13212.383706,3,90,6,6,1.98,2,2,0,0,0,2,47,2,5,2,NA
+62689,7,2,1,44,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,116464.874823,116611.129855,2,94,15,15,5,5,5,0,3,0,1,44,1,5,1,4
+62690,7,2,2,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,17568.277926,19062.73336,1,90,99,99,NA,2,2,0,1,0,2,26,1,4,5,NA
+62691,7,2,1,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,19387.603198,2,100,7,7,1.79,4,4,0,1,0,2,51,1,3,3,NA
+62692,7,1,2,50,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17521.481386,0,2,97,7,7,3.49,1,1,0,0,0,2,50,1,4,5,NA
+62693,7,2,2,69,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,9570.416297,10279.373686,2,98,5,5,2.2,1,1,0,0,1,2,69,1,2,2,NA
+62694,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,21219.562726,22239.20882,2,91,3,3,0.86,2,2,0,0,1,2,62,1,3,2,NA
+62695,7,2,2,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,2,1,2,2,1,2,2,1,2,2,1,19130.246369,19734.446951,2,101,2,2,0.22,4,4,1,1,0,2,41,1,2,4,NA
+62696,7,2,1,13,NA,4,4,2,13,159,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,12116.15399,2,95,6,6,1.3,4,4,1,1,0,1,38,1,4,1,4
+62697,7,2,1,9,NA,2,2,2,9,119,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12477.812875,12553.43469,2,94,6,6,1.43,5,4,2,1,0,2,23,2,3,6,NA
+62698,7,1,1,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,38666.703155,0,2,94,77,77,NA,2,2,0,0,2,2,80,1,5,1,5
+62699,7,2,1,1,23,4,4,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4912.962876,5115.96715,2,90,8,8,1.67,6,6,2,2,0,2,35,2,5,3,NA
+62700,7,2,1,9,NA,4,4,1,9,119,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9022.8939,9530.778148,2,100,3,3,0.31,7,7,3,2,0,2,28,1,3,1,3
+62701,7,2,2,29,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,30253.427014,31766.413225,2,90,8,8,2.24,4,4,1,1,0,2,29,1,4,6,NA
+62702,7,1,2,12,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,55,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,20322.312754,0,2,91,6,6,1.3,4,4,1,1,0,2,27,1,4,6,NA
+62703,7,2,2,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7785.57328,8700.336584,1,96,8,8,2.17,4,4,1,1,0,2,41,1,3,1,3
+62704,7,2,1,80,NA,5,7,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,9071.406562,10878.533019,1,94,5,5,1.59,2,2,0,0,2,2,73,1,3,1,3
+62705,7,2,2,30,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,35353.005268,34399.106917,2,91,15,15,5,2,2,0,0,0,2,30,1,4,1,4
+62706,7,2,2,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,42150.923371,53077.558906,1,97,9,9,3.7,2,2,0,0,0,1,25,NA,NA,5,NA
+62707,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,25511.973394,26011.568993,1,98,6,6,0.97,7,7,1,2,0,1,49,1,2,1,2
+62708,7,2,1,52,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,13567.923118,14187.110343,3,91,6,6,1.34,4,4,0,2,0,1,52,2,3,1,1
+62709,7,2,2,10,NA,3,3,2,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,25563.654853,1,95,6,6,1.09,5,5,0,3,0,1,31,1,4,1,4
+62710,7,2,1,41,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,36225.654087,36329.951191,2,93,5,5,0.87,4,4,1,1,0,1,41,2,5,1,3
+62711,7,2,1,1,21,3,3,2,NA,23,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18848.609643,22085.568952,1,91,6,6,2.04,2,2,1,0,0,2,31,1,5,4,NA
+62712,7,2,2,4,NA,2,2,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16087.525226,17761.059567,2,91,4,4,0.69,4,4,2,0,0,2,21,1,3,6,NA
+62713,7,2,1,15,NA,3,3,2,15,183,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17395.533107,17264.495057,1,99,13,13,NA,4,4,0,2,0,1,55,NA,NA,1,4
+62714,7,2,1,75,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,1,1,NA,2,2,2,2,2,2,1,2,2,NA,14200.083364,15006.095575,3,92,3,3,0.68,2,2,0,0,2,1,75,1,1,1,1
+62715,7,2,1,10,NA,3,3,2,11,132,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,47596.305609,49235.587472,1,99,15,15,3.82,5,5,0,3,0,1,57,1,5,1,5
+62716,7,2,2,42,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,11762.034222,12708.069605,3,90,12,12,NA,5,5,1,2,0,1,37,2,5,1,5
+62717,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,32252.129527,31981.695662,1,99,6,4,1.38,2,1,0,0,0,2,50,1,3,6,NA
+62718,7,2,1,63,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,6038.685119,6085.921613,1,96,6,6,2.51,1,1,0,0,1,1,63,1,4,5,NA
+62719,7,2,1,74,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,4,NA,2,2,2,1,2,2,2,2,2,NA,14646.929358,15478.305035,1,96,15,8,4.66,2,1,0,0,2,2,68,2,1,3,NA
+62720,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,151766.599459,151581.541662,3,91,15,15,5,2,2,0,0,0,2,57,1,5,1,5
+62721,7,2,2,2,NA,3,3,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,33127.913744,33563.225688,1,99,15,15,5,4,4,2,0,0,1,33,1,5,1,5
+62722,7,2,1,1,20,1,1,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,6,6,1.21,4,4,1,0,0,2,49,2,2,6,NA
+62723,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,95214.22557,102645.939709,1,97,15,15,5,3,3,1,0,0,2,31,1,5,1,5
+62724,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,187291.098551,189225.431861,2,91,15,15,5,2,2,0,0,1,2,57,1,5,1,5
+62725,7,2,2,3,NA,5,6,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,2,NA,NA,NA,NA,5060.292252,5371.954509,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+62726,7,1,2,1,18,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39493.444219,0,2,103,15,15,5,4,4,2,0,0,1,36,2,4,1,5
+62727,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,43807.995099,48928.4376,1,95,6,6,1.65,2,2,0,0,2,2,80,1,4,1,4
+62728,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,32569.109434,37398.26507,1,96,77,77,NA,1,1,0,0,0,2,32,1,5,5,NA
+62729,7,2,2,1,14,2,2,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6962.449638,7451.646327,3,90,12,12,NA,5,5,1,1,0,1,35,2,5,3,NA
+62730,7,2,1,0,3,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7493.544598,7825.810309,1,98,6,6,0.97,7,7,1,2,0,1,49,1,2,1,2
+62731,7,2,1,19,NA,1,1,2,19,238,2,NA,2,2,2,12,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,21718.29328,21806.698186,2,94,NA,13,NA,3,2,0,0,0,1,44,2,2,6,NA
+62732,7,2,2,71,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,2,2,2,2,2,2,NA,18067.031882,19590.328656,2,94,2,2,0.56,2,2,0,0,2,2,71,2,2,1,1
+62733,7,1,1,5,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8253.750998,0,1,90,15,15,5,4,4,2,0,0,1,36,1,5,1,5
+62734,7,2,1,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18783.626894,19376.125899,2,99,2,2,0.53,2,2,0,0,1,2,69,1,4,2,NA
+62735,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,105261.096488,129835.348564,1,97,15,15,5,4,4,1,1,0,2,33,1,5,1,3
+62736,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,17036.134307,17206.306314,2,90,6,6,1.4,3,3,0,1,0,2,40,1,4,5,NA
+62737,7,2,1,58,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,10579.097347,10676.360686,2,92,3,3,0.7,3,3,0,0,0,1,58,2,1,1,1
+62738,7,2,1,6,NA,3,3,1,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20333.209695,22709.426802,1,103,6,6,1.11,5,5,1,1,1,1,29,1,3,1,3
+62739,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,60135.660369,64822.591837,1,90,8,8,2.49,3,3,0,0,2,1,74,1,5,1,2
+62740,7,2,2,19,NA,4,4,2,19,232,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,8,8,2.7,3,3,0,0,1,2,72,1,2,3,NA
+62741,7,2,2,0,3,4,4,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3861.876549,4122.902052,1,96,14,14,2.91,6,6,1,2,1,2,32,1,5,1,4
+62742,7,2,1,70,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,1,2,2,NA,12962.876803,13431.341497,2,90,6,6,1.7,2,2,0,0,2,1,70,2,1,1,4
+62743,7,2,1,0,5,3,3,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7467.727239,7549.772257,3,91,4,4,0.65,5,5,2,2,0,2,27,2,2,3,NA
+62744,7,2,1,37,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,43108.74283,45119.517495,2,91,9,9,2.6,4,4,1,1,0,2,31,2,4,1,5
+62745,7,2,2,71,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,12183.823561,13095.132048,2,100,5,5,1.63,2,2,0,0,2,1,71,NA,NA,1,2
+62746,7,2,2,38,NA,2,2,2,NA,NA,2,NA,2,1,4,NA,4,1,2,2,2,2,2,2,2,NA,NA,NA,NA,26897.674477,26781.441446,2,99,77,77,NA,4,4,1,1,1,2,38,2,4,1,4
+62747,7,2,1,52,NA,4,4,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19064.767778,19872.734197,2,93,14,14,2.78,5,5,0,0,0,1,52,2,4,1,2
+62748,7,2,1,13,NA,2,2,1,13,164,NA,NA,2,2,1,7,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,15674.964193,15512.049412,2,93,9,9,1.49,7,7,0,3,0,2,41,2,5,1,5
+62749,7,2,1,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,22039.963414,22735.178265,1,96,15,15,5,2,2,0,0,0,1,48,1,2,1,3
+62750,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,15890.289377,17041.022437,2,94,3,3,0.68,3,2,0,1,0,2,45,2,4,3,NA
+62751,7,2,1,8,NA,3,3,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21839.599095,22875.076583,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+62752,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,59510.728426,61449.871516,1,99,15,15,5,5,5,3,0,0,2,34,1,5,1,5
+62753,7,2,2,16,NA,4,4,1,16,203,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18421.460617,19740.37466,1,92,6,6,1.3,4,4,0,1,1,1,25,1,1,1,3
+62754,7,2,2,0,7,3,3,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25216.508684,24531.572308,1,101,14,14,3.38,4,4,2,0,0,1,32,1,4,1,5
+62755,7,2,2,19,NA,4,4,2,19,235,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,3,3,0.66,3,3,2,0,0,2,19,1,3,NA,NA
+62756,7,2,1,7,NA,3,3,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25604.034863,28346.339599,1,95,7,7,1.66,5,5,0,3,0,1,34,1,2,1,4
+62757,7,2,1,54,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,105571.343095,105442.613847,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+62758,7,1,2,9,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7722.982971,0,1,93,15,15,5,3,3,0,2,0,2,40,2,5,4,NA
+62759,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,18395.989535,18290.733411,2,93,9,9,2.07,5,5,0,1,0,1,55,NA,NA,5,NA
+62760,7,2,2,10,NA,2,2,2,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9872.244853,10573.701398,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+62761,7,2,1,68,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11992.012141,12562.386395,2,102,6,6,1.97,2,2,0,0,2,2,67,1,3,1,3
+62762,7,2,2,1,13,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12260.86913,13122.344171,3,92,10,10,2.26,6,6,1,3,0,1,34,1,4,1,1
+62763,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,110931.964733,116248.869259,1,94,15,15,5,2,2,0,0,0,1,29,1,4,1,5
+62764,7,2,2,51,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,22969.116046,23881.325913,2,93,1,1,0.36,1,1,0,0,0,2,51,1,3,5,NA
+62765,7,2,2,29,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16844.740449,17564.040518,3,91,7,7,2.45,2,2,0,0,0,2,29,2,5,1,5
+62766,7,2,1,1,22,5,6,2,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5891.941477,6363.138629,1,90,6,6,0.92,6,6,2,0,2,2,30,2,5,1,5
+62767,7,1,2,40,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,NA,NA,NA,NA,NA,NA,NA,29650.79971,0,2,90,NA,NA,NA,1,1,0,0,0,2,40,1,4,5,NA
+62768,7,2,2,38,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,3,4,2,2,2,2,1,2,2,2,2,2,2,42456.72357,41311.151976,1,95,4,4,0.68,5,5,0,1,0,2,38,2,3,4,NA
+62769,7,2,2,13,NA,3,3,2,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74165.041171,76338.869017,2,94,5,5,0.89,4,4,0,2,0,2,51,1,2,3,NA
+62770,7,2,1,1,15,3,3,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51373.484735,55257.405076,3,91,14,14,4.32,3,3,1,0,0,1,28,1,5,1,5
+62771,7,2,1,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,21863.450986,22291.478781,2,99,2,2,0.75,1,1,0,0,0,1,30,1,2,5,NA
+62772,7,2,2,46,NA,1,1,2,NA,NA,2,NA,2,2,1,NA,5,5,NA,2,2,2,1,2,2,2,2,2,2,29995.384937,31080.287607,1,93,15,15,5,3,2,0,1,0,2,46,2,5,5,NA
+62773,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,27693.650341,27908.388498,3,91,1,1,0.19,3,3,0,2,0,2,50,1,4,3,NA
+62774,7,1,1,80,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11524.806252,0,1,94,3,3,0.39,6,6,1,0,2,1,80,1,4,1,3
+62775,7,1,2,69,NA,2,2,NA,NA,NA,2,NA,2,1,6,NA,1,3,NA,2,2,2,2,2,2,NA,NA,NA,NA,13676.984152,0,2,91,6,6,1.36,3,3,0,0,1,2,48,2,1,5,NA
+62776,7,2,1,9,NA,4,4,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10410.106675,10617.081899,2,96,6,6,1.62,3,3,0,2,0,2,31,1,3,5,NA
+62777,7,2,1,28,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18927.052732,18722.519921,2,92,15,5,1.93,4,1,0,0,0,1,28,1,5,5,NA
+62778,7,2,2,4,NA,3,3,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78365.406271,80834.23308,2,91,14,14,4.12,4,4,2,0,0,1,35,1,5,1,5
+62779,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,81291.35274,86533.223356,2,95,12,99,NA,2,1,0,0,0,2,40,1,4,6,NA
+62780,7,2,2,5,NA,3,3,1,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,83950.915901,92655.852423,1,100,15,15,5,4,4,1,1,0,1,40,1,5,1,5
+62781,7,2,2,3,NA,1,1,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10493.785765,10940.90082,1,103,5,5,0.71,6,6,2,2,0,2,31,2,2,1,2
+62782,7,2,2,0,3,5,6,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7997.590655,8653.844084,3,91,15,15,5,4,4,2,0,0,1,36,2,5,1,5
+62783,7,2,2,6,NA,2,2,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,15897.166957,16345.216522,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+62784,7,2,1,31,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,46646.692487,3,92,7,7,1.49,5,5,0,2,1,2,62,1,4,2,NA
+62785,7,2,1,4,NA,4,4,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8005.528865,8827.404644,1,99,14,14,3.8,4,4,1,1,0,1,48,2,5,1,5
+62786,7,2,1,7,NA,1,1,1,8,96,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,16605.106492,16594.063114,1,92,4,4,0.74,4,4,1,1,0,1,42,2,3,1,4
+62787,7,2,2,21,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,11739.283384,12800.154398,1,96,15,15,5,5,5,0,0,0,1,58,2,5,1,5
+62788,7,2,1,35,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,6,NA,2,2,2,1,2,2,2,2,2,2,34887.439952,36924.956604,2,94,4,4,0.73,5,5,2,1,0,1,35,2,1,6,NA
+62789,7,2,2,26,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,16929.836231,18556.498474,2,101,6,5,2.2,2,1,0,0,0,2,26,2,4,6,NA
+62790,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7631.175557,7797.231767,1,93,1,1,0.02,5,5,0,4,0,2,36,NA,NA,5,NA
+62791,7,2,1,14,NA,3,3,1,14,173,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24231.355333,25219.610889,2,100,5,5,1.3,3,3,0,1,0,2,46,1,3,2,NA
+62792,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,23128.736624,26524.976891,1,98,3,3,1.09,1,1,0,0,0,2,52,1,4,3,NA
+62793,7,2,1,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,87347.444626,90661.31559,1,95,15,15,5,2,2,0,0,2,1,72,1,3,1,4
+62794,7,2,2,45,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,19757.142379,19558.756904,1,96,8,8,2.17,4,4,0,2,0,2,45,2,5,4,NA
+62795,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,35522.958395,36075.029683,1,102,13,13,NA,2,1,0,0,0,1,22,1,4,5,NA
+62796,7,2,2,17,NA,5,6,2,17,211,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,6937.463063,7785.963668,3,90,NA,NA,NA,4,4,0,1,0,1,56,NA,NA,1,NA
+62797,7,2,2,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16929.836231,20416.10433,2,101,7,5,1.84,2,1,0,0,0,2,21,NA,NA,5,NA
+62798,7,2,1,50,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,2,2,2,2,27240.276328,27670.554468,1,90,6,6,1.57,3,3,0,0,0,1,50,2,2,1,2
+62799,7,2,2,0,2,4,4,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3800.155777,4057.009552,2,93,3,3,0.36,6,6,1,1,2,2,69,2,3,1,3
+62800,7,2,2,15,NA,3,3,2,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,103298.858809,106172.653059,1,95,9,9,2.66,4,4,0,2,0,1,45,1,3,1,3
+62801,7,2,2,19,NA,3,3,2,19,229,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,23572.289725,23898.02545,2,95,3,3,0.63,3,3,0,0,0,2,44,1,2,4,NA
+62802,7,2,1,6,NA,3,3,1,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64054.596883,66498.597232,1,92,6,6,1.57,3,3,0,1,0,1,29,1,4,6,NA
+62803,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,71525.773464,1,98,14,14,3.15,5,5,0,3,0,1,34,1,4,1,4
+62804,7,2,1,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,97936.972803,98855.488943,2,95,14,14,5,2,2,0,0,2,2,66,1,5,1,5
+62805,7,2,2,41,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,17059.906216,21044.744151,3,90,9,9,4.1,2,2,0,1,0,2,41,2,5,5,NA
+62806,7,2,1,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,23775.734331,24513.29876,2,96,4,2,0.76,2,1,0,0,0,1,53,1,2,6,NA
+62807,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,9,9,4.15,2,2,0,0,2,2,64,1,4,1,5
+62808,7,2,2,44,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,2,2,2,2,1,2,2,1,2,2,2,31334.47528,32083.194015,2,96,5,5,0.78,5,5,0,2,0,1,37,2,1,5,NA
+62809,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,27004.065356,27080.034561,1,96,1,1,0.23,1,1,0,0,0,2,51,1,3,2,NA
+62810,7,2,2,15,NA,3,3,1,15,190,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,105891.533689,107879.366927,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+62811,7,2,2,40,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,19258.69251,18731.627868,2,99,12,6,2.69,6,1,0,0,0,2,57,1,5,2,NA
+62812,7,2,1,50,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,37557.946192,37006.841228,2,102,NA,2,0.46,2,1,0,0,1,1,50,2,1,6,NA
+62813,7,2,1,71,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,NA,13555.672819,14397.395601,1,94,3,3,1.16,1,1,0,0,1,1,71,1,4,5,NA
+62814,7,2,1,72,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,8601.453077,8734.617022,2,101,5,5,1.7,2,2,0,0,1,1,72,1,2,2,NA
+62815,7,2,1,4,NA,2,2,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13504.027725,13522.274849,2,93,8,8,2.17,4,4,2,0,0,2,30,1,4,1,4
+62816,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,1,1,2,1,1,2,1,3,14385.653726,15564.966804,2,101,7,4,1.38,2,1,0,0,0,1,23,2,4,5,NA
+62817,7,2,1,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,19692.655418,21458.476044,2,99,6,3,0.94,3,2,0,0,0,1,41,1,3,6,NA
+62818,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15096.339697,2,100,7,7,1.34,5,5,0,2,0,2,53,1,4,4,NA
+62819,7,2,2,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140431.173819,141856.211353,1,91,8,8,2.17,4,4,0,0,0,1,59,1,4,1,5
+62820,7,2,2,53,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,1,2,1,1,2,2,1,2,1,NA,21760.356138,22156.586691,1,92,4,4,0.76,4,4,0,0,0,2,53,2,1,1,1
+62821,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,16058.142925,17073.637087,2,95,7,6,1.88,3,2,0,0,0,2,56,1,3,2,NA
+62822,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,114838.671743,118127.710351,1,91,8,4,1.38,2,1,0,0,0,1,33,1,5,6,NA
+62823,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,20393.886544,21026.540202,2,97,1,1,0.18,1,1,0,0,0,1,46,1,2,4,NA
+62824,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,29670.405171,29084.152013,2,101,14,14,4.03,4,4,0,1,0,2,40,1,5,1,5
+62825,7,2,2,3,NA,1,1,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9468.006743,10197.085534,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+62826,7,1,2,80,NA,5,7,NA,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,36240.721121,0,1,101,3,3,1.12,1,1,0,0,1,2,80,1,1,2,NA
+62827,7,2,2,0,6,5,7,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25216.508684,26724.106581,1,101,6,6,1.28,4,4,2,0,0,1,44,1,4,1,4
+62828,7,2,2,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,3,1,2,2,1,2,2,NA,NA,NA,NA,60324.348827,61156.73477,1,95,7,2,0.78,2,1,0,0,0,1,26,1,3,6,NA
+62829,7,2,1,0,3,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8429.177912,8429.333277,1,95,15,15,5,3,3,1,0,0,1,41,1,5,1,5
+62830,7,2,1,14,NA,3,3,2,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,88448.252445,87285.839384,1,101,14,14,5,3,3,0,1,0,2,36,1,5,1,5
+62831,7,2,2,4,NA,1,1,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10024.946819,10059.178608,2,93,77,77,NA,7,7,3,1,0,2,43,2,1,1,9
+62832,7,2,2,15,NA,1,1,1,15,189,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,16427.640886,17012.806816,1,102,3,3,0.54,3,3,0,2,0,2,42,2,2,3,NA
+62833,7,2,2,18,NA,3,3,2,18,219,2,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,31627.471241,33789.841724,1,95,1,1,0.21,4,4,1,0,1,2,75,1,1,2,NA
+62834,7,2,1,6,NA,1,1,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11159.151566,11226.781631,1,102,6,6,0.8,7,7,3,3,0,2,34,2,3,1,1
+62835,7,2,2,66,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,12139.361543,12607.897559,2,103,14,14,3.48,5,5,0,2,1,1,43,1,4,1,5
+62836,7,2,1,25,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,5,NA,2,2,2,2,2,2,NA,NA,NA,NA,39899.764102,44211.181291,2,93,4,4,0.82,4,4,0,0,0,1,51,2,3,1,3
+62837,7,2,2,18,NA,3,3,2,18,221,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,31716.869763,32646.512808,1,95,77,77,NA,3,3,0,0,0,2,41,1,2,5,NA
+62838,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,19258.69251,19091.502506,2,99,12,3,1.16,6,1,0,0,0,2,57,1,5,2,NA
+62839,7,2,2,3,NA,4,4,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8833.042831,9629.276723,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+62840,7,2,1,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,1,2,1,116001.539479,120724.7298,2,101,5,5,1.27,3,3,0,0,1,2,55,1,3,1,1
+62841,7,2,1,52,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,28867.753408,2,101,8,8,2.43,3,3,0,1,0,1,52,1,2,1,5
+62842,7,2,1,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9885.965005,10900.89298,2,97,3,3,0.82,2,2,1,0,0,2,22,1,4,5,NA
+62843,7,1,1,14,NA,2,2,NA,NA,NA,NA,NA,2,1,77,8,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,26616.794908,0,2,91,1,1,0.17,4,4,0,1,0,1,49,2,1,6,NA
+62844,7,2,1,7,NA,5,6,2,7,91,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4852.395137,5120.382571,1,99,14,14,2.66,7,7,3,1,0,1,35,1,5,1,5
+62845,7,2,1,27,NA,4,4,1,NA,NA,2,NA,2,2,6,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18831.340773,22141.643614,2,93,14,14,2.78,5,5,0,0,0,1,52,2,4,1,2
+62846,7,1,2,80,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,12535.973802,0,2,100,5,2,0.41,3,2,0,0,2,2,80,1,1,2,NA
+62847,7,2,1,44,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,33514.643153,35491.262929,1,90,15,15,5,4,4,0,2,0,2,43,1,5,1,5
+62848,7,2,1,38,NA,4,4,1,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,22185.88687,25293.081507,1,98,7,4,1.61,2,1,0,0,0,1,38,2,5,5,NA
+62849,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,19075.861607,19193.852226,1,96,15,15,5,4,4,0,1,0,1,42,2,4,1,4
+62850,7,2,2,1,14,5,7,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6257.554806,6809.629993,2,92,15,15,5,3,3,1,0,0,2,37,1,5,1,5
+62851,7,2,1,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,94547.245282,99362.23578,2,91,5,5,1.39,2,2,0,0,0,1,58,1,4,3,NA
+62852,7,2,2,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8602.397328,9613.133098,2,99,13,13,NA,3,3,1,1,0,2,36,NA,NA,5,NA
+62853,7,2,1,16,NA,5,6,1,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,5526.901806,5811.556543,2,103,7,7,1.65,4,4,0,1,1,2,55,2,3,1,NA
+62854,7,2,1,8,NA,4,4,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13239.363106,13690.337986,3,92,6,6,0.93,5,5,2,1,0,2,37,1,5,1,3
+62855,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,147198.558516,148052.525251,2,91,14,14,5,1,1,0,0,0,2,47,1,4,3,NA
+62856,7,2,2,2,NA,1,1,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10575.997988,11390.397051,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+62857,7,2,2,0,5,4,4,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3659.311381,3880.295282,1,99,8,8,1.99,5,5,1,0,0,1,55,1,5,1,2
+62858,7,2,1,17,NA,4,4,2,17,208,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11763.86086,12201.333419,1,99,14,14,4.86,3,3,0,1,1,2,56,1,5,1,5
+62859,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16058.142925,18803.458224,2,95,7,7,1.41,5,5,2,0,0,2,53,1,3,3,NA
+62860,7,2,1,55,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,16499.662173,16948.4296,3,91,6,6,1.81,3,3,0,1,0,2,47,2,3,1,3
+62861,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,60071.993203,66823.228048,1,95,5,5,1.88,1,1,0,0,1,2,80,1,3,1,NA
+62862,7,2,1,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9661.66953,9494.640263,2,95,4,4,0.78,4,4,2,0,0,1,27,1,4,1,4
+62863,7,2,2,1,13,1,1,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,14781.923489,3,92,5,5,0.87,4,4,2,0,0,2,28,1,3,1,3
+62864,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,32041.645327,32334.772002,1,94,1,1,0.32,1,1,0,0,0,2,57,1,4,5,NA
+62865,7,1,1,17,NA,5,6,NA,NA,NA,2,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,10346.302718,0,2,91,4,4,0.65,5,5,1,3,0,1,43,2,3,5,NA
+62866,7,2,2,5,NA,3,3,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,31376.988784,34630.493438,1,101,1,1,0.1,4,4,1,1,0,2,52,1,4,3,NA
+62867,7,2,1,12,NA,3,3,2,12,152,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21603.199906,21630.881484,2,95,5,5,1.05,3,3,0,1,0,1,43,1,3,1,2
+62868,7,2,1,27,NA,3,3,2,NA,NA,2,NA,2,1,2,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23002.111021,24919.46038,2,97,6,6,1.16,4,4,1,1,0,1,27,2,4,1,3
+62869,7,2,1,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6936.347746,7364.53247,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+62870,7,2,1,13,NA,1,1,1,13,163,NA,NA,2,2,4,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,24228.858782,24791.594558,2,102,4,4,0.57,5,5,0,3,0,1,41,2,1,1,2
+62871,7,2,1,48,NA,5,7,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12490.95898,12886.461592,2,92,15,15,4.59,4,4,0,2,0,2,45,2,5,1,5
+62872,7,2,2,17,NA,3,3,1,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,78268.283998,80112.547303,2,98,15,15,5,4,4,0,2,0,2,46,1,4,1,NA
+62873,7,1,1,15,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10879.348751,0,2,100,10,10,2.33,6,6,0,2,2,2,35,1,2,5,NA
+62874,7,2,2,33,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,3,6,2,2,2,2,1,2,2,NA,NA,NA,NA,33355.357535,33078.896803,1,90,6,6,1.11,5,5,1,2,0,1,30,2,1,6,NA
+62875,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,98217.832546,101788.674762,1,99,8,8,2.81,3,3,0,1,0,1,19,1,4,NA,NA
+62876,7,2,2,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,63504.762752,64182.95787,1,91,7,7,3.67,1,1,0,0,1,2,74,1,4,2,NA
+62877,7,2,1,8,NA,4,4,1,8,105,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,14179.490667,2,101,1,1,0.15,3,3,0,2,0,2,58,1,3,5,NA
+62878,7,2,1,15,NA,4,4,1,15,187,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16463.950838,16583.858395,2,96,5,5,0.67,6,6,1,2,1,1,34,1,4,1,4
+62879,7,2,2,14,NA,4,4,2,14,171,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,18028.02401,2,101,8,8,2.43,3,3,0,1,0,1,52,1,2,1,5
+62880,7,2,2,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,117778.281347,120111.495123,1,94,7,7,1.52,4,4,0,2,2,1,61,2,1,1,5
+62881,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,134213.669088,137679.44344,1,93,15,15,4.59,4,4,0,1,0,1,57,1,5,1,5
+62882,7,2,1,59,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11690.444016,12008.407525,3,90,77,77,NA,4,4,0,0,0,1,59,2,2,1,2
+62883,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,43807.995099,48928.4376,1,101,7,7,2.31,2,2,0,0,2,2,80,1,4,1,2
+62884,7,2,2,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,1,2,2,1,23725.035562,23797.982183,1,94,3,1,0.13,2,1,0,0,0,2,36,1,3,5,NA
+62885,7,2,1,60,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,9392.289727,9639.798184,1,90,15,15,5,3,3,0,0,1,1,60,2,4,2,NA
+62886,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15576.264148,16963.869897,1,103,8,8,1.95,4,4,0,1,0,2,48,1,5,1,5
+62887,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,11982.125462,2,101,1,1,0.2,2,2,0,0,1,2,55,1,4,4,NA
+62888,7,2,1,6,NA,4,4,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10410.106675,10390.534388,2,96,4,4,0.57,5,5,0,3,0,2,26,1,2,5,NA
+62889,7,2,1,2,NA,2,2,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8914.157023,9196.329398,1,99,8,8,1.91,5,5,2,0,1,2,38,2,4,1,4
+62890,7,2,2,16,NA,5,6,1,16,193,NA,NA,2,1,5,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8210.014908,8564.874659,2,92,15,15,5,4,4,0,2,1,2,59,1,5,1,5
+62891,7,2,2,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,13141.36586,14124.295248,1,96,12,12,NA,1,1,0,0,1,2,74,1,2,3,NA
+62892,7,2,1,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18225.504252,18491.00599,2,95,4,4,0.79,3,3,1,0,0,1,50,1,4,6,NA
+62893,7,2,2,21,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,2,4,2,2,2,2,2,2,2,NA,NA,NA,NA,44119.608456,46238.164206,2,98,6,6,1.21,4,4,1,0,0,2,49,2,2,6,NA
+62894,7,2,2,9,NA,4,4,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7620.214819,8204.982373,2,99,7,7,1.19,6,6,1,3,0,2,38,1,3,5,NA
+62895,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,78240.016337,81914.532146,1,93,15,15,5,3,3,1,0,0,1,33,1,5,1,3
+62896,7,2,2,5,NA,3,3,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53166.229434,56500.79967,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+62897,7,2,1,5,NA,2,2,2,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17458.543556,17482.134163,2,91,10,10,3.04,4,4,1,1,0,2,31,2,5,1,5
+62898,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,22473.275629,22284.590536,2,97,7,7,2.38,2,2,0,0,0,1,25,1,2,1,2
+62899,7,2,2,45,NA,2,2,2,NA,NA,2,NA,2,2,77,NA,3,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,23377.708086,24402.18571,3,90,77,77,NA,4,1,0,0,0,1,45,2,3,3,NA
+62900,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8949.073879,2,95,6,6,2.69,1,1,0,0,1,2,68,1,3,2,NA
+62901,7,2,2,64,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11704.708696,12115.082932,1,101,15,15,5,3,3,0,0,1,1,58,2,4,1,5
+62902,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,35126.205635,36772.568368,1,95,5,5,1.08,3,3,0,1,0,1,53,1,4,1,4
+62903,7,2,1,7,NA,5,6,2,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,9720.482616,10818.978947,2,91,12,12,NA,7,6,0,4,2,2,72,2,1,2,NA
+62904,7,2,1,2,NA,4,4,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6390.839385,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+62905,7,2,2,1,20,5,6,2,NA,20,NA,NA,2,2,1,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4735.146545,4730.145135,3,90,77,77,NA,3,3,1,0,0,1,35,2,3,1,5
+62906,7,2,2,0,0,1,1,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6885.817041,7118.841014,2,96,2,2,0.27,5,5,1,2,0,2,26,1,2,1,2
+62907,7,2,2,16,NA,2,2,2,16,200,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,5,5,0.8,5,5,0,3,0,2,40,2,1,5,NA
+62908,7,2,1,21,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,5,NA,2,2,2,1,2,2,2,2,2,2,30581.409928,30998.258142,3,90,7,7,1.48,5,5,0,1,0,1,43,2,1,6,NA
+62909,7,2,2,31,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,24598.096547,23934.388227,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+62910,7,2,2,7,NA,4,4,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12120.418061,13050.526646,2,101,10,10,2.91,4,4,0,1,0,2,51,1,2,5,NA
+62911,7,2,1,16,NA,1,1,1,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,24902.864049,25283.513039,1,94,8,8,1.85,5,5,0,2,0,1,44,2,1,6,NA
+62912,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,100742.761147,101756.213818,2,100,8,8,4.59,1,1,0,0,0,1,59,1,3,3,NA
+62913,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,NA,NA,NA,NA,19463.737283,25688.523518,3,91,4,4,1.09,2,2,0,1,0,2,40,1,5,3,NA
+62914,7,2,2,4,NA,3,3,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27528.66901,27890.404993,1,95,1,1,0.31,2,2,1,0,0,2,23,1,3,3,NA
+62915,7,1,1,35,NA,1,1,NA,NA,NA,2,NA,2,2,3,NA,4,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,39073.76885,0,2,99,99,3,0.66,4,2,0,0,0,1,35,2,4,1,2
+62916,7,2,1,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37911.437415,38922.114085,2,103,4,4,0.79,3,3,0,0,0,2,42,2,2,5,NA
+62917,7,2,1,13,NA,3,3,2,13,159,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,69216.263169,70543.167563,1,91,14,14,3.15,5,5,0,1,0,2,50,1,5,1,5
+62918,7,2,1,25,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,18259.989639,18151.137608,2,95,6,6,1.08,4,4,1,0,0,2,42,1,4,4,NA
+62919,7,2,2,34,NA,3,3,2,NA,NA,2,NA,2,2,99,NA,1,1,2,1,2,1,1,2,1,NA,NA,NA,NA,20717.382973,22040.621269,2,97,1,1,0.21,4,4,2,0,0,2,34,2,1,1,2
+62920,7,2,1,3,NA,2,2,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12920.2211,12937.679363,2,90,14,14,3.58,4,4,1,1,0,1,37,1,3,1,4
+62921,7,2,2,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8147.287486,8590.325322,2,90,8,8,1.67,6,6,2,2,0,2,35,2,5,3,NA
+62922,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,89807.047643,92234.66957,3,91,6,6,2.57,1,1,0,0,0,2,31,1,4,5,NA
+62923,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,20333.447198,19976.945976,1,98,12,4,1.34,4,1,0,0,0,1,21,1,4,6,NA
+62924,7,2,2,79,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,16361.152596,17584.911061,1,100,3,3,0.91,1,1,0,0,1,2,79,1,1,2,NA
+62925,7,2,2,18,NA,3,3,2,18,226,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22699.241957,23364.572192,2,95,2,2,0.46,3,3,0,0,0,2,48,1,2,1,2
+62926,7,2,2,1,21,1,1,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11414.885224,11901.246118,1,94,6,6,1.11,5,5,1,2,0,2,41,2,1,1,1
+62927,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,138075.879417,141933.339512,2,91,15,15,5,3,3,0,0,2,2,62,1,4,1,4
+62928,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,15206.604563,14790.435937,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+62929,7,2,1,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9221.19173,9293.322792,2,95,77,77,NA,2,2,0,0,2,1,68,1,4,1,4
+62930,7,2,1,23,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,4,5,NA,2,2,2,1,2,2,1,2,2,1,42077.383821,44160.926598,1,102,4,4,0.67,4,4,0,1,0,1,23,2,4,5,NA
+62931,7,2,1,15,NA,5,6,1,15,187,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11171.449402,11936.033174,1,92,14,14,3.47,4,4,0,2,0,2,53,2,4,1,4
+62932,7,1,2,2,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,35285.563011,0,2,100,15,15,5,4,4,1,1,0,1,29,1,4,1,4
+62933,7,2,2,17,NA,5,6,2,17,207,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,9,9,1.78,6,6,0,1,1,1,45,2,3,1,3
+62934,7,2,2,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,39030.893313,44151.142675,1,91,7,7,2.2,3,3,0,0,1,2,60,1,2,2,NA
+62935,7,2,1,51,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,2,2,2,2,21139.303536,21566.542108,2,103,12,12,NA,4,4,0,1,0,2,50,2,3,1,4
+62936,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,32985.054579,1,95,5,5,1.03,4,4,0,2,0,1,33,1,3,1,3
+62937,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10598.2543,1,99,5,5,1.63,2,2,0,0,2,1,64,NA,NA,1,4
+62938,7,2,2,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,36053.766709,37679.125242,1,100,6,6,1.13,4,4,0,3,0,2,32,1,3,5,NA
+62939,7,2,1,38,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,41155.167164,49173.131788,1,102,7,7,1.41,5,5,0,2,2,1,72,1,4,1,3
+62940,7,2,1,62,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9814.165625,10072.791483,1,90,15,15,4.34,4,4,0,0,1,1,62,2,5,1,3
+62941,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,13728.308948,13352.59776,2,90,99,4,1.16,5,2,0,0,1,1,43,NA,NA,1,NA
+62942,7,1,1,48,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,91761.294148,0,2,92,15,15,5,3,3,1,0,0,1,48,1,5,1,5
+62943,7,2,1,15,NA,2,2,1,15,189,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18042.255087,18115.696579,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+62944,7,2,2,17,NA,4,4,2,17,211,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13775.846051,13737.029624,2,97,7,7,1.06,7,7,1,2,0,2,40,1,4,5,NA
+62945,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19100.40225,19426.955733,1,96,15,15,4.9,4,4,0,1,0,1,47,1,3,1,5
+62946,7,2,1,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9699.683862,9681.447258,2,101,2,2,0.27,6,6,0,3,0,2,45,1,2,5,NA
+62947,7,1,2,68,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,1,2,NA,2,2,2,1,2,2,NA,NA,NA,NA,11469.456138,0,1,90,4,4,0.79,3,3,0,0,1,2,68,1,1,2,NA
+62948,7,2,1,79,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,55509.98679,58756.097166,1,101,15,15,5,3,3,0,0,2,1,79,1,4,1,4
+62949,7,2,2,8,NA,4,4,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9139.784234,9384.299154,2,100,14,14,3.89,4,4,0,2,0,1,38,1,3,1,4
+62950,7,2,2,16,NA,3,3,2,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,91539.042546,96988.607103,1,101,14,14,3.3,4,4,0,2,0,2,42,1,4,1,3
+62951,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,15190.604914,17388.543575,1,96,15,15,5,6,6,1,1,1,2,44,1,3,1,3
+62952,7,2,1,20,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,10547.036825,10866.006067,3,90,15,15,3.7,5,5,0,0,0,1,56,2,3,1,3
+62953,7,2,1,44,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17249.311662,18125.470447,2,91,14,14,3.47,4,4,1,1,0,2,36,2,3,1,5
+62954,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18523.956321,18091.254104,2,99,2,2,0.72,1,1,0,0,0,1,28,1,5,5,NA
+62955,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,1,2,2,1,76827.086279,81170.917712,2,99,15,15,5,2,1,0,0,0,2,31,1,5,1,NA
+62956,7,2,2,0,7,5,6,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,4444.744532,4630.927855,2,90,3,3,0.65,5,3,1,2,0,1,44,2,5,1,5
+62957,7,2,2,3,NA,5,6,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5307.591514,5454.53335,2,102,3,3,0.38,5,5,3,0,0,2,30,2,2,1,4
+62958,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,65611.003966,67854.891478,1,94,15,15,4.95,4,4,0,0,2,1,72,1,3,1,3
+62959,7,2,2,13,NA,5,6,1,13,166,NA,NA,2,1,4,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8210.014908,8564.874659,2,92,15,15,5,4,4,0,2,1,2,59,1,5,1,5
+62960,7,2,2,3,NA,4,4,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9727.363166,10466.751274,2,97,6,6,1,6,6,1,2,2,2,60,1,2,2,NA
+62961,7,2,1,0,6,4,4,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7882.953266,8719.306286,2,96,5,5,1.5,2,2,1,0,0,2,22,1,3,5,NA
+62962,7,2,1,2,NA,4,4,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8009.966208,8254.622305,2,96,2,2,0.44,3,3,2,0,0,2,22,1,2,5,NA
+62963,7,2,2,6,NA,5,7,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22371.648216,23759.450609,1,95,6,6,1.15,5,5,2,1,0,1,29,1,4,6,NA
+62964,7,1,1,22,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,13171.824182,0,1,100,NA,NA,NA,4,4,0,0,1,1,21,NA,NA,5,NA
+62965,7,2,2,3,NA,5,7,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,29364.157365,32408.949946,1,102,2,2,0.49,3,3,1,0,0,1,20,1,2,6,NA
+62966,7,2,2,21,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,24185.894115,24390.02655,1,93,3,3,0.7,3,3,1,0,0,1,23,2,4,1,2
+62967,7,2,1,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,27572.205373,28895.579143,1,100,15,15,5,3,3,0,0,0,2,33,1,5,1,4
+62968,7,2,1,5,NA,2,2,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13610.050526,14582.186889,2,100,3,3,0.76,3,3,1,0,0,2,31,2,1,6,NA
+62969,7,2,1,14,NA,4,4,2,14,178,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16890.963304,17218.04077,1,91,10,10,2.56,5,5,0,3,0,1,51,2,5,1,4
+62970,7,1,1,6,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12577.115885,0,2,96,3,3,0.54,4,4,1,1,0,1,29,1,2,1,2
+62971,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,175544.769665,178639.415011,1,91,15,15,5,2,2,0,0,0,1,53,1,5,1,5
+62972,7,2,1,3,NA,2,2,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17458.543556,18705.569422,2,91,4,4,0.84,3,3,1,0,0,2,21,1,4,1,2
+62973,7,2,1,10,NA,1,1,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17882.621856,18280.794545,3,92,12,12,NA,6,6,1,3,0,2,33,1,5,1,4
+62974,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,86986.68246,91060.136414,2,94,9,9,5,1,1,0,0,0,1,30,1,5,5,NA
+62975,7,2,2,10,NA,4,4,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7397.129324,7630.740597,1,96,12,12,NA,5,5,1,2,0,2,35,1,5,1,4
+62976,7,2,2,18,NA,3,3,2,18,221,2,NA,2,2,5,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,82089.722105,85880.903702,3,91,14,14,5,2,2,0,0,0,2,48,2,5,3,NA
+62977,7,2,1,25,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,50326.347525,51411.397032,1,93,12,12,NA,3,1,0,0,0,1,24,NA,NA,5,NA
+62978,7,2,2,18,NA,1,1,1,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21062.314667,23105.758741,1,91,14,14,3.9,4,4,0,1,0,1,41,1,2,1,4
+62979,7,2,2,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,53370.063988,54427.336747,3,92,4,4,1.13,2,2,0,0,2,1,64,1,3,1,4
+62980,7,1,1,39,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,19384.896286,0,1,94,5,5,1.05,3,3,0,1,0,1,39,1,4,6,NA
+62981,7,2,1,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,25120.174741,25387.314373,2,102,15,15,4.47,4,4,1,1,0,1,32,1,5,1,4
+62982,7,2,2,66,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,49644.076348,54110.530387,1,97,3,3,1.16,1,1,0,0,1,2,66,1,3,2,NA
+62983,7,2,1,7,NA,4,4,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7730.47951,9212.541007,1,99,6,6,1.3,5,5,1,2,0,1,34,1,2,1,3
+62984,7,2,2,5,NA,2,2,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8825.559072,9505.166523,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+62985,7,2,1,68,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11138.867102,11750.838884,1,102,7,7,2.72,2,2,0,0,2,2,67,NA,NA,1,5
+62986,7,2,1,14,NA,3,3,1,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,69211.537407,68936.770872,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+62987,7,2,1,10,NA,2,2,1,10,125,NA,NA,2,1,3,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13395.612951,13401.547169,2,102,7,7,1.53,5,5,1,2,0,2,37,2,4,1,4
+62988,7,2,1,10,NA,2,2,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11036.458246,11087.266596,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+62989,7,2,2,1,19,5,6,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8173.816615,8894.95474,1,97,15,15,5,4,4,2,0,0,2,35,2,4,1,4
+62990,7,2,1,79,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,79754.311902,90534.066519,1,97,9,9,3.97,2,2,0,0,2,1,79,1,3,1,3
+62991,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,129608.716834,132839.525748,1,100,8,8,2.97,2,2,0,0,0,1,24,1,5,1,5
+62992,7,2,2,9,NA,1,1,2,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18668.602894,18957.049554,1,101,4,4,0.84,3,3,0,1,0,1,42,1,4,1,4
+62993,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,74501.766669,80316.820348,1,90,14,14,3.93,3,3,1,0,0,1,35,1,2,1,5
+62994,7,2,2,49,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,3,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,18255.735511,18352.270791,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+62995,7,2,1,18,NA,4,4,2,18,220,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11386.695644,11908.648036,2,99,6,6,1.18,5,5,0,3,0,2,38,1,2,5,NA
+62996,7,2,2,9,NA,2,2,2,9,114,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13257.060167,14867.908577,2,90,8,8,1.72,5,5,1,2,0,1,20,2,1,1,2
+62997,7,2,1,60,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,29552.786683,29829.95179,2,96,3,3,0.95,2,2,0,0,2,2,62,1,4,1,4
+62998,7,2,1,19,NA,5,6,1,20,NA,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6558.308393,6849.983523,2,92,99,99,NA,4,1,0,0,0,1,19,1,4,NA,NA
+62999,7,2,2,9,NA,5,7,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6137.256046,6434.751859,1,103,15,15,3.7,5,5,0,2,1,1,55,1,5,1,5
+63000,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11862.436765,12619.924744,1,90,2,2,0.45,1,1,0,0,1,2,60,1,5,3,NA
+63001,7,2,1,5,NA,4,4,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9624.976734,10219.132066,2,96,3,3,0.38,5,5,1,2,0,2,30,1,3,5,NA
+63002,7,2,2,54,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,21901.662873,22693.823819,2,93,8,8,2.49,3,3,0,0,0,1,52,2,2,1,4
+63003,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,151649.038926,151259.483772,1,101,13,13,NA,2,2,0,0,0,1,40,1,2,1,3
+63004,7,2,2,38,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,3,1,2,1,1,2,2,1,2,2,NA,13047.751375,13287.186355,2,92,15,15,5,3,3,1,0,0,1,39,2,5,1,5
+63005,7,2,1,19,NA,1,1,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,32326.52031,34735.818434,2,94,5,5,0.65,6,6,0,3,0,1,44,2,1,1,1
+63006,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,123771.419917,127443.198085,2,98,10,10,3.78,3,3,0,0,0,1,53,1,3,1,4
+63007,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,47098.572584,49762.054694,1,95,7,7,2.38,2,2,0,0,2,1,80,1,3,1,4
+63008,7,2,1,38,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15051.024912,15121.525249,3,90,15,15,5,5,5,1,0,1,1,38,2,3,1,4
+63009,7,2,1,6,NA,4,4,2,7,84,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8483.005475,8584.70346,1,96,10,10,2.95,4,4,0,1,0,2,34,2,3,1,5
+63010,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,12535.973802,12972.182488,2,100,7,7,2.37,3,3,0,1,1,2,45,1,5,1,NA
+63011,7,2,2,16,NA,3,3,2,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,122091.956024,127137.394167,2,91,15,15,5,3,3,0,1,0,1,52,1,5,1,5
+63012,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,10,10,4.76,2,2,0,0,2,2,64,1,4,1,5
+63013,7,2,1,65,NA,5,6,1,NA,NA,1,1,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11138.867102,11750.838884,1,102,14,14,5,2,2,0,0,2,1,65,2,5,1,5
+63014,7,2,2,11,NA,4,4,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7814.742747,7978.458393,1,98,8,8,2.97,2,2,0,1,0,2,40,1,4,3,NA
+63015,7,2,1,65,NA,5,7,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,117343.481374,118848.614941,1,91,7,7,2.64,2,2,0,0,1,2,58,1,5,1,4
+63016,7,2,2,14,NA,2,2,2,14,170,NA,NA,2,2,3,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12680.621719,14355.413798,2,90,3,3,0.46,5,5,0,2,2,1,75,2,1,1,2
+63017,7,2,1,71,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,12511.526803,13352.932153,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+63018,7,2,1,10,NA,3,3,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,27154.222487,28089.451048,2,101,4,4,0.73,5,5,1,2,0,1,40,1,5,1,5
+63019,7,2,2,65,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,3,NA,2,2,2,2,2,2,1,2,2,2,10235.0654,10662.230581,2,93,3,3,0.87,2,2,0,0,1,2,65,2,4,3,NA
+63020,7,2,1,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13533.281742,15943.839793,1,100,6,6,1.11,5,5,0,2,1,1,38,2,2,1,1
+63021,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,3,5,NA,1,2,1,1,2,1,NA,NA,NA,NA,19524.115198,21455.7569,1,93,7,7,2.38,2,2,0,0,0,2,46,2,3,5,NA
+63022,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,92467.370896,92229.84126,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+63023,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,124820.027137,126759.886775,1,91,6,3,0.92,2,1,0,0,0,2,24,1,4,6,NA
+63024,7,2,2,78,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,12692.401451,13134.05328,2,95,12,12,NA,3,3,0,0,2,1,65,1,4,1,4
+63025,7,2,2,79,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,14226.966896,14722.016314,2,100,5,5,0.95,4,4,0,0,1,2,53,1,3,5,NA
+63026,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,53830.599426,56471.452044,1,99,15,15,5,3,3,1,0,0,2,31,1,5,1,5
+63027,7,2,1,15,NA,1,1,1,15,181,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18242.832494,18521.680571,1,102,6,6,1.03,6,6,0,4,0,1,34,2,2,1,1
+63028,7,2,2,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14414.529053,14932.182215,2,96,8,8,1.33,7,7,2,1,1,1,62,2,1,1,1
+63029,7,2,2,2,NA,5,7,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20272.436775,20911.100412,2,94,77,77,NA,4,4,2,0,0,2,23,1,2,6,NA
+63030,7,2,1,21,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,42165.369652,45330.590147,2,102,3,3,0.45,4,4,2,0,0,1,21,2,2,6,NA
+63031,7,2,2,77,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,15183.616455,20169.750633,1,90,6,6,1.78,2,2,0,0,1,2,77,1,1,2,NA
+63032,7,2,1,14,NA,4,4,2,14,172,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11085.075029,11001.247749,1,93,1,1,0.02,5,5,0,4,0,2,36,NA,NA,5,NA
+63033,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,153755.392794,158780.137655,1,91,15,15,5,4,4,0,1,0,1,45,1,5,1,5
+63034,7,2,2,5,NA,3,3,2,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,92,4,4,0.61,5,5,1,2,0,1,34,1,3,6,NA
+63035,7,2,1,7,NA,5,7,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8017.552697,8398.795399,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+63036,7,2,2,74,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,12895.665603,13811.504793,1,93,2,2,0.55,1,1,0,0,1,2,74,2,1,3,NA
+63037,7,2,2,41,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,4,2,2,2,2,1,2,2,2,2,2,2,34501.569761,34681.492512,1,93,5,5,1.36,2,2,0,0,0,2,41,2,1,4,NA
+63038,7,2,2,2,NA,5,7,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7871.443574,8074.618887,1,96,6,6,1.49,3,3,1,0,0,2,24,1,4,5,NA
+63039,7,2,2,2,NA,1,1,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10582.75863,3,92,6,6,1,6,6,1,1,0,1,42,2,1,1,4
+63040,7,2,2,54,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,2,1,NA,1,2,1,NA,NA,NA,1,2,1,3,15268.129241,15348.866231,2,96,NA,NA,NA,4,4,0,0,1,1,67,2,3,1,2
+63041,7,2,1,35,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14376.416432,15539.834252,2,103,15,15,5,4,4,0,3,0,1,35,1,5,5,NA
+63042,7,2,2,12,NA,4,4,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13841.239638,13875.328502,1,96,15,15,4.52,6,6,0,4,0,1,46,1,4,1,4
+63043,7,2,2,20,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,11609.8069,12151.984044,2,103,77,77,NA,5,5,0,2,0,2,39,2,5,1,5
+63044,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,79316.940936,94360.361124,1,93,10,10,5,1,1,0,0,0,1,35,1,5,5,NA
+63045,7,2,2,53,NA,1,1,1,NA,NA,2,NA,2,2,8,NA,2,4,NA,1,2,2,2,2,2,1,2,2,1,18295.488967,18390.898385,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+63046,7,2,1,1,NA,3,3,2,NA,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39241.111643,42207.80453,1,99,6,6,1.73,3,3,1,1,0,2,42,1,5,3,NA
+63047,7,2,2,6,NA,3,3,2,6,81,NA,NA,2,1,2,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14287.66096,14320.169639,2,97,6,6,1.16,4,4,1,1,0,1,27,2,4,1,3
+63048,7,2,1,29,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15875.103787,17176.519619,1,93,10,10,4.76,2,2,0,0,0,1,29,2,5,1,5
+63049,7,2,1,19,NA,2,2,1,19,233,2,NA,2,1,5,15,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,30061.88611,30025.949584,1,92,6,6,0.93,5,5,0,2,0,1,47,2,1,1,1
+63050,7,2,1,24,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,12364.328404,12075.509308,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+63051,7,2,1,30,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22403.911395,23911.071969,2,96,14,14,5,2,2,0,0,0,1,30,2,5,1,5
+63052,7,2,2,37,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,3,2,1,2,2,1,2,2,NA,NA,NA,NA,19741.154437,19781.46423,1,100,7,7,2.51,2,2,0,1,0,2,37,2,5,3,NA
+63053,7,2,2,8,NA,1,1,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12789.411811,13121.359297,1,102,3,3,0.54,3,3,0,2,0,2,42,2,2,3,NA
+63054,7,2,2,11,NA,1,1,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14469.11917,14745.425968,2,92,15,15,3.37,7,7,0,4,0,1,42,2,3,1,1
+63055,7,2,2,2,NA,3,3,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25257.21318,27876.153487,1,98,2,2,0.31,3,3,1,0,0,1,45,NA,NA,1,NA
+63056,7,2,1,21,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15196.92397,16091.373745,2,101,7,3,1.1,3,1,0,0,0,1,21,2,4,5,NA
+63057,7,2,1,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,43892.276067,44574.41704,1,98,6,6,2.6,2,1,0,0,0,1,29,1,4,5,NA
+63058,7,2,2,13,NA,5,6,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6135.470395,6372.721366,1,91,15,15,5,6,6,0,2,2,1,50,2,5,1,5
+63059,7,2,1,7,NA,4,4,1,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10469.725162,11059.049224,1,100,6,6,1.13,4,4,0,3,0,2,32,1,3,5,NA
+63060,7,2,2,7,NA,1,1,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13064.573334,13201.924867,1,103,5,5,0.71,6,6,2,2,0,2,31,2,2,1,2
+63061,7,2,2,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,1,1,2,2,1,2,2,NA,NA,NA,NA,22326.231285,22166.696692,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+63062,7,2,1,4,NA,4,4,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10690.995725,11500.031681,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+63063,7,2,2,7,NA,3,3,1,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,60557.637514,61692.695301,3,92,6,6,1.17,4,4,0,2,0,2,30,1,2,1,4
+63064,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,7233.371983,2,95,3,3,1.07,1,1,0,0,1,1,61,1,1,4,NA
+63065,7,2,1,11,NA,1,1,1,11,143,NA,NA,2,2,3,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,13822.148996,14860.201344,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+63066,7,2,1,3,NA,3,3,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,61250.535365,69105.159981,1,90,8,8,1.67,5,5,2,1,0,2,28,1,4,1,5
+63067,7,2,2,0,5,5,6,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6956.259272,7247.645977,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+63068,7,2,1,9,NA,3,3,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,26240.82746,27691.552263,1,94,4,4,0.56,5,5,1,2,0,1,34,1,2,3,NA
+63069,7,2,1,20,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15533.829525,2,101,6,2,0.46,2,1,0,0,0,1,20,2,4,5,NA
+63070,7,2,2,70,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,1,5,NA,2,2,2,1,2,2,2,2,2,NA,21122.17432,23417.039872,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+63071,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,20450.752436,20266.431761,1,98,6,6,1.72,2,2,0,0,0,2,53,1,5,2,NA
+63072,7,2,2,12,NA,3,3,2,12,152,NA,NA,2,1,1,7,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,31756.649984,32677.072621,2,97,5,5,0.8,5,5,1,2,0,1,46,2,4,1,2
+63073,7,2,1,16,NA,3,3,1,16,194,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,25367.590269,25034.201904,1,94,6,6,1.26,5,5,0,2,0,2,38,1,4,1,NA
+63074,7,2,1,3,NA,4,4,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9698.338509,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+63075,7,2,2,12,NA,2,2,1,12,152,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20502.928313,21114.699878,2,98,12,12,NA,3,3,0,1,0,2,34,1,4,1,3
+63076,7,2,1,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,21168.33083,23066.473787,2,99,2,2,0.4,2,2,0,0,0,2,52,1,3,1,3
+63077,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,86986.68246,92645.868047,2,94,15,15,4.59,4,4,1,1,0,2,37,1,5,1,5
+63078,7,2,1,6,NA,1,1,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8828.580268,8822.70874,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+63079,7,2,1,17,NA,5,6,1,17,212,2,NA,2,1,5,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11171.449402,11936.033174,1,92,14,14,3.47,4,4,0,2,0,2,53,2,4,1,4
+63080,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,NA,NA,NA,NA,30505.56355,30746.687156,1,97,3,3,0.93,2,2,0,1,0,2,34,1,4,5,NA
+63081,7,2,1,62,NA,5,7,2,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19328.482066,19868.466665,3,90,7,7,2.51,2,2,0,0,2,1,62,2,3,1,4
+63082,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,175997.804296,180603.118894,1,101,4,2,0.82,2,1,0,0,1,1,63,1,2,6,NA
+63083,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,69601.920609,70345.22994,1,98,7,7,3.58,1,1,0,0,1,2,71,1,4,2,NA
+63084,7,2,1,4,NA,3,3,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,45649.909879,51503.94697,1,99,15,15,5,5,5,3,0,0,2,34,1,5,1,5
+63085,7,2,2,4,NA,4,4,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8267.490849,9012.744386,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+63086,7,2,2,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,94,15,15,5,2,2,0,0,2,1,75,1,4,1,3
+63087,7,2,1,3,NA,3,3,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,81508.607355,87670.792766,1,94,14,6,1.65,3,2,1,0,0,1,26,1,4,6,NA
+63088,7,2,1,44,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11113.602843,11073.454175,3,90,10,10,2.41,5,5,1,2,0,1,44,2,4,1,5
+63089,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,80232.348161,83992.832552,1,99,15,15,4.47,4,4,0,2,0,2,43,1,5,1,5
+63090,7,2,2,15,NA,3,3,2,15,186,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41202.729804,43105.611516,2,91,6,6,1.26,5,5,0,1,2,2,80,1,4,2,NA
+63091,7,2,1,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,NA,55996.810038,59271.38884,2,93,15,8,4.48,2,1,0,0,2,2,63,2,4,6,NA
+63092,7,2,2,17,NA,4,4,2,18,216,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12581.940435,12644.353117,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+63093,7,2,2,10,NA,3,3,1,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,1,2,1,2,2,1,21800.021754,23152.363882,3,91,7,1,0,7,1,0,4,0,1,40,1,4,1,3
+63094,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,27167.433399,29371.776665,1,94,7,7,2.58,2,2,0,0,2,2,71,1,5,1,4
+63095,7,2,2,4,NA,4,4,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11664.396755,2,100,9,9,2.46,4,4,1,1,1,2,59,1,3,1,3
+63096,7,2,1,8,NA,2,2,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13672.897697,14159.650726,2,100,14,14,3.58,4,4,0,2,0,2,40,NA,NA,1,4
+63097,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,71070.181743,74923.26272,1,95,7,7,2.45,2,2,0,0,2,2,70,1,3,1,3
+63098,7,2,2,10,NA,3,3,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60197.256541,63931.531988,2,94,14,14,2.63,6,6,1,3,0,1,39,1,4,1,4
+63099,7,2,2,3,NA,2,2,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15550.931019,16748.422137,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+63100,7,2,2,13,NA,1,1,1,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22424.988432,22856.096824,1,94,5,5,0.87,4,4,0,2,0,2,41,2,4,1,1
+63101,7,2,1,6,NA,4,4,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11060.738342,11193.339318,2,96,6,6,1.48,4,4,1,1,0,2,25,1,4,5,NA
+63102,7,2,2,19,NA,1,1,1,19,238,2,NA,2,2,1,12,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,16427.640886,17012.806816,1,102,5,5,0.98,4,4,1,1,0,2,42,2,2,6,NA
+63103,7,2,1,46,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12820.674452,13169.378628,3,90,15,15,5,3,3,0,0,0,1,46,2,3,1,3
+63104,7,2,2,6,NA,4,4,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8146.767632,8699.382682,2,100,15,15,4.97,5,5,0,2,1,2,42,1,5,1,5
+63105,7,1,1,14,NA,5,6,NA,NA,NA,NA,NA,2,1,4,9,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8915.81491,0,1,95,3,3,0.43,4,4,0,1,2,1,65,2,5,1,3
+63106,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32838.149884,1,95,3,3,0.95,1,1,0,0,0,1,50,1,2,3,NA
+63107,7,2,2,66,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,9716.805546,12994.252166,2,90,3,3,1.1,1,1,0,0,1,2,66,2,1,1,NA
+63108,7,2,1,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,26847.643051,28699.104328,1,98,4,4,0.66,4,4,2,0,0,2,22,1,4,6,NA
+63109,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,105873.555835,111215.69511,1,101,14,14,3.9,4,4,0,2,0,2,41,1,2,1,2
+63110,7,2,1,36,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22439.245437,22882.446062,2,96,14,14,3.58,4,4,2,0,0,1,36,1,4,1,5
+63111,7,2,1,8,NA,1,1,1,8,103,NA,NA,2,7,77,1,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,11399.23838,11295.714433,1,103,8,8,1.85,5,5,2,1,0,2,25,2,2,1,2
+63112,7,2,2,66,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,17221.648537,17753.661813,1,95,6,6,1.7,2,2,0,0,2,2,66,2,1,1,3
+63113,7,2,2,3,NA,1,1,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17543.203297,19368.16722,1,95,8,8,2.24,4,4,2,0,0,2,29,1,3,1,4
+63114,7,2,1,15,NA,5,6,1,15,189,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11657.164593,12175.606972,1,92,9,9,2.88,3,3,0,2,0,1,50,2,5,3,NA
+63115,7,2,1,4,NA,3,3,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,32621.433667,36804.729607,2,101,4,4,0.73,5,5,1,2,0,1,40,1,5,1,5
+63116,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,24291.664633,24483.672027,1,99,8,8,4.13,1,1,0,0,0,2,34,1,5,5,NA
+63117,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,6,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15533.829525,2,101,8,5,2.2,2,1,0,0,0,1,24,2,4,6,NA
+63118,7,2,1,16,NA,1,1,1,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30061.88611,30025.949584,1,92,7,7,1.48,5,5,0,1,0,1,42,1,5,1,4
+63119,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,84933.772167,92023.102027,2,99,15,15,5,2,2,0,0,0,2,37,1,5,1,5
+63120,7,2,2,4,NA,3,3,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,55336.504558,58807.19381,2,102,14,14,3.44,5,5,1,2,0,2,34,1,4,6,NA
+63121,7,2,1,9,NA,1,1,1,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15233.096858,16234.004804,1,94,15,15,4.37,7,7,0,4,1,1,58,1,4,1,5
+63122,7,2,2,3,NA,2,2,1,3,44,NA,NA,2,2,2,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10301.516763,10950.95816,2,93,6,6,0.93,5,5,1,2,0,1,40,2,4,1,4
+63123,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18753.573091,18904.865313,2,99,2,2,0.77,1,1,0,0,0,1,55,1,3,5,NA
+63124,7,2,2,54,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15460.72194,15832.955199,1,102,9,9,2.39,5,5,0,1,1,1,55,2,5,1,5
+63125,7,2,2,46,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22109.546782,21887.540337,1,93,7,7,1.79,4,4,0,2,0,1,53,2,4,1,4
+63126,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,111448.08155,119470.923607,1,90,15,15,5,4,4,0,2,0,1,44,1,5,1,5
+63127,7,2,1,28,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14391.77847,15024.211748,1,92,14,14,3.3,4,4,2,0,0,1,28,1,4,1,4
+63128,7,2,2,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,3,1,2,2,1,2,2,1,2,2,1,38589.695298,40356.151096,2,96,6,5,1.84,2,1,0,0,0,2,26,1,2,5,NA
+63129,7,2,1,14,NA,1,1,1,14,172,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22768.423624,23297.239555,2,98,6,6,1.4,3,3,0,1,0,1,56,1,2,1,2
+63130,7,2,2,16,NA,5,6,2,16,196,NA,NA,2,2,1,8,NA,NA,NA,1,2,1,NA,NA,NA,1,2,1,NA,10767.566937,12084.516227,2,91,99,1,0,7,3,0,4,0,1,36,2,9,1,2
+63131,7,2,2,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8480.466509,9125.076563,1,100,13,13,NA,5,5,2,0,0,2,54,1,4,5,NA
+63132,7,2,2,80,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,4,2,NA,1,2,1,1,2,2,1,2,1,NA,18698.205673,19635.336647,1,97,15,15,4.81,5,5,0,1,1,1,51,2,5,1,5
+63133,7,2,1,24,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,35669.2076,40318.090187,2,94,8,8,2.33,4,4,2,0,0,1,24,1,2,6,NA
+63134,7,2,2,66,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,3,2,NA,2,2,2,2,2,2,2,2,2,2,11851.128358,12345.740673,2,93,4,4,0.69,4,4,0,1,1,2,66,2,3,2,NA
+63135,7,2,1,15,NA,4,4,2,15,190,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,7,7,1.74,4,4,0,2,0,2,47,1,5,4,NA
+63136,7,2,1,18,NA,3,3,2,18,224,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,66448.116716,70579.976727,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+63137,7,2,1,49,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19898.840409,19922.416835,2,94,15,15,5,2,2,0,0,0,1,49,2,5,1,5
+63138,7,2,1,15,NA,3,3,2,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,76583.482739,78051.61978,3,91,4,4,0.92,3,3,0,1,0,2,53,1,4,1,4
+63139,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,24118.129224,23465.858863,2,96,3,3,0.59,3,3,1,0,0,2,25,1,4,1,NA
+63140,7,2,2,9,NA,1,1,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12307.832776,12437.228482,2,93,77,77,NA,7,7,3,1,0,2,43,2,1,1,9
+63141,7,2,2,34,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,27303.803575,30038.060995,1,96,10,10,2.95,4,4,0,1,0,2,34,2,3,1,5
+63142,7,2,1,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19064.767778,19872.734197,2,93,10,10,3.93,3,3,0,0,2,1,54,1,5,1,5
+63143,7,2,1,70,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,10498.47031,11456.643725,3,90,4,4,1.22,2,2,0,0,2,2,69,2,4,1,1
+63144,7,2,1,1,21,2,2,2,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10803.555682,11145.535856,2,94,7,7,1.34,5,5,2,1,0,1,32,2,1,1,NA
+63145,7,2,1,50,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,15044.515884,15040.577827,3,90,5,5,0.87,4,4,0,0,0,2,43,2,3,5,NA
+63146,7,2,2,6,NA,4,4,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8362.256577,9003.967662,2,100,3,3,0.38,5,5,2,1,0,2,28,1,2,5,NA
+63147,7,2,1,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,31010.243793,32025.638239,3,92,6,6,1.41,4,3,0,1,0,1,41,1,4,1,4
+63148,7,2,1,40,NA,1,1,2,NA,NA,2,NA,2,2,77,NA,3,1,NA,2,2,2,1,2,2,2,2,2,2,31640.296506,31176.023929,2,94,6,4,1.38,2,1,0,0,0,1,40,2,3,1,NA
+63149,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,145772.192378,153127.526275,1,95,9,9,2.66,4,4,0,2,0,1,45,1,3,1,3
+63150,7,2,1,19,NA,3,3,2,19,229,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,93665.036597,95017.313859,1,91,15,15,5,4,4,0,1,0,1,45,1,5,1,5
+63151,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,17212.153036,21760.360036,3,90,7,6,2.42,2,1,0,0,0,1,44,1,2,6,NA
+63152,7,2,2,62,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15277.358397,15812.991914,2,96,5,1,0,2,1,0,0,1,1,46,2,3,3,NA
+63153,7,2,1,2,NA,2,2,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13002.944731,13931.716845,2,91,2,2,0.42,3,3,1,1,0,2,27,1,3,5,NA
+63154,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,51543.062078,51154.050295,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+63155,7,2,1,18,NA,3,3,2,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,68148.957861,67253.324127,1,93,15,15,3.92,5,5,0,1,0,2,54,1,5,1,5
+63156,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,49260.413155,50771.674072,2,100,8,8,3.4,2,2,0,0,2,1,69,1,4,1,4
+63157,7,2,1,13,NA,3,3,2,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,32477.57544,32050.74555,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+63158,7,2,2,0,5,3,3,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10263.789813,10611.184403,1,94,8,8,1.39,7,7,2,0,1,2,52,1,5,2,NA
+63159,7,2,1,48,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,37724.155022,39553.56554,2,102,4,4,1.16,2,2,0,0,0,1,48,1,4,1,4
+63160,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,130577.02995,132175.980892,1,98,5,5,1.81,1,1,0,0,1,2,61,1,3,2,NA
+63161,7,2,2,37,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,4,3,2,2,2,2,1,2,2,2,2,2,2,39450.135734,38385.688196,2,93,9,9,1.94,6,6,0,3,0,2,37,NA,NA,3,NA
+63162,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19000.571418,18807.33617,1,96,8,8,4.48,1,1,0,0,0,2,58,1,4,3,NA
+63163,7,2,1,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,146181.198007,148606.927767,2,91,15,2,0.85,7,1,0,0,1,1,49,NA,NA,5,NA
+63164,7,2,1,54,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,27343.459193,27021.369249,1,90,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+63165,7,1,2,13,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16537.460749,0,2,100,1,1,0.04,4,4,0,2,0,1,34,NA,NA,6,NA
+63166,7,2,2,17,NA,4,4,2,17,205,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10848.628906,11198.221038,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+63167,7,2,1,37,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12327.761744,13424.968474,3,90,12,12,NA,5,5,1,2,0,1,37,2,5,1,5
+63168,7,2,1,10,NA,5,6,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8580.826574,9087.233306,1,92,14,14,2.42,6,6,1,3,0,1,30,1,4,6,NA
+63169,7,2,2,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,53955.606082,55487.991675,2,100,6,6,1.7,3,3,0,1,0,2,33,1,4,6,NA
+63170,7,2,2,53,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,22224.73066,22340.630739,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+63171,7,2,1,20,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,9162.933592,9412.398479,1,103,5,5,0.65,6,6,0,0,1,2,26,2,4,5,NA
+63172,7,2,2,68,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,2,NA,2,2,2,1,2,2,2,2,2,2,13057.178942,15139.165763,1,102,6,6,1.18,5,5,0,2,1,2,42,2,2,2,NA
+63173,7,2,1,18,NA,5,6,2,18,217,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,5096.872559,5447.231524,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+63174,7,2,2,47,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,29650.79971,34013.933936,2,90,14,14,5,1,1,0,0,0,2,47,1,5,5,NA
+63175,7,2,1,15,NA,3,3,1,15,184,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,31348.486193,31739.246143,1,98,5,5,0.74,5,5,0,3,0,1,35,1,2,6,NA
+63176,7,2,1,19,NA,4,4,2,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13513.882801,1,96,4,4,0.65,4,4,0,0,0,1,19,1,4,NA,NA
+63177,7,2,1,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,8355.583627,8420.94363,2,93,10,10,3.93,3,3,0,0,2,1,54,1,5,1,5
+63178,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,30543.064147,31583.211468,2,101,8,8,2.81,3,3,0,1,0,1,35,1,1,1,2
+63179,7,2,1,8,NA,2,2,1,8,100,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,13898.598114,14013.214919,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+63180,7,2,1,50,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10857.294346,10859.552755,1,91,15,15,5,6,6,0,2,2,1,50,2,5,1,5
+63181,7,2,2,67,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,10308.451947,2,90,8,8,2.01,4,4,0,0,1,2,67,2,4,2,NA
+63182,7,2,2,14,NA,4,4,2,14,171,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10671.280357,10591.403308,1,99,15,8,2.7,4,3,0,2,0,1,49,1,4,6,NA
+63183,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,20135.631696,26575.299535,1,96,4,4,1.12,2,2,0,1,0,2,44,1,2,5,NA
+63184,7,2,1,3,NA,3,3,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,86817.367332,95073.481824,2,91,15,15,5,4,4,2,0,0,1,34,1,5,1,5
+63185,7,2,1,3,NA,4,4,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,11070.778245,1,100,3,3,0.73,3,3,2,0,0,2,39,1,3,5,NA
+63186,7,2,1,11,NA,5,7,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11611.58308,11813.013945,1,98,14,14,3.16,6,6,2,2,0,1,39,1,5,1,5
+63187,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,26773.686592,29962.63786,2,98,6,6,1.7,2,2,0,0,2,2,80,1,2,1,2
+63188,7,2,2,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,12782.405209,13353.125929,1,100,3,3,1.17,1,1,0,0,1,2,60,1,4,4,NA
+63189,7,2,2,0,5,4,4,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4964.196196,5018.399368,1,93,1,1,0.16,3,3,1,1,0,2,39,1,3,5,NA
+63190,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,104765.204996,105038.68379,2,92,15,15,5,5,5,0,3,0,2,46,1,5,1,5
+63191,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,70667.985128,72578.248908,2,92,15,7,3.67,2,1,0,0,0,2,30,1,5,1,NA
+63192,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,41229.806244,46206.205733,2,103,6,6,1.82,2,2,0,0,2,1,70,1,2,5,NA
+63193,7,2,2,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,26389.420306,26882.397721,2,98,3,3,0.96,1,1,0,0,0,2,41,1,4,3,NA
+63194,7,2,2,56,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,2,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12649.084278,13204.362319,3,90,4,4,0.92,3,3,0,0,1,2,56,2,2,1,2
+63195,7,2,1,59,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,3,1,NA,2,2,2,2,2,2,1,2,1,2,24211.824535,24594.266281,2,93,8,8,2.57,3,3,0,0,1,1,59,2,3,1,3
+63196,7,2,1,39,NA,4,4,1,NA,NA,2,NA,2,1,4,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18838.303827,18900.579975,2,93,12,12,NA,4,4,1,1,0,2,27,2,4,1,4
+63197,7,2,2,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,18070.666316,17918.945427,1,99,7,7,2.38,2,2,0,0,0,2,27,1,5,1,5
+63198,7,2,1,80,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,7199.330978,7340.349591,1,93,4,4,1.56,1,1,0,0,1,1,80,2,5,2,NA
+63199,7,2,1,12,NA,3,3,1,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,27156.800586,27669.661454,1,92,5,5,1.05,3,3,1,1,0,2,35,1,4,5,NA
+63200,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,164722.990078,163821.547042,1,90,15,15,5,3,3,0,0,0,1,59,1,5,1,5
+63201,7,2,1,7,NA,1,1,1,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12665.770043,13116.669484,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+63202,7,2,1,0,3,5,7,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6371.499593,6469.293142,2,95,12,14,3.93,4,3,1,0,0,1,35,1,5,1,4
+63203,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35334.703093,40990.264786,1,101,3,3,0.9,1,1,0,0,1,2,80,1,2,2,NA
+63204,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,26757.554986,26943.613048,2,97,7,7,1.89,3,3,0,0,0,1,50,1,2,1,2
+63205,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,28216.191929,28480.821588,1,101,7,7,1.83,3,3,0,0,2,1,67,1,1,1,2
+63206,7,2,1,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,14204.262514,14001.792163,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+63207,7,2,2,8,NA,3,3,2,8,107,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,52414.628675,53163.961325,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+63208,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105261.096488,116369.237268,1,97,15,15,5,3,3,1,0,0,2,31,1,5,1,5
+63209,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,65033.706797,70202.805273,1,102,8,8,2.42,4,4,0,2,0,2,34,1,4,1,3
+63210,7,2,1,10,NA,4,4,2,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7250.311091,8640.316317,2,99,2,2,0.2,7,7,1,2,1,1,63,1,1,2,NA
+63211,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,93110.905446,112207.13845,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+63212,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,11764.405491,12074.424659,1,97,4,4,1.34,1,1,0,0,1,1,62,1,5,5,NA
+63213,7,2,1,43,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13535.287828,13486.390654,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+63214,7,2,1,37,NA,1,1,1,NA,NA,2,NA,2,1,5,NA,1,6,NA,2,2,2,1,2,2,1,2,2,2,37715.365512,38126.275234,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+63215,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,11862.334174,1,96,15,15,5,3,3,0,0,1,2,62,1,4,3,NA
+63216,7,2,1,54,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,29042.244317,28700.143679,1,90,12,12,NA,4,4,0,0,0,1,54,2,4,1,2
+63217,7,1,2,8,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16195.492817,0,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+63218,7,2,1,35,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,34887.439952,35451.076414,2,94,3,3,0.82,2,2,0,0,0,1,35,2,1,1,2
+63219,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,20698.946375,20973.485449,3,91,15,15,5,1,1,0,0,0,1,39,2,5,5,NA
+63220,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,22634.531479,23281.741513,1,103,9,2,0.81,3,1,0,0,0,1,27,1,5,5,NA
+63221,7,2,2,67,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,16352.915834,18960.412859,3,92,8,8,2.97,2,2,0,0,1,1,49,1,2,3,NA
+63222,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20360.306379,19986.123493,2,99,15,15,5,2,2,0,0,0,2,51,1,5,1,5
+63223,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,174307.982009,1,95,7,7,3.21,1,1,0,0,0,1,59,1,4,3,NA
+63224,7,2,2,31,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,29102.738194,28317.485179,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+63225,7,2,2,63,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,11862.334174,1,96,12,12,NA,5,5,2,0,1,2,63,2,5,3,NA
+63226,7,2,2,2,NA,2,2,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9267.834226,9392.475614,2,93,77,77,NA,4,4,1,1,0,2,33,2,4,1,4
+63227,7,2,2,40,NA,1,1,1,NA,NA,2,NA,99,NA,NA,NA,3,1,2,2,2,2,2,2,2,NA,NA,NA,NA,25713.328161,31117.9447,1,103,5,5,0.74,5,5,1,1,0,2,40,99,3,1,1
+63228,7,2,1,27,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,44074.735764,53571.145963,2,91,4,4,0.84,3,3,1,0,0,2,21,1,4,1,2
+63229,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,19440.793325,19514.660132,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+63230,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14455.875684,16658.375886,1,93,9,9,5,1,1,0,0,0,1,48,2,5,5,NA
+63231,7,2,2,42,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,4,5,2,2,2,2,2,2,2,2,2,1,2,29141.220673,30195.229087,2,99,99,1,0,4,1,0,0,0,2,42,2,4,5,NA
+63232,7,2,2,14,NA,4,4,1,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10128.026158,10319.790822,2,103,7,7,1.48,5,5,0,1,1,2,80,1,4,3,NA
+63233,7,2,1,32,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,23284.536512,27522.885754,1,97,5,5,1.04,4,4,1,1,0,1,32,1,3,6,NA
+63234,7,2,2,35,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,20310.041341,20837.576644,1,92,3,3,0.9,1,1,0,0,0,2,35,1,5,5,NA
+63235,7,2,2,63,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,16352.915834,17093.606152,3,92,3,3,0.95,2,2,0,0,2,2,63,1,4,1,1
+63236,7,2,1,80,NA,2,2,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,14200.083364,14896.175407,2,98,3,3,1.1,1,1,0,0,1,1,80,1,3,3,NA
+63237,7,2,1,2,NA,3,3,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49276.9767,53002.397569,2,98,15,15,5,3,3,1,0,0,1,26,1,4,1,4
+63238,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,2,2,NA,2,2,2,1,2,2,NA,NA,NA,NA,18006.276697,19962.608629,2,93,3,3,0.66,2,2,0,0,1,2,80,2,2,2,NA
+63239,7,2,2,6,NA,4,4,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9399.281543,9563.245188,2,96,4,4,0.57,5,5,0,3,0,2,26,1,2,5,NA
+63240,7,2,1,5,NA,2,2,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17306.08847,2,98,6,6,1.07,5,5,3,0,0,2,24,1,3,1,3
+63241,7,1,1,9,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37831.648033,0,1,99,77,77,NA,4,4,0,2,0,2,45,1,3,1,NA
+63242,7,2,1,59,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,25221.349696,24851.265269,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+63243,7,2,1,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13058.677088,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+63244,7,2,1,4,NA,4,4,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9228.425814,10175.8485,1,96,8,8,2,4,4,1,2,0,2,40,1,4,5,NA
+63245,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,99275.150567,100291.087043,2,95,12,5,1.79,2,1,0,0,0,2,40,1,4,6,NA
+63246,7,2,1,13,NA,4,4,2,13,167,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13416.172328,13513.882801,1,96,15,15,5,4,4,0,1,0,1,42,2,4,1,4
+63247,7,2,1,19,NA,5,7,2,19,239,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13251.602554,13277.802057,1,96,15,15,5,3,3,0,0,0,2,40,1,5,1,4
+63248,7,2,1,75,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,67447.112074,71391.281096,1,101,15,15,5,3,3,0,0,2,1,75,1,2,1,2
+63249,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,102183.259724,105037.978798,2,90,15,8,4.59,2,1,0,0,2,1,67,1,5,6,NA
+63250,7,2,1,17,NA,3,3,2,17,212,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,88198.948426,91036.751291,1,101,9,9,2.6,4,4,0,1,2,2,63,1,4,1,4
+63251,7,2,2,80,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,1,2,NA,1,2,1,1,2,2,NA,NA,NA,NA,15288.064726,15818.288224,3,91,3,3,0.54,3,3,0,0,1,1,57,2,4,1,3
+63252,7,2,1,7,NA,4,4,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11709.3276,12266.117914,1,100,8,8,3.3,2,2,0,1,0,2,44,1,4,3,NA
+63253,7,2,2,13,NA,4,4,2,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11160.089502,11615.801738,2,99,99,99,NA,5,5,0,2,0,2,20,1,3,6,NA
+63254,7,2,2,72,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,2,1,NA,2,2,2,1,2,2,1,2,2,NA,23271.708938,25108.705116,1,102,7,7,1.7,4,4,0,0,2,1,44,1,4,4,NA
+63255,7,1,1,64,NA,4,4,NA,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,6239.974623,0,1,96,77,77,NA,2,2,0,0,2,1,64,1,5,1,5
+63256,7,2,1,9,NA,4,4,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10122.702296,10196.10824,2,93,9,9,2.86,4,4,1,1,0,1,30,1,4,6,NA
+63257,7,2,2,6,NA,5,6,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6834.715094,7332.504615,2,90,5,5,1.08,3,3,0,1,0,2,29,2,4,1,5
+63258,7,2,1,1,12,3,3,2,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46703.291366,54723.864587,1,93,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+63259,7,2,2,7,NA,1,1,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10118.363218,10311.586628,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+63260,7,2,2,42,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,36276.046363,36418.32035,2,91,99,99,NA,3,3,0,0,0,1,40,NA,NA,1,4
+63261,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20434.221508,20198.461156,1,102,15,15,5,3,3,0,1,0,1,41,1,5,1,5
+63262,7,2,2,76,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,2,2,NA,2,2,2,1,2,2,2,2,2,NA,19352.965911,23161.019266,1,103,6,6,0.97,6,6,0,3,1,2,50,2,1,1,1
+63263,7,2,1,53,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,2,2,2,2,2,2,1,2,2,1,24211.824535,24594.266281,2,93,6,6,1.39,4,4,0,0,0,1,53,2,3,1,3
+63264,7,2,1,32,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,1,1,2,2,1,2,1,NA,20963.414192,21636.182301,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+63265,7,2,2,28,NA,4,4,2,NA,NA,2,NA,2,2,1,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,28823.434754,27922.831827,1,97,6,1,0,2,1,0,0,0,1,31,1,5,6,NA
+63266,7,2,1,0,10,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6575.334977,7272.954395,2,95,2,2,0.42,3,3,2,0,0,1,25,1,3,5,NA
+63267,7,2,2,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,35965.834545,38220.111719,1,101,3,3,1.12,1,1,0,0,1,2,72,1,3,2,NA
+63268,7,2,1,12,NA,2,2,1,12,154,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15506.325263,16662.012915,1,103,5,5,0.74,5,5,0,1,0,1,47,2,1,1,1
+63269,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,25840.959268,29976.982116,1,101,77,77,NA,2,2,0,0,2,2,80,1,1,2,NA
+63270,7,2,1,4,NA,1,1,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17306.08847,2,98,14,14,3.25,5,5,2,1,0,1,37,1,5,1,5
+63271,7,2,1,19,NA,5,6,1,19,236,2,NA,2,2,5,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8062.957534,8614.793403,1,92,12,12,NA,7,7,1,2,1,2,45,2,3,1,3
+63272,7,2,2,20,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,NA,NA,NA,1,2,2,1,114993.808573,116714.079488,1,98,7,NA,NA,4,1,0,0,0,2,20,1,4,5,NA
+63273,7,2,1,66,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11492.781131,11942.286414,1,100,15,15,5,2,2,0,0,2,2,64,1,3,1,3
+63274,7,2,2,5,NA,5,7,1,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11956.543345,12952.739683,1,94,2,2,0.33,5,5,1,3,0,2,37,1,4,3,NA
+63275,7,2,1,0,3,3,3,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22570.662508,23423.888442,1,92,9,9,2,6,6,1,3,0,1,33,1,4,1,4
+63276,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,18079.825103,18175.893804,2,97,3,3,0.92,1,1,0,0,1,1,67,1,1,2,NA
+63277,7,2,1,18,NA,3,3,2,18,224,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,69216.263169,70543.167563,1,91,14,14,3.15,5,5,0,1,0,2,50,1,5,1,5
+63278,7,2,2,3,NA,5,6,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7029.864692,7462.832472,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+63279,7,2,1,1,18,4,4,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5770.570361,6126.790978,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+63280,7,2,1,12,NA,5,6,1,12,150,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7558.274942,7903.176011,2,96,15,15,5,3,3,0,2,0,2,42,2,5,4,NA
+63281,7,2,1,40,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,35406.972937,35699.930106,2,98,6,6,1.21,4,4,1,0,0,2,49,2,2,6,NA
+63282,7,2,1,5,NA,5,7,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11081.601387,11216.767571,2,95,6,6,1.3,4,4,1,1,0,1,47,1,5,1,4
+63283,7,2,1,36,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19133.795531,19387.575333,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+63284,7,2,1,79,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,81415.860066,87761.355472,1,97,7,7,2.64,2,2,0,0,2,1,79,1,4,1,3
+63285,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,42992.537371,49508.460769,2,95,3,3,1.16,1,1,0,0,1,2,80,1,3,2,NA
+63286,7,2,2,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,10402.056617,1,101,4,4,0.79,3,3,1,0,0,1,41,1,3,1,3
+63287,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,18956.418923,20374.294465,2,101,99,99,NA,3,3,0,1,1,2,78,1,1,2,NA
+63288,7,2,2,58,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16033.091438,16307.204086,1,96,77,77,NA,4,4,0,0,0,1,52,2,5,1,5
+63289,7,2,1,6,NA,3,3,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47990.623546,51629.685381,1,100,15,15,4.07,5,5,0,2,0,2,41,1,5,1,4
+63290,7,2,2,16,NA,4,4,2,16,201,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11436.28571,11295.489882,1,93,1,1,0.02,5,5,0,4,0,2,36,NA,NA,5,NA
+63291,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,21799.527449,22114.217255,1,96,14,14,5,1,1,0,0,0,1,47,1,5,3,NA
+63292,7,2,2,6,NA,5,7,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12292.225251,12666.385814,1,95,14,14,3.04,6,6,0,4,0,1,56,1,5,1,4
+63293,7,2,2,61,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,9570.416297,10355.226074,2,98,5,5,1.93,1,1,0,0,1,2,61,1,2,2,NA
+63294,7,2,2,62,NA,5,7,1,NA,NA,2,NA,2,1,5,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9525.506997,9950.810696,2,93,9,9,5,1,1,0,0,1,2,62,2,4,3,NA
+63295,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,44886.08631,48362.89646,2,102,6,6,1.15,5,5,0,0,2,1,80,1,5,1,1
+63296,7,2,2,55,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16672.82247,17074.238333,1,92,15,15,4.44,5,5,0,0,1,1,65,NA,NA,1,5
+63297,7,2,1,50,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,182298.775287,1,101,14,14,5,3,3,0,1,0,2,36,1,5,1,5
+63298,7,2,2,22,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16291.99448,17037.586582,1,90,15,15,3.7,5,5,0,0,0,1,54,NA,NA,1,NA
+63299,7,2,1,17,NA,1,1,1,17,208,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22768.423624,23116.446945,2,98,9,9,2.6,4,4,0,2,0,1,30,1,2,1,2
+63300,7,2,2,5,NA,1,1,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19235.084509,21236.049482,3,92,4,4,0.65,4,4,2,0,0,2,20,1,3,5,NA
+63301,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,12433.776145,13392.195631,2,99,6,6,1.39,4,4,1,0,1,2,63,1,3,3,NA
+63302,7,2,1,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,123110.069898,131423.888983,1,101,5,5,1.45,2,2,0,0,0,2,49,1,4,3,NA
+63303,7,2,1,7,NA,1,1,2,7,85,NA,NA,2,2,3,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11546.167056,12698.029578,1,90,4,4,0.47,7,7,1,1,0,2,50,2,1,1,1
+63304,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,98760.497744,125641.994435,2,91,15,6,2.69,2,1,0,0,0,1,44,1,3,5,NA
+63305,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16905.961576,17390.157008,2,94,7,7,1.18,7,7,1,4,0,2,31,1,4,6,NA
+63306,7,2,1,37,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,34438.924452,34418.648235,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+63307,7,2,1,8,NA,3,3,1,8,104,NA,NA,1,1,NA,1,NA,NA,NA,1,NA,2,1,2,2,1,2,2,1,66868.503099,69864.859716,1,98,15,15,4.34,4,4,1,1,0,1,41,1,5,1,5
+63308,7,2,1,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,22497.998055,22497.243767,1,102,4,2,0.73,2,1,0,0,0,1,36,NA,NA,4,NA
+63309,7,2,1,0,10,5,6,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9148.090461,9898.749752,1,92,14,14,3.3,4,4,2,0,0,1,28,1,4,1,4
+63310,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,25964.813959,25539.412946,2,101,2,2,0.74,1,1,0,0,0,2,53,1,2,5,NA
+63311,7,2,1,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7610.147862,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+63312,7,2,1,74,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,65208.881742,76821.663824,3,91,7,7,2.92,2,2,0,0,2,1,74,1,3,1,3
+63313,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20297.001922,20419.260869,1,96,15,15,5,2,2,0,0,0,1,56,1,5,1,5
+63314,7,2,2,0,8,4,4,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4200.172174,4368.199293,2,93,10,10,2.26,6,6,2,0,0,1,34,1,4,1,4
+63315,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17852.668137,18502.046882,3,91,3,3,0.54,3,3,0,0,1,1,57,2,4,1,3
+63316,7,2,1,10,NA,4,4,2,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9023.469661,9333.449986,2,90,14,14,4.25,4,4,0,2,1,2,45,2,5,5,NA
+63317,7,2,1,32,NA,5,6,2,NA,NA,1,1,2,2,5,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17585.737085,18369.998342,2,91,12,5,2.2,3,1,0,0,0,1,29,NA,NA,5,NA
+63318,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17115.540769,2,97,12,6,2.75,3,1,0,0,0,1,21,NA,NA,77,NA
+63319,7,1,2,51,NA,5,6,NA,NA,NA,2,NA,2,1,7,NA,5,77,NA,1,2,2,1,2,2,NA,NA,NA,NA,18322.475193,0,3,91,12,14,5,2,1,0,0,0,2,51,2,5,77,NA
+63320,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16844.740449,17983.530016,3,91,7,7,2.72,2,2,0,0,0,2,27,2,5,1,5
+63321,7,2,1,6,NA,3,3,2,6,82,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,65374.972543,69123.624578,1,90,15,15,5,4,4,0,2,0,1,37,1,5,1,5
+63322,7,2,2,6,NA,4,4,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9460.53021,9835.43092,1,96,6,6,1.98,2,2,0,1,0,2,29,1,3,5,NA
+63323,7,2,2,48,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16833.890659,17522.038775,3,91,15,15,5,4,4,0,2,0,1,38,2,5,1,5
+63324,7,2,1,35,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,1,NA,NA,NA,NA,11715.79771,11871.189399,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+63325,7,2,2,2,NA,1,1,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,15816.39252,3,92,15,15,5,3,3,1,0,0,1,41,2,5,1,3
+63326,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,11574.200203,11257.441852,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+63327,7,2,1,14,NA,3,3,1,14,176,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25736.568804,25798.716176,3,92,5,5,1.03,4,4,0,3,0,1,55,1,4,4,NA
+63328,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9793.924718,10231.212981,2,100,10,10,2.75,5,5,1,1,1,1,27,1,3,1,5
+63329,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,27842.199551,30775.350974,1,90,15,15,5,2,2,0,0,2,1,74,1,3,1,3
+63330,7,2,1,51,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,174520.785302,174976.353865,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+63331,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,64048.78027,64245.709042,2,95,6,6,1.98,2,2,0,0,0,1,35,1,4,1,4
+63332,7,2,2,15,NA,1,1,1,15,186,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18515.058419,19360.671834,2,96,6,6,0.87,6,6,1,3,0,1,46,2,1,1,1
+63333,7,2,1,66,NA,4,4,1,NA,NA,2,NA,2,2,8,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,8062.039403,9043.239367,2,103,4,4,0.99,2,2,0,0,2,1,66,2,3,1,NA
+63334,7,2,1,9,NA,1,1,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10890.103352,10791.203193,1,102,4,4,0.61,5,5,2,2,0,2,27,2,2,5,NA
+63335,7,2,1,10,NA,4,4,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10665.048307,10877.092316,1,96,6,6,1.52,3,3,0,1,0,2,44,1,3,1,3
+63336,7,2,2,9,NA,5,6,1,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7932.110938,8316.610099,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+63337,7,2,1,75,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,8544.243039,9048.352361,2,95,12,12,NA,3,3,0,0,3,2,73,1,2,1,1
+63338,7,2,1,31,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,28996.250643,28582.932384,2,101,14,14,5,1,1,0,0,0,1,31,1,4,3,NA
+63339,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,15747.833197,16391.584661,3,91,14,14,4.03,4,4,0,2,0,1,51,2,4,1,5
+63340,7,2,1,26,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,34629.549705,1,94,5,5,0.74,5,5,1,1,0,2,24,1,3,1,4
+63341,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,18094.847125,18029.478224,3,91,14,9,2.68,6,4,0,0,2,1,48,2,1,1,1
+63342,7,2,1,10,NA,5,6,2,11,132,NA,NA,2,2,2,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8151.552109,8792.161653,1,90,14,14,3.98,3,3,0,1,0,1,33,2,5,1,5
+63343,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,129042.31855,133624.984525,2,101,14,14,4.86,3,3,0,1,0,1,53,1,4,1,5
+63344,7,2,2,26,NA,1,1,1,NA,NA,2,NA,2,2,1,NA,5,1,2,2,1,2,2,2,2,NA,NA,NA,NA,46606.430863,48004.221702,2,102,15,15,5,3,3,1,0,0,1,41,2,2,1,5
+63345,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10598.2543,1,99,6,6,1.84,2,2,0,0,2,1,69,1,3,1,4
+63346,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,51543.062078,54553.310105,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+63347,7,2,2,15,NA,1,1,1,15,189,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,26325.414456,26852.811114,3,92,7,7,1.3,5,5,1,2,0,2,33,2,2,1,1
+63348,7,1,2,10,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14716.367649,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+63349,7,2,2,48,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,20001.392001,24207.190257,1,100,99,99,NA,6,6,0,1,0,1,53,2,2,1,3
+63350,7,2,1,16,NA,3,3,1,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,103085.56884,109495.609645,1,94,15,15,5,4,4,0,1,0,1,41,1,5,1,5
+63351,7,2,2,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,26465.930618,26744.909102,2,100,14,14,4.59,3,3,1,0,0,1,30,NA,NA,1,4
+63352,7,2,1,64,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,125558.167126,127168.668278,1,94,15,15,5,4,3,0,0,1,1,33,1,2,5,NA
+63353,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,36283.627734,36608.028102,1,102,5,1,0.21,5,4,1,1,0,2,24,1,4,5,NA
+63354,7,2,2,1,17,4,4,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7881.296797,8480.363269,2,96,14,14,3.06,5,5,1,1,1,2,54,1,3,6,NA
+63355,7,2,2,9,NA,1,1,2,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17596.36942,17952.278489,1,97,4,4,0.65,4,4,0,1,0,2,45,2,2,3,NA
+63356,7,1,2,70,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,29145.675285,0,3,92,6,6,1.98,2,2,0,0,2,1,72,1,4,1,1
+63357,7,2,2,31,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,2,6,2,2,2,2,1,2,2,2,2,2,2,31460.18163,32805.207594,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+63358,7,2,1,6,NA,3,3,2,6,82,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14307.565788,15198.555052,3,91,3,3,0.76,3,3,0,1,0,2,24,1,4,6,NA
+63359,7,1,1,1,16,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50163.512784,0,1,90,15,15,5,4,4,1,1,0,2,39,1,5,1,4
+63360,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35525.197101,39677.515157,2,93,8,8,2.17,4,4,0,0,2,2,62,1,4,3,NA
+63361,7,2,1,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,8232.241159,8296.636338,2,98,6,6,2.75,1,1,0,0,1,1,67,1,5,2,NA
+63362,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,38758.039282,0,1,101,6,6,1.78,2,2,0,0,2,1,80,1,2,1,1
+63363,7,2,2,65,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,35475.142583,36054.748166,2,95,2,2,0.75,1,1,0,0,1,2,65,1,5,5,NA
+63364,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,21143.97379,23464.841482,1,97,12,12,NA,4,4,0,0,2,1,72,1,2,1,3
+63365,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,1,2,2,2,2,1,2,23200.373382,24548.135184,2,93,5,5,1.26,3,3,0,1,0,1,55,2,2,1,2
+63366,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5221.819282,5505.774343,3,90,3,3,0.37,5,5,2,2,0,2,36,2,4,4,NA
+63367,7,2,1,10,NA,4,4,1,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8714.559478,8865.734494,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+63368,7,2,2,6,NA,1,1,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14300.71869,15541.734563,2,94,9,9,2.1,5,5,1,2,0,1,31,2,4,1,4
+63369,7,2,2,10,NA,4,4,2,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8147.287486,8590.325322,2,90,8,8,2.59,3,3,0,2,0,2,35,1,4,6,NA
+63370,7,2,2,6,NA,2,2,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15148.721588,15796.67129,2,91,2,2,0.22,4,4,0,3,0,2,45,2,5,4,NA
+63371,7,2,1,13,NA,4,4,2,13,161,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10162.625863,10628.468372,2,99,5,5,0.78,5,5,2,2,0,2,30,1,3,5,NA
+63372,7,2,2,2,NA,1,1,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9955.153132,10271.907274,2,94,77,77,NA,4,4,2,0,0,2,27,2,3,1,3
+63373,7,2,2,29,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16937.04417,23964.143641,2,98,9,9,3.83,2,2,1,0,0,2,29,2,4,5,NA
+63374,7,2,1,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,16851.334496,17374.092058,2,95,4,4,1.34,1,1,0,0,0,1,57,1,1,2,NA
+63375,7,2,2,17,NA,3,3,2,17,206,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22046.14863,22741.646094,2,97,9,9,1.45,7,7,1,2,2,2,45,1,3,5,NA
+63376,7,2,1,10,NA,1,1,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14042.313177,2,98,3,3,0.54,3,3,0,2,0,2,35,1,3,5,NA
+63377,7,2,2,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,28315.055559,38147.595136,1,96,15,15,5,2,2,0,1,0,2,39,1,4,5,NA
+63378,7,2,2,18,NA,1,1,1,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,16360.434077,17687.989006,3,91,5,5,1.03,4,4,0,2,0,2,42,2,1,5,NA
+63379,7,2,1,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9983.293162,10181.782419,1,97,4,4,0.46,7,7,3,3,0,2,31,1,3,1,NA
+63380,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,134450.153638,1,101,7,7,1.74,4,4,1,0,0,1,24,NA,NA,1,4
+63381,7,2,1,3,NA,4,4,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8947.841984,9500.1974,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+63382,7,2,1,39,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,30626.581617,30979.39441,2,90,6,6,0.96,5,5,1,1,0,1,39,2,2,1,NA
+63383,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16801.552467,2,97,6,6,1.7,2,2,0,0,1,2,62,2,5,1,2
+63384,7,2,2,13,NA,5,7,2,13,161,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9508.389138,9876.066661,3,91,8,8,2.24,4,4,0,2,0,1,45,1,4,1,4
+63385,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,15369.196003,16055.414165,1,100,15,5,2.15,2,1,0,0,2,1,60,1,5,6,NA
+63386,7,2,1,7,NA,2,2,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13927.458372,13742.678011,2,98,6,6,0.78,7,7,1,3,1,2,63,1,2,4,NA
+63387,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,25989.236835,2,101,99,1,0.23,3,1,0,0,0,1,20,1,4,5,NA
+63388,7,2,2,44,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,19100.40225,19426.955733,1,96,4,4,0.65,4,4,0,0,0,1,19,1,4,NA,NA
+63389,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,31313.292063,33738.773556,1,95,6,6,1.65,2,2,0,0,2,2,80,1,4,1,4
+63390,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,151766.599459,154414.492891,3,91,7,7,1.97,4,4,0,0,1,2,77,1,5,2,NA
+63391,7,2,1,70,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,4,1,NA,2,2,2,1,2,2,1,2,2,NA,11755.776731,12180.618102,3,90,7,7,1.15,7,7,2,1,1,2,30,1,9,1,4
+63392,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,63717.895797,67578.761066,2,101,5,5,1.36,2,2,0,0,0,2,22,1,4,5,NA
+63393,7,2,2,19,NA,1,1,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20502.928313,21226.512457,2,98,8,8,2.24,4,4,0,0,0,1,58,2,1,1,3
+63394,7,2,1,16,NA,5,6,1,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,5873.088927,6275.048272,1,103,6,6,1.82,2,2,0,1,0,2,56,2,5,77,NA
+63395,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,37456.985636,43133.944105,2,98,99,99,NA,2,2,0,0,2,2,80,1,3,1,1
+63396,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,26344.362464,28384.957988,2,95,13,13,NA,2,2,0,0,2,1,80,1,5,1,3
+63397,7,2,2,51,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,2,1,NA,1,2,1,1,2,1,1,2,1,NA,17018.449206,17108.441787,2,91,99,1,0,7,3,0,4,0,1,36,2,9,1,2
+63398,7,2,2,78,NA,5,6,1,NA,NA,2,NA,2,2,8,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,11812.364238,12222.042847,1,94,4,4,1.11,2,2,0,0,1,2,37,2,4,5,NA
+63399,7,2,2,5,NA,1,1,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18078.669459,18848.958225,1,101,2,2,0.26,5,5,3,0,0,2,26,1,2,1,3
+63400,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,14883.664782,14924.287598,2,90,8,6,1.46,4,3,1,1,0,2,21,1,5,6,NA
+63401,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,163194.688032,166437.638141,1,97,8,8,3.57,2,2,0,0,0,2,49,1,3,3,NA
+63402,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16844.740449,18124.20195,3,91,14,14,5,2,2,0,0,0,2,27,2,5,1,5
+63403,7,2,1,8,NA,4,4,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10199.928366,10684.945227,1,100,9,9,2.22,5,5,1,2,0,2,40,2,4,1,4
+63404,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,20048.680628,21335.7055,2,95,2,2,0.46,3,3,0,0,0,2,48,1,2,1,2
+63405,7,2,2,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,15914.916287,16468.700526,2,99,8,8,3.47,2,2,0,0,1,2,74,1,5,2,NA
+63406,7,2,1,12,NA,4,4,2,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12462.601191,12584.643654,2,97,5,5,0.92,5,5,0,3,0,2,54,1,3,2,NA
+63407,7,2,2,16,NA,4,4,1,16,203,NA,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12531.903464,13043.632492,2,100,4,4,0.86,3,3,0,2,0,2,36,1,3,5,NA
+63408,7,2,1,8,NA,4,4,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13818.701911,14596.53451,2,101,2,2,0.38,3,3,0,2,0,2,56,1,3,2,NA
+63409,7,2,2,69,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,11009.072628,11500.615946,2,99,2,2,0.53,2,2,0,0,1,2,69,1,4,2,NA
+63410,7,2,1,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16598.645683,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+63411,7,2,1,19,NA,4,4,2,19,233,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13863.378072,13964.345562,1,96,15,15,5,4,4,0,1,0,1,56,1,4,1,5
+63412,7,2,2,40,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,2,1,2,2,2,2,2,2,2,2,2,2,2,26889.724138,34281.795458,3,90,12,12,NA,2,2,0,1,0,2,40,2,2,1,NA
+63413,7,2,2,61,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,128294.718377,130390.843426,1,93,15,15,5,4,3,0,0,3,1,80,1,5,2,NA
+63414,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,113642.287024,118593.484239,1,101,9,6,2.24,2,1,0,0,0,2,27,1,3,6,NA
+63415,7,2,1,18,NA,4,4,2,18,226,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8364.097643,8526.060452,2,90,6,6,0.96,5,5,0,1,0,1,55,1,4,6,NA
+63416,7,2,2,7,NA,4,4,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7619.934086,8032.046596,1,103,8,8,1.95,4,4,0,1,0,2,48,1,5,1,5
+63417,7,2,2,6,NA,3,3,1,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,61745.495006,63723.291316,2,101,7,7,1.88,4,4,0,2,0,2,36,1,4,1,5
+63418,7,2,2,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,26595.398371,26963.678025,1,91,7,7,2.2,3,3,0,0,1,2,60,1,2,2,NA
+63419,7,2,1,2,NA,3,3,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25107.382643,27005.542261,1,95,6,6,1.35,3,3,1,0,0,1,22,1,3,1,4
+63420,7,2,1,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,21963.854411,22169.845613,2,102,3,3,1.29,1,1,0,0,1,1,62,1,4,3,NA
+63421,7,2,1,13,NA,5,6,1,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,8915.81491,9312.338117,1,92,2,2,0.33,5,5,0,1,0,1,51,2,1,4,NA
+63422,7,2,2,64,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,12043.867275,12495.995159,1,91,1,1,0.05,2,1,0,0,2,1,72,1,1,3,NA
+63423,7,2,2,2,NA,5,6,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6097.947961,6201.918891,1,96,15,15,4.34,4,4,1,1,0,1,36,2,5,1,5
+63424,7,2,1,17,NA,1,1,1,17,206,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24902.864049,25040.491572,1,94,5,5,0.94,4,4,0,2,0,2,37,2,3,1,2
+63425,7,2,1,51,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,1,1,2,2,1,2,2,1,13567.923118,13997.525763,3,91,14,14,4.03,4,4,0,2,0,1,51,2,4,1,5
+63426,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,33802.428047,1,95,3,3,1.19,1,1,0,0,0,1,58,1,2,3,NA
+63427,7,2,2,9,NA,4,4,2,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9565.802332,9920.158544,1,96,14,14,2.58,6,6,2,2,0,1,40,2,4,1,4
+63428,7,2,2,13,NA,1,1,1,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18515.058419,19360.671834,2,96,6,6,1.12,4,4,0,3,0,1,26,1,2,77,NA
+63429,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,16386.190684,20296.970403,2,90,7,4,1.38,2,1,0,0,0,1,21,1,3,5,NA
+63430,7,2,2,4,NA,3,3,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26966.264969,27815.81123,1,98,6,6,1.31,3,3,2,0,0,2,22,1,3,5,NA
+63431,7,2,1,34,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,2,5,NA,1,2,2,1,2,1,1,2,2,1,20071.705576,20599.326983,3,91,6,6,1.12,4,4,0,0,2,1,69,2,3,1,1
+63432,7,2,1,7,NA,3,3,1,7,89,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48147.167375,49984.220445,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+63433,7,2,1,4,NA,5,7,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10276.262805,11525.953064,1,97,15,15,4.77,4,4,1,1,0,2,40,1,5,1,5
+63434,7,2,2,23,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16844.740449,17849.904413,3,91,6,3,1.1,3,1,0,0,0,2,23,1,5,5,NA
+63435,7,2,1,14,NA,3,3,2,14,177,NA,NA,2,1,1,9,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,26858.274239,26923.130249,2,97,5,5,0.8,5,5,1,2,0,1,46,2,4,1,2
+63436,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,1,2,1,2,2,1,2,2,NA,29302.509441,32727.496464,2,95,15,15,5,3,3,0,0,1,2,47,1,4,1,5
+63437,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,128575.977224,133862.807708,1,102,6,4,1.38,2,1,0,0,0,2,23,1,5,5,NA
+63438,7,2,1,64,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,6358.062034,6283.458155,1,99,15,15,5,2,2,0,0,2,1,64,1,3,1,4
+63439,7,2,1,51,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,23431.677775,25582.72205,2,93,10,10,3.4,3,3,0,1,0,1,51,1,3,1,4
+63440,7,2,1,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,NA,54654.899954,58048.628546,2,103,6,6,1.82,2,2,0,0,2,1,70,1,2,5,NA
+63441,7,2,1,3,NA,2,2,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14505.510202,14676.996441,2,94,6,6,1.43,5,4,2,1,0,2,23,2,3,6,NA
+63442,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,24719.680932,27438.0417,1,97,4,4,1.61,1,1,0,0,0,2,51,1,4,3,NA
+63443,7,2,2,8,NA,3,3,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,23750.822126,1,95,7,7,1.17,6,6,1,3,0,2,44,1,4,1,NA
+63444,7,2,2,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8317.65714,8487.710712,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+63445,7,2,2,21,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,41527.748953,47819.246487,2,97,1,1,0.01,1,1,0,0,0,2,21,1,4,5,NA
+63446,7,2,1,16,NA,4,4,1,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,6,6,1.16,4,4,0,3,0,2,36,1,4,4,NA
+63447,7,2,2,9,NA,4,4,2,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8192.839047,8748.579234,2,99,5,5,1.32,2,2,0,1,0,2,34,1,4,5,NA
+63448,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,47098.572584,49762.054694,1,95,5,5,1.43,2,2,0,0,2,1,80,1,3,1,4
+63449,7,2,1,38,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,2,1,2,2,1,2,2,2,41241.224595,43514.733172,2,102,6,6,1.12,4,4,1,1,0,1,38,2,2,1,3
+63450,7,2,1,6,NA,2,2,1,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16028.98796,15961.028504,1,100,14,14,4.71,3,3,0,1,0,1,38,1,5,1,5
+63451,7,2,1,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16088.355002,17176.258631,2,100,13,13,NA,2,2,0,0,1,2,71,NA,NA,1,NA
+63452,7,2,1,11,NA,4,4,1,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10469.725162,11059.049224,1,100,1,1,0,4,4,1,2,0,2,35,1,2,5,NA
+63453,7,2,1,48,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,1,1,2,1,2,2,2,2,46745.699003,49120.516055,2,98,13,13,NA,5,5,0,2,0,1,48,2,1,1,2
+63454,7,2,1,13,NA,5,6,2,13,159,NA,NA,2,2,1,6,NA,NA,NA,1,1,1,NA,NA,NA,1,2,1,NA,10346.302718,11892.421636,2,91,99,1,0,7,3,0,4,0,1,36,2,9,1,2
+63455,7,2,1,30,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,24134.97174,25042.42256,1,98,7,7,1.52,4,4,2,0,0,1,30,1,3,1,4
+63456,7,2,1,80,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,17609.976188,17569.292452,1,98,15,15,5,5,5,0,1,1,2,55,1,5,1,5
+63457,7,2,1,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25807.688156,26357.095043,1,100,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+63458,7,2,2,0,1,2,2,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8264.844608,8090.961959,1,93,14,14,4.75,3,3,1,0,0,2,42,1,5,1,5
+63459,7,2,2,80,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,2,2,2,2,2,2,NA,21933.218587,23583.994398,1,93,2,2,0.43,2,2,0,0,2,2,80,2,1,2,NA
+63460,7,2,1,2,NA,3,3,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47507.757497,54303.981935,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+63461,7,2,2,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,34906.069211,35828.732314,1,103,1,1,0.03,3,3,0,0,0,1,50,1,2,3,NA
+63462,7,2,2,18,NA,4,4,2,18,218,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10484.6104,10912.740054,2,99,3,3,0.56,4,4,1,0,0,2,38,1,3,5,NA
+63463,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,117419.769432,119338.215671,2,95,15,15,5,2,2,0,0,1,1,54,NA,NA,1,4
+63464,7,2,1,7,NA,1,1,1,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17882.621856,18280.794545,3,92,8,8,1.55,6,6,1,3,0,2,38,1,5,1,4
+63465,7,2,1,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16385.890285,2,100,10,10,4.42,2,2,0,0,0,2,55,1,2,1,4
+63466,7,2,1,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17602.101156,21123.738865,1,96,14,14,2.19,7,7,0,2,0,1,39,1,2,1,3
+63467,7,2,2,10,NA,4,4,1,11,132,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9139.784234,11102.911341,2,100,6,6,0.85,6,6,0,2,0,1,59,1,3,1,3
+63468,7,2,1,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,26052.523863,2,101,NA,99,NA,2,1,0,0,0,1,55,1,2,3,NA
+63469,7,2,2,14,NA,2,2,2,14,175,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,14437.97544,16344.869867,2,90,3,3,0.38,5,5,0,4,0,2,33,2,2,5,NA
+63470,7,2,1,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6580.937346,7256.559544,2,97,3,3,0.66,3,3,2,0,0,2,19,1,3,NA,NA
+63471,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,37074.886861,38850.492434,1,101,3,3,1.07,2,1,0,0,1,2,65,1,3,3,NA
+63472,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,137368.929197,138597.101074,1,91,6,5,1.93,2,1,0,0,0,2,24,1,4,6,NA
+63473,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,31313.292063,33738.773556,1,101,7,7,2.31,2,2,0,0,2,2,80,1,4,1,2
+63474,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,74761.468834,80588.325624,2,91,7,7,1.89,3,3,0,0,2,2,69,NA,NA,1,4
+63475,7,2,1,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,111236.95715,110951.212312,2,92,15,6,2.75,2,1,0,0,0,1,41,1,4,5,NA
+63476,7,2,2,15,NA,1,1,1,15,187,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21818.047789,22469.060223,2,102,5,5,0.89,4,4,1,2,0,2,36,2,5,3,NA
+63477,7,2,2,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10389.292229,10657.457488,2,95,6,6,1.65,2,2,1,0,0,2,27,2,4,5,NA
+63478,7,2,1,62,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,22184.040999,24922.402846,2,94,3,3,1.01,1,1,0,0,1,1,62,1,3,3,NA
+63479,7,2,2,19,NA,4,4,1,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,1,1,0.16,4,1,0,0,0,2,21,1,4,5,NA
+63480,7,2,2,9,NA,1,1,1,9,117,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,10870.942302,10985.231575,2,103,5,5,0.89,5,5,1,3,0,2,34,2,1,99,NA
+63481,7,2,2,48,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,33737.181071,40665.783943,2,91,4,4,0.76,4,4,1,0,0,2,25,2,4,77,NA
+63482,7,2,2,43,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,22513.236051,21981.065205,1,91,10,10,2.56,5,5,0,3,0,1,51,2,5,1,4
+63483,7,2,1,2,NA,1,1,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14810.484787,14830.497242,1,92,10,10,3.04,4,4,2,0,0,2,37,2,5,1,5
+63484,7,2,1,69,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,95193.424282,96086.209653,1,100,5,5,2.15,1,1,0,0,1,1,69,1,5,3,NA
+63485,7,2,1,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18668.895165,18966.875509,1,96,13,13,NA,5,5,1,1,0,1,42,1,3,5,NA
+63486,7,2,2,11,NA,2,2,2,11,134,NA,NA,2,1,4,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15583.587534,16935.930722,1,93,15,15,5,4,4,0,2,0,1,50,1,5,1,5
+63487,7,2,1,17,NA,4,4,1,17,208,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12972.249316,12937.057154,1,100,15,15,3.7,5,5,0,3,0,1,51,1,5,1,5
+63488,7,2,2,6,NA,4,4,1,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9309.947844,9654.826166,2,98,14,14,3.36,4,4,0,2,0,1,37,1,4,1,4
+63489,7,2,1,32,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,85455.763827,87903.260844,2,92,10,10,4.89,2,2,0,0,0,2,34,2,5,1,5
+63490,7,2,2,11,NA,3,3,1,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58636.069237,60514.266203,1,100,6,6,1.18,5,5,2,2,0,2,40,1,5,3,NA
+63491,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,146951.437687,151959.13798,1,98,15,15,5,3,3,0,0,0,1,56,1,5,1,5
+63492,7,1,1,69,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,7101.739553,0,2,100,3,3,0.92,1,1,0,0,1,1,69,1,2,3,NA
+63493,7,2,2,65,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,2,1,2,1,3,14388.729229,15167.035829,1,90,2,2,0.33,2,2,0,0,2,2,65,2,3,1,5
+63494,7,2,2,0,2,4,4,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5099.47985,5303.483608,1,100,9,9,1.78,6,6,1,1,0,2,45,2,3,1,3
+63495,7,2,2,14,NA,5,7,1,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11419.438939,11635.655291,2,103,7,7,1.55,5,5,2,2,0,2,31,1,4,3,NA
+63496,7,2,1,58,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,124170.603852,125419.736085,2,98,6,6,2.57,1,1,0,0,0,1,58,1,3,3,NA
+63497,7,2,2,1,21,2,2,2,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10047.902864,11093.154402,1,90,3,3,0.43,4,4,2,0,0,1,31,1,3,6,NA
+63498,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,20131.904783,23186.488493,2,98,6,6,3.01,1,1,0,0,1,2,70,1,3,2,NA
+63499,7,2,2,33,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,1,6,2,2,2,2,2,2,2,2,2,2,2,38218.668882,37878.487888,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+63500,7,2,1,53,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,15001.445077,15740.201709,2,99,7,7,1.63,4,4,0,2,0,1,53,1,3,3,NA
+63501,7,1,2,4,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13366.393396,0,3,92,8,8,2.01,4,4,1,0,0,2,49,2,5,4,NA
+63502,7,2,1,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,11245.778093,11672.431186,1,98,5,5,1.59,2,2,0,0,2,1,73,1,2,1,5
+63503,7,2,2,3,NA,3,3,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,52983.056893,55223.723565,3,91,15,15,5,6,6,1,3,0,2,40,1,5,1,5
+63504,7,2,1,54,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,2,33162.406014,34847.152396,3,92,10,10,4.3,5,2,2,1,1,2,68,1,3,1,1
+63505,7,2,2,0,1,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23207.538828,22577.170535,1,94,9,9,2.88,3,3,1,0,0,2,28,1,4,1,4
+63506,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,2,2,2,1,2,2,2,9716.805546,10308.451947,2,90,5,5,1.19,3,3,1,0,1,2,60,2,1,4,NA
+63507,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,9015.10987,2,95,3,3,1.31,1,1,0,0,1,2,61,1,2,2,NA
+63508,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,21340.150623,22501.62641,2,95,4,4,1.19,2,2,0,0,0,2,34,1,4,4,NA
+63509,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,3,2,0.54,4,1,0,0,0,1,20,1,4,5,NA
+63510,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,199029.909449,1,91,15,15,5,2,2,0,0,0,2,56,1,4,1,4
+63511,7,2,1,1,17,3,3,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24594.444896,28818.16319,1,98,4,4,0.66,4,4,2,0,0,2,22,1,4,6,NA
+63512,7,2,1,64,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,11019.434708,12461.093856,3,91,4,4,0.81,3,3,0,0,1,1,64,2,1,1,1
+63513,7,1,1,17,NA,4,4,NA,NA,NA,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,15360.522091,0,1,98,15,15,5,4,4,0,2,0,2,50,1,5,1,5
+63514,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,13399.379222,14870.161708,2,90,4,4,1.2,2,2,0,0,2,2,80,1,3,2,NA
+63515,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,220233.315202,222507.874115,1,98,14,14,5,2,2,0,0,0,1,59,1,3,1,4
+63516,7,2,2,54,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,22632.809716,22750.837894,1,103,3,3,0.79,2,2,0,0,0,2,54,2,1,4,NA
+63517,7,2,1,10,NA,5,7,1,10,123,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7101.095162,7528.512272,2,96,15,15,5,3,3,0,2,0,2,42,2,5,4,NA
+63518,7,2,2,3,NA,1,1,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13366.393396,13935.903375,2,94,6,6,1.15,5,5,1,2,0,1,33,1,2,1,2
+63519,7,2,1,54,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,16117.991297,16620.832307,1,96,9,9,2.78,4,4,0,2,0,1,54,2,5,4,NA
+63520,7,2,2,0,0,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21671.775435,21083.121886,1,98,15,15,4.77,4,4,2,0,0,1,35,1,4,1,5
+63521,7,2,2,15,NA,5,6,2,15,183,NA,NA,2,1,4,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8424.942002,9162.575745,2,94,15,15,5,3,3,0,1,0,1,50,1,2,1,4
+63522,7,2,1,6,NA,4,4,2,6,82,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8579.422451,8987.382625,1,99,3,3,0.75,2,2,0,1,0,2,41,1,5,77,NA
+63523,7,2,2,22,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,128171.594518,135937.909642,1,93,14,7,3.95,2,1,0,0,0,2,26,1,5,5,NA
+63524,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,24072.616069,27614.797496,1,100,4,4,1.16,2,2,0,0,2,1,73,1,3,1,3
+63525,7,1,2,52,NA,5,6,NA,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12649.084278,0,3,90,77,77,NA,3,3,0,0,0,1,56,NA,NA,1,5
+63526,7,2,2,9,NA,3,3,1,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,51531.402068,50847.086518,1,94,14,14,2.96,5,5,0,3,0,2,39,1,4,1,3
+63527,7,2,2,11,NA,1,1,1,11,140,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12215.503444,12532.555214,1,102,5,5,0.92,5,5,0,3,0,2,39,2,3,1,3
+63528,7,2,2,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,43717.124878,44415.60038,2,101,6,6,1.54,3,3,0,1,0,2,34,1,4,1,3
+63529,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,31962.323978,33458.586112,1,100,4,4,1.06,3,2,0,0,0,1,22,1,4,6,NA
+63530,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,28483.117096,31921.002992,1,94,3,3,0.39,6,6,1,0,2,1,80,1,4,1,3
+63531,7,2,1,32,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,1,2,2,1,2,2,2,54969.430704,54554.559034,1,100,NA,13,NA,2,1,0,0,0,1,32,2,1,6,NA
+63532,7,2,1,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,19752.546483,23704.421997,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+63533,7,2,2,32,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,3,1,2,2,1,2,2,1,2,2,1,41791.57979,40949.069487,2,102,15,12,NA,5,4,0,3,0,1,42,2,4,6,NA
+63534,7,2,1,39,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,43108.74283,42783.38752,2,91,8,8,1.85,5,5,0,2,1,1,39,2,3,1,4
+63535,7,2,2,3,NA,2,2,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9793.360626,10410.766193,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+63536,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12105.109893,11778.058179,1,95,6,6,0.83,7,6,2,1,0,1,43,1,4,1,4
+63537,7,2,1,1,19,5,6,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5492.796032,5818.035599,2,100,4,4,0.5,6,6,2,1,0,1,30,2,4,1,3
+63538,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16519.058735,17573.900053,1,97,77,77,NA,3,3,0,0,3,2,62,1,5,1,NA
+63539,7,2,1,14,NA,1,1,1,14,173,NA,NA,2,2,2,8,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,30061.88611,30025.949584,1,92,5,5,0.87,4,4,0,2,0,1,42,2,1,1,4
+63540,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,27944.169354,28022.783308,2,94,3,3,1.24,1,1,0,0,0,2,57,1,2,3,NA
+63541,7,2,1,70,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,11755.776731,15354.199056,3,90,12,12,NA,6,6,0,0,2,1,70,2,1,1,1
+63542,7,2,2,2,NA,3,3,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14718.567269,15747.930582,2,97,3,3,0.43,6,6,1,3,0,2,36,2,4,3,NA
+63543,7,2,2,74,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,13446.397433,13865.38304,1,93,13,13,NA,2,2,0,0,2,1,76,2,5,1,5
+63544,7,2,1,63,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,4,1,NA,2,2,2,2,2,2,1,2,2,2,9357.880765,9682.593718,2,90,10,10,2,7,7,0,3,1,1,63,2,4,1,NA
+63545,7,2,2,56,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19319.908753,18964.846355,1,96,15,15,5,2,2,0,0,0,1,56,1,5,1,5
+63546,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,30212.098573,35047.752261,2,98,3,3,1.1,1,1,0,0,1,2,80,1,1,2,NA
+63547,7,2,1,0,4,4,4,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5825.739712,6022.371944,1,99,2,2,0.43,3,3,2,0,0,2,26,1,4,5,NA
+63548,7,2,2,0,10,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9189.424641,8939.81946,1,98,6,6,1.65,2,2,1,0,0,2,24,1,3,4,NA
+63549,7,2,2,5,NA,4,4,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9404.475744,9924.78953,1,96,14,14,2.58,6,6,2,2,0,1,40,2,4,1,4
+63550,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,14834.928147,19579.353906,1,103,2,2,0.53,2,2,0,1,0,2,51,1,3,5,NA
+63551,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,109027.902363,130159.069706,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+63552,7,2,1,50,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23431.677775,23884.31716,2,93,8,8,2,4,4,1,1,0,1,50,2,4,1,4
+63553,7,2,1,76,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,8155.039267,8917.162886,3,90,99,99,NA,2,2,0,0,1,1,76,2,3,3,NA
+63554,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,8895.639271,8965.223759,1,96,15,15,5,2,2,0,0,2,1,61,1,5,1,5
+63555,7,2,1,6,NA,2,2,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13898.598114,14013.214919,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+63556,7,2,1,64,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9082.311855,9548.677283,1,96,7,7,2.64,2,2,0,0,2,1,64,2,5,1,5
+63557,7,2,1,3,NA,5,7,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8981.553859,10073.795326,3,91,15,15,5,3,3,1,0,0,2,39,2,5,1,5
+63558,7,2,2,18,NA,3,3,2,19,228,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,99340.784743,108314.70799,2,94,12,12,NA,5,5,1,1,0,1,37,1,4,1,3
+63559,7,2,1,41,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,20543.822351,1,97,15,15,4.77,4,4,1,1,0,1,41,2,4,1,5
+63560,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,116165.700541,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+63561,7,1,2,65,NA,2,2,NA,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,10938.831279,0,1,93,6,6,1.55,3,3,0,0,3,1,61,2,4,1,1
+63562,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,43892.276067,44574.41704,1,98,6,1,0,2,1,0,0,0,1,29,1,4,5,NA
+63563,7,2,1,16,NA,4,4,2,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10817.360862,11313.215634,2,99,99,99,NA,5,5,0,2,0,2,20,1,3,6,NA
+63564,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,65706.229298,0,1,101,10,10,4.3,2,2,0,0,2,1,80,1,2,1,4
+63565,7,2,2,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12280.58152,13558.091553,2,92,14,14,4.03,4,4,1,1,1,2,30,1,5,4,NA
+63566,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,14809.997435,16069.288743,2,101,13,3,0.64,5,4,0,3,1,2,62,1,1,2,NA
+63567,7,2,2,9,NA,5,7,2,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10699.45895,11230.540406,1,97,8,8,2.51,3,3,0,2,0,2,39,2,4,2,NA
+63568,7,2,1,19,NA,4,4,1,19,235,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12792.875152,12871.476461,2,93,99,99,NA,7,6,1,0,0,1,19,1,3,NA,NA
+63569,7,2,2,49,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,2,2,2,1,2,2,NA,NA,NA,NA,25778.164795,26907.837256,2,90,77,77,NA,3,3,0,0,0,2,49,1,2,5,NA
+63570,7,1,1,71,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,17780.584319,0,1,97,3,3,1.16,1,1,0,0,1,1,71,1,2,3,NA
+63571,7,2,1,36,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,12031.037329,12793.158379,1,99,10,10,3.99,3,3,0,1,0,1,36,2,2,6,NA
+63572,7,2,2,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,81857.569857,83650.947594,2,92,15,7,3.67,4,1,0,0,0,1,28,1,5,5,NA
+63573,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,22154.886709,21259.816918,1,96,7,7,2.31,2,2,0,0,1,2,62,1,3,3,NA
+63574,7,2,1,6,NA,5,6,2,6,78,NA,NA,1,1,NA,1,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5399.929397,5851.470272,3,91,15,15,5,3,3,0,1,0,2,40,2,5,1,5
+63575,7,2,1,19,NA,5,6,2,19,233,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6999.347953,7445.743611,3,90,9,9,2.6,4,4,0,0,1,1,62,2,4,1,5
+63576,7,2,1,46,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,39244.104141,38781.831565,1,90,15,15,5,4,4,1,1,0,2,40,1,5,6,NA
+63577,7,2,2,5,NA,1,1,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12714.663639,13256.404976,1,102,4,4,0.5,6,6,2,2,0,1,25,1,2,1,3
+63578,7,2,2,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,17754.413992,17268.517878,2,99,6,6,1.11,5,5,1,2,0,2,41,1,2,5,NA
+63579,7,2,1,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,120735.071461,122283.708051,1,94,8,8,2.41,3,3,0,0,3,1,63,1,4,1,5
+63580,7,2,1,9,NA,3,3,1,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24713.905595,25821.327941,1,98,4,4,0.67,5,5,1,2,0,1,29,1,4,1,3
+63581,7,2,2,14,NA,5,6,1,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,5760.953091,5914.685125,2,92,8,8,1.91,5,5,0,2,1,2,47,2,1,1,3
+63582,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,33821.324425,34164.529253,3,92,4,3,0.52,5,4,0,0,0,2,57,1,4,1,2
+63583,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,38321.717684,40488.857872,1,95,15,15,5,2,2,0,0,2,2,80,1,4,1,4
+63584,7,2,2,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,33506.462855,33906.169633,2,96,3,3,0.38,5,5,1,2,0,2,30,1,3,5,NA
+63585,7,2,2,8,NA,4,4,2,8,99,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7282.523598,8846.731146,2,99,5,5,0.76,5,5,0,2,0,1,51,1,2,1,2
+63586,7,2,1,4,NA,4,4,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11342.022131,11810.675983,2,102,4,4,0.53,6,6,2,2,0,2,27,1,2,1,2
+63587,7,2,1,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,69063.138927,71041.142737,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+63588,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,41229.806244,46206.205733,1,103,6,6,1.98,2,2,0,0,2,1,80,1,5,1,4
+63589,7,2,1,80,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,2,1,2,1,1,2,2,NA,12882.868646,13921.030537,2,92,77,77,NA,5,5,0,1,2,2,80,NA,NA,1,1
+63590,7,2,1,21,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21495.752024,21074.130073,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+63591,7,2,2,19,NA,5,6,1,19,236,2,NA,2,2,1,13,NA,NA,NA,1,2,1,1,2,1,1,2,2,NA,6145.01663,6308.997467,2,101,12,1,0,5,1,0,0,0,2,19,2,3,NA,NA
+63592,7,2,2,2,NA,4,4,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6276.300496,6799.229858,2,99,1,1,0.1,6,6,2,3,0,2,31,1,2,5,NA
+63593,7,2,1,77,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,73144.179917,78844.986335,2,91,77,77,NA,2,2,0,0,2,2,70,1,3,1,4
+63594,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5256.453918,5473.651288,1,99,5,5,0.84,5,5,2,1,0,1,35,1,3,1,2
+63595,7,2,2,27,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,1,2,1,2,1,1,2,1,NA,NA,NA,NA,8044.549611,8388.06604,2,92,10,6,1.12,7,4,1,1,1,2,27,2,3,1,3
+63596,7,2,1,74,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,15470.980685,17519.370244,1,91,7,7,3.58,1,1,0,0,1,1,74,1,2,1,NA
+63597,7,2,1,22,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,14385.653726,15564.966804,2,101,14,8,4.59,2,1,0,0,0,1,22,2,4,5,NA
+63598,7,2,2,18,NA,2,2,2,18,223,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16189.692833,16766.382859,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+63599,7,1,2,76,NA,2,2,NA,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,18241.877822,0,2,93,7,7,2.31,2,2,0,0,2,1,80,2,1,1,1
+63600,7,2,2,10,NA,3,3,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,51093.739991,50940.240166,2,102,14,14,3.44,5,5,1,2,0,2,34,1,4,6,NA
+63601,7,2,1,5,NA,3,3,1,6,73,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,50644.672852,56040.796491,2,100,NA,NA,NA,5,5,1,2,0,1,36,NA,NA,3,NA
+63602,7,2,1,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,18838.303827,19546.605226,2,93,5,5,1.05,3,3,1,0,0,2,29,1,3,5,NA
+63603,7,2,1,11,NA,1,1,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13533.281742,14131.961026,1,100,7,7,1.74,4,4,0,2,0,2,39,2,1,1,3
+63604,7,2,2,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11414.885224,11778.085279,1,94,7,7,1.56,4,4,2,0,0,1,21,1,4,1,4
+63605,7,2,1,7,NA,4,4,2,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9502.15317,9484.287948,2,97,3,3,0.4,6,6,2,3,0,2,25,1,2,5,NA
+63606,7,2,1,6,NA,3,3,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24713.905595,25821.327941,1,98,4,4,0.67,5,5,1,2,0,1,29,1,4,1,3
+63607,7,2,1,41,NA,1,1,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,36273.943099,35741.678901,1,90,15,15,4.77,4,4,1,1,0,2,41,1,5,1,2
+63608,7,2,2,71,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,1,4,NA,2,2,2,1,2,2,2,2,1,NA,12972.932238,13949.32349,2,93,6,6,0.98,5,5,0,2,1,1,48,2,5,1,5
+63609,7,2,1,66,NA,5,7,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,23761.280382,24066.059994,2,103,5,5,1.2,3,3,0,0,2,1,66,2,2,1,2
+63610,7,2,1,16,NA,4,4,2,16,195,NA,NA,2,2,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11523.287163,11546.069645,1,96,8,8,2.17,4,4,0,2,0,2,45,2,5,4,NA
+63611,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,1,2,1,2,2,1,2,2,NA,20944.990388,22567.358502,2,95,6,6,1.57,3,3,0,0,2,1,80,1,2,1,4
+63612,7,1,1,5,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8006.699948,0,1,90,15,15,5,3,3,1,0,0,1,42,1,5,1,5
+63613,7,2,1,30,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,40219.06806,40845.122132,1,93,9,9,3.98,3,2,0,0,0,2,27,1,3,1,4
+63614,7,2,2,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32144.824104,32969.273278,2,97,2,2,0.77,1,1,0,0,0,2,58,1,2,3,NA
+63615,7,2,2,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,128171.594518,135937.909642,1,93,14,9,5,2,1,0,0,0,2,26,1,5,5,NA
+63616,7,2,1,9,NA,5,6,2,9,115,NA,NA,2,1,3,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6026.102306,6805.584778,2,95,6,6,1.08,4,4,1,1,0,1,39,1,4,1,4
+63617,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,90303.174138,94631.352733,2,92,15,8,4.59,2,1,0,0,0,2,29,1,5,1,NA
+63618,7,2,2,2,NA,5,6,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6024.192029,6555.678695,2,103,15,15,5,3,3,1,0,0,1,35,1,9,1,5
+63619,7,2,1,1,21,3,3,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53040.637714,62149.552868,3,91,8,8,1.95,4,4,2,0,0,2,30,1,5,1,4
+63620,7,2,1,61,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14113.631895,14272.623174,1,92,9,9,3.97,2,2,0,0,1,2,59,1,5,1,4
+63621,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,129559.2554,1,98,14,14,4.96,2,2,0,0,2,1,71,1,5,1,5
+63622,7,2,1,18,NA,3,3,2,18,222,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,88448.252445,87285.839384,1,95,9,9,3.24,3,3,0,0,0,2,42,1,4,3,NA
+63623,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,20611.860643,21777.486671,1,99,5,5,2.02,1,1,0,0,1,1,80,1,5,2,NA
+63624,7,2,2,7,NA,1,1,1,7,90,NA,NA,2,2,3,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13616.85154,14798.521446,1,102,6,6,1.73,3,3,0,1,0,1,30,2,5,1,4
+63625,7,2,2,23,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,50915.06085,54078.415833,3,92,2,2,0.4,3,3,1,0,0,1,21,1,2,6,NA
+63626,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,58826.425292,59007.297053,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+63627,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,56180.550638,62747.143757,2,98,8,8,3.4,2,2,0,0,2,1,80,1,4,1,4
+63628,7,1,1,61,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,125558.167126,0,3,91,12,5,2.02,2,1,0,0,1,1,61,1,3,3,NA
+63629,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,15542.93857,15828.161907,3,91,7,7,2.16,3,3,1,0,1,2,36,2,5,1,NA
+63630,7,2,2,11,NA,3,3,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41020.258665,40851.726244,1,103,15,15,5,2,2,0,1,0,1,49,1,5,77,NA
+63631,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85610.546667,92292.669073,2,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+63632,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,65891.955175,73297.270697,1,95,7,7,2.72,2,2,0,0,2,1,80,1,3,1,3
+63633,7,2,1,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13232.135,13189.930654,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+63634,7,2,1,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8890.779467,9258.147648,3,91,1,1,0.07,6,6,2,3,0,2,30,1,2,3,NA
+63635,7,2,1,79,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,1,2,NA,55241.951079,58472.387275,2,93,7,7,2.31,2,2,0,0,2,2,79,1,3,1,5
+63636,7,2,1,17,NA,4,4,2,17,204,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11093.269222,11505.803928,2,99,3,3,0.44,5,5,1,1,0,2,53,1,4,1,3
+63637,7,2,1,7,NA,3,3,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,74331.764009,78594.005469,2,91,15,15,5,3,3,0,2,0,1,44,2,5,3,NA
+63638,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,125007.681473,127469.032295,1,92,10,10,3.4,3,3,0,0,0,1,56,1,4,1,5
+63639,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16970.447459,16981.184092,1,99,8,8,1.99,5,5,1,0,0,1,55,1,5,1,2
+63640,7,2,1,0,1,3,3,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6420.20398,6662.903304,2,97,3,3,0.33,6,6,2,0,0,2,22,2,4,1,3
+63641,7,2,1,12,NA,3,3,1,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,81241.067732,81008.266507,2,102,14,14,3.44,5,5,1,2,0,2,34,1,4,6,NA
+63642,7,2,1,25,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,20759.115219,21340.685849,1,93,2,2,0.32,3,3,0,1,0,1,25,1,3,6,NA
+63643,7,2,2,18,NA,3,3,1,18,223,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,71832.578284,75129.017547,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+63644,7,2,2,2,NA,4,4,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8010.447273,8217.210509,2,93,7,7,2.58,2,2,1,0,0,2,32,1,5,5,NA
+63645,7,2,1,15,NA,5,7,2,15,185,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13693.32264,13720.395459,1,96,5,5,1.45,2,2,0,1,0,2,41,1,4,3,NA
+63646,7,1,1,9,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13822.148996,0,2,94,5,5,0.65,6,6,0,2,0,1,53,NA,NA,6,NA
+63647,7,2,2,2,NA,4,4,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5158.14785,5587.91487,3,90,99,99,NA,5,5,1,1,1,2,63,1,3,2,NA
+63648,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,71525.773464,1,101,7,7,1.55,5,5,1,2,0,2,31,1,4,1,2
+63649,7,2,1,1,21,3,3,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,38636.988369,42311.269327,1,91,15,15,4.59,4,4,2,0,0,1,35,1,5,1,5
+63650,7,2,2,62,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,7863.861726,8261.011593,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+63651,7,2,2,76,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,1,1,2,2,1,2,1,NA,13446.397433,13865.38304,1,93,3,3,0.82,2,2,0,0,2,1,80,2,5,1,1
+63652,7,2,1,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,1,2,1,2,2,1,1,2,NA,16995.648055,19983.260181,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+63653,7,2,2,19,NA,2,2,1,19,229,2,NA,2,2,3,12,NA,NA,NA,2,2,2,1,2,2,2,2,1,2,12712.538972,12956.930724,2,93,4,4,0.56,5,5,0,0,0,2,49,2,2,5,NA
+63654,7,2,1,11,NA,2,2,2,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9807.589376,10028.771,2,90,7,7,1.66,4,4,0,3,0,2,34,1,5,3,NA
+63655,7,2,2,17,NA,3,3,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,97212.131473,101229.4133,1,91,15,15,5,3,3,0,1,0,1,52,NA,NA,1,5
+63656,7,2,2,16,NA,4,4,2,16,203,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7825.55935,7975.961244,3,90,3,3,0.37,5,5,2,2,0,2,36,2,4,4,NA
+63657,7,2,1,30,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21280.199633,23174.199432,1,97,14,14,4.5,3,3,1,0,0,1,30,1,5,1,5
+63658,7,2,1,10,NA,3,3,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71470.369236,87471.572436,2,101,8,8,2.81,3,3,0,2,0,1,48,1,3,3,NA
+63659,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,36810.071228,39501.597518,1,95,14,14,5,1,1,0,0,1,1,80,1,3,2,NA
+63660,7,2,1,11,NA,3,3,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20080.431771,20654.625485,1,94,4,4,1,3,3,0,1,0,2,41,1,4,5,NA
+63661,7,2,2,46,NA,3,3,1,NA,NA,2,NA,2,1,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,30747.096519,32457.841726,2,91,2,2,0.44,3,3,0,1,0,1,46,2,3,1,4
+63662,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,33707.673642,36318.620408,2,95,10,10,4.3,2,2,0,0,2,1,80,1,5,1,4
+63663,7,2,2,42,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,4,2,2,2,2,1,2,2,NA,NA,NA,NA,32208.300114,32376.263659,1,102,4,4,0.67,4,4,0,1,0,1,23,2,4,5,NA
+63664,7,2,1,58,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,18916.732604,18939.145414,2,91,9,9,5,1,1,0,0,0,1,58,1,5,3,NA
+63665,7,2,1,56,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,5,NA,2,2,2,1,2,2,2,2,1,2,23431.677775,27795.676997,2,93,14,14,2.91,6,6,2,0,1,2,74,NA,NA,2,NA
+63666,7,2,2,79,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,30880.887565,31700.101057,1,98,3,3,1.12,1,1,0,0,1,2,79,1,3,2,NA
+63667,7,2,2,2,NA,3,3,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,36506.435703,36986.142564,1,98,9,9,2.6,4,4,1,1,0,1,31,1,4,1,5
+63668,7,2,1,4,NA,1,1,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14716.463544,14890.443704,2,96,5,5,0.76,5,5,1,2,0,1,44,2,1,1,3
+63669,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,87811.478076,90326.44396,1,90,8,8,1.67,5,5,2,1,0,2,28,1,4,1,5
+63670,7,2,2,8,NA,4,4,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7239.045424,7432.710238,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+63671,7,1,2,14,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5268.765205,0,1,99,9,9,2.68,4,4,0,2,0,1,43,2,3,1,NA
+63672,7,2,1,9,NA,2,2,2,9,112,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,11567.189008,12721.148711,2,90,2,2,0.32,3,3,0,1,0,1,53,NA,NA,1,1
+63673,7,2,1,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,126463.833097,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+63674,7,2,1,5,NA,5,6,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8253.750998,8652.000238,1,90,7,7,1.52,4,4,2,0,0,2,30,2,4,6,NA
+63675,7,2,1,12,NA,3,3,2,12,155,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,101055.977672,102514.960722,1,90,15,15,5,4,4,0,2,0,1,44,1,5,1,5
+63676,7,2,1,2,NA,4,4,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5447.377416,6006.624362,2,90,15,15,5,4,4,1,1,0,1,53,2,5,1,5
+63677,7,2,2,2,NA,1,1,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13065.99844,14425.21291,1,95,6,6,1.37,3,3,1,1,0,2,28,1,4,5,NA
+63678,7,2,2,22,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,2,2,2,1,2,2,1,32537.532358,33640.063825,2,90,1,1,0.22,3,3,0,1,0,2,48,2,2,5,NA
+63679,7,2,1,0,11,3,3,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20370.716701,21140.779334,1,91,15,15,4.2,5,5,3,0,0,2,32,1,4,1,5
+63680,7,2,1,54,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22446.308035,23586.645568,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+63681,7,2,2,5,NA,3,3,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,59190.129038,61693.294338,2,91,15,15,5,5,5,2,1,0,2,40,1,5,1,5
+63682,7,2,1,14,NA,3,3,2,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,77169.155154,77548.231618,1,101,14,14,3.9,4,4,0,2,0,2,41,1,2,1,2
+63683,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,29181.414565,29257.589647,1,94,3,3,0.39,6,6,1,0,2,1,80,1,4,1,3
+63684,7,2,2,54,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,17364.980275,22918.553497,2,93,7,7,2.78,2,2,0,1,0,2,54,1,4,3,NA
+63685,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,12437.053229,13000.378144,3,91,5,5,0.89,4,4,0,2,2,1,61,2,3,1,4
+63686,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,1,NA,1,2,2,NA,NA,NA,1,2,2,1,12237.578196,12748.319173,2,93,8,8,2.17,4,4,0,0,3,1,80,2,2,1,2
+63687,7,2,1,69,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11761.359913,11893.852645,1,92,14,14,5,2,2,0,0,2,1,69,1,5,1,5
+63688,7,2,1,2,NA,5,6,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8253.750998,8652.000238,1,90,7,7,1.52,4,4,2,0,0,2,30,2,4,6,NA
+63689,7,2,2,66,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,93265.413087,97732.118213,2,98,15,15,5,2,2,0,0,2,2,66,1,3,1,1
+63690,7,2,1,29,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12971.121387,14034.473347,1,93,15,15,5,2,2,0,0,0,1,29,2,5,1,5
+63691,7,2,1,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,2,2,2,1,2,2,1,40899.412129,44211.773156,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+63692,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,30259.77569,2,101,4,2,0.6,2,1,0,0,0,2,22,1,4,5,NA
+63693,7,2,2,11,NA,1,1,1,11,137,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,16986.005478,17421.337631,2,102,8,8,1.91,5,5,1,2,0,1,36,2,1,1,4
+63694,7,1,1,6,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46081.129115,0,2,95,15,15,4.63,5,5,1,2,0,1,32,1,4,1,4
+63695,7,1,1,56,NA,4,4,NA,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,15599.953109,0,1,99,12,12,NA,1,1,0,0,0,1,56,1,3,5,NA
+63696,7,2,1,15,NA,1,1,1,15,191,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,18635.323223,18738.312717,1,103,5,5,0.74,5,5,1,1,0,2,40,99,3,1,1
+63697,7,2,1,41,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17602.101156,18151.242681,1,96,10,10,2.95,4,4,0,1,0,2,34,2,3,1,5
+63698,7,2,1,42,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,2,2,2,2,2,2,1,2,1,NA,34128.967046,33628.177065,2,93,3,3,0.87,2,2,0,0,1,2,65,2,4,3,NA
+63699,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,18462.756377,18592.086302,1,99,6,6,1.46,3,3,0,0,1,2,80,NA,NA,2,NA
+63700,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,17602.101156,21123.738865,1,96,14,14,2.19,7,7,0,2,0,1,39,1,2,1,3
+63701,7,2,1,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,145790.86143,146040.776498,1,90,15,15,5,4,4,0,1,0,2,53,1,5,1,5
+63702,7,2,2,11,NA,3,3,1,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,56803.692074,58623.195384,1,100,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+63703,7,2,2,2,24,4,4,1,2,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,7791.142847,2,100,3,3,0.38,5,5,2,1,0,2,28,1,2,5,NA
+63704,7,2,2,75,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,14534.533756,15040.28544,1,96,12,12,NA,3,3,0,0,2,1,77,NA,NA,6,NA
+63705,7,2,1,8,NA,2,2,2,8,101,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,9807.589376,10786.008845,2,90,3,3,0.38,5,5,0,4,0,2,33,2,2,5,NA
+63706,7,2,1,13,NA,3,3,1,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28732.336483,28618.270464,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+63707,7,2,2,63,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,3,3,NA,1,2,2,1,2,2,1,2,2,2,9048.366564,9718.651548,2,93,9,9,4.92,1,1,0,0,1,2,63,2,3,3,NA
+63708,7,2,1,63,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13133.86792,13808.275718,2,102,8,8,1.72,5,5,0,2,1,1,63,2,5,1,5
+63709,7,2,2,16,NA,4,4,2,16,202,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10484.6104,10912.740054,2,99,1,1,0.07,4,4,1,1,0,2,24,1,2,5,NA
+63710,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,94644.050918,104631.781207,2,91,15,15,5,5,5,1,2,0,1,37,1,4,6,NA
+63711,7,1,2,7,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16442.636525,0,1,98,8,8,2.97,2,2,0,1,0,2,38,1,5,5,NA
+63712,7,2,1,2,NA,3,3,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21071.650532,24690.382982,2,97,6,6,1.16,4,4,1,1,0,1,27,2,4,1,3
+63713,7,2,1,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,127000.852889,126845.993399,2,92,15,15,5,2,1,0,0,0,1,52,1,5,6,NA
+63714,7,2,1,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,87954.465296,88343.63479,2,97,15,15,4.97,5,5,1,0,0,1,48,1,4,1,3
+63715,7,2,2,8,NA,4,4,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,13050.526646,2,101,3,3,0.65,3,3,0,1,0,2,54,1,3,5,NA
+63716,7,2,1,2,NA,2,2,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8331.647763,8430.145707,2,90,3,3,0.46,5,5,1,3,0,2,35,2,1,4,NA
+63717,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,37070.062227,37637.166459,1,92,1,1,0.03,2,2,0,1,0,2,50,1,4,3,NA
+63718,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,30543.825378,35038.368904,2,91,2,2,0.86,1,1,0,0,0,2,50,2,3,2,NA
+63719,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,34629.549705,1,94,5,5,0.74,5,5,1,1,0,2,24,1,3,1,4
+63720,7,2,1,5,NA,1,1,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17973.290893,2,98,1,1,0.19,3,3,2,0,0,2,31,1,4,2,NA
+63721,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,NA,NA,NA,1,2,2,1,118761.81384,121363.708734,1,94,8,8,2.43,3,3,0,0,0,2,46,1,3,1,NA
+63722,7,1,1,35,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,17371.064048,0,1,96,NA,NA,NA,4,4,1,1,0,2,37,NA,NA,1,4
+63723,7,2,2,62,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,14204.126838,15256.34028,3,92,5,5,1.56,2,2,0,0,1,1,58,1,3,1,2
+63724,7,2,1,33,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,51543.062078,51154.050295,3,92,3,3,0.52,5,5,2,1,0,2,29,2,1,1,3
+63725,7,2,1,5,NA,3,3,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30883.231636,34843.624635,1,95,7,7,1.17,6,6,1,3,0,2,44,1,4,1,NA
+63726,7,2,2,12,NA,2,2,2,12,147,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21449.694498,22089.715913,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+63727,7,2,2,4,NA,5,6,1,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5879.523197,6241.641704,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+63728,7,2,2,11,NA,1,1,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16986.005478,17733.622754,2,102,7,7,1.53,5,5,1,2,0,1,36,1,2,1,3
+63729,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,160904.289966,160708.090054,1,97,15,15,3.89,5,5,0,2,0,1,50,1,4,6,NA
+63730,7,2,1,14,NA,3,3,1,14,170,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71934.689876,71392.8162,1,100,15,15,5,5,5,0,3,0,1,47,1,5,1,5
+63731,7,2,1,51,NA,2,2,2,NA,NA,2,NA,2,2,77,NA,1,3,NA,2,2,2,2,2,2,NA,NA,NA,NA,24172.845721,24635.602694,2,99,1,1,0.03,2,2,0,0,0,1,51,2,1,3,NA
+63732,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,1,NA,1,2,2,1,2,2,1,2,2,2,5185.036848,5649.75477,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+63733,7,2,2,58,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,23297.357076,24139.998866,2,93,9,9,2.6,4,4,0,0,0,2,58,2,4,4,NA
+63734,7,2,1,43,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,32895.997285,1,95,2,2,0.6,1,1,0,0,0,1,43,1,4,3,NA
+63735,7,2,1,29,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,4,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,14385.653726,15533.829525,2,101,5,3,1.1,2,1,0,0,0,1,29,2,4,1,NA
+63736,7,2,1,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,30631.476666,31783.189579,2,101,6,6,1.54,3,3,0,1,0,2,34,1,4,1,3
+63737,7,2,1,8,NA,4,4,1,8,104,NA,NA,2,2,2,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11443.206518,12087.326286,1,100,9,9,1.78,6,6,1,1,0,2,45,2,3,1,3
+63738,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19260.892847,19199.459573,2,97,5,5,0.76,5,5,0,0,0,2,50,1,4,5,NA
+63739,7,2,2,71,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,17087.605763,2,90,2,2,0.31,5,5,0,2,1,2,71,1,2,2,NA
+63740,7,2,1,8,NA,3,3,2,8,100,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26349.460983,27598.763847,2,97,4,4,1.09,2,2,0,1,0,2,35,1,2,4,NA
+63741,7,2,1,72,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,NA,21815.897449,24704.366996,3,92,5,4,1.39,2,1,0,0,2,2,63,NA,NA,3,NA
+63742,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,1,2,1,2,2,1,1,2,NA,87944.345504,91474.433025,2,98,10,10,3.78,3,3,0,0,0,1,53,1,3,1,4
+63743,7,2,2,9,NA,1,1,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16371.237244,2,98,14,14,4.05,3,3,0,1,0,1,38,1,3,1,4
+63744,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,202246.928022,1,91,15,15,5,3,3,0,1,0,1,52,NA,NA,1,5
+63745,7,2,1,0,4,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,1,2,NA,NA,NA,NA,7284.164858,7692.652584,2,98,5,5,0.76,5,5,3,1,0,2,27,1,3,4,NA
+63746,7,2,1,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,28542.421068,29427.85637,2,101,2,2,0.73,1,1,0,0,0,1,49,1,3,5,NA
+63747,7,2,1,4,NA,5,6,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5953.107662,6129.253313,3,90,5,5,1.15,3,3,1,0,0,1,32,2,3,1,1
+63748,7,2,2,11,NA,2,2,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12307.832776,13375.906079,2,93,10,10,2.26,6,6,0,4,0,1,34,1,4,1,3
+63749,7,2,2,43,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,1,1,2,1,1,2,1,3,9145.761989,9194.124252,2,92,10,8,2.01,7,4,1,1,1,2,27,2,3,1,3
+63750,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,12,1,0.27,4,1,0,0,0,1,21,1,4,6,NA
+63751,7,2,2,5,NA,1,1,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10493.785765,11155.348431,2,103,77,77,NA,5,5,1,2,0,2,30,1,2,1,2
+63752,7,2,1,60,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,25436.904729,28576.794771,1,94,3,3,1.25,1,1,0,0,1,1,60,1,3,3,NA
+63753,7,2,1,33,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,6,NA,2,2,2,2,2,2,2,2,2,2,34438.924452,34835.654759,1,100,8,3,0.68,6,3,1,0,0,1,33,2,3,6,NA
+63754,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,99120.116925,102640.158973,2,98,15,15,5,4,4,0,2,0,2,46,1,4,1,NA
+63755,7,2,1,2,NA,3,3,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46257.816906,49754.984306,2,94,15,15,5,3,3,1,0,0,1,34,1,5,1,5
+63756,7,2,2,2,NA,4,4,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8754.193667,9543.319886,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+63757,7,2,2,5,NA,2,2,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8825.559072,9505.166523,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+63758,7,2,1,28,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,3,11182.713216,11928.362428,2,90,99,4,1.38,3,1,0,0,2,1,60,NA,NA,1,NA
+63759,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,90969.330762,95023.624595,1,99,14,14,4.86,3,3,0,1,0,1,56,1,5,1,5
+63760,7,2,1,16,NA,4,4,2,16,195,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13756.125082,1,96,7,7,1.39,5,5,0,2,2,1,69,2,2,1,2
+63761,7,2,2,21,NA,2,2,1,NA,NA,2,NA,2,1,2,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,40149.982555,39975.11173,2,103,7,7,2.64,2,2,0,0,0,2,21,2,3,1,3
+63762,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,34128.92969,36973.759081,1,92,5,5,1.15,3,3,1,0,0,1,23,1,4,1,4
+63763,7,2,2,17,NA,5,6,2,17,205,2,NA,2,1,4,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7649.811754,7945.620413,2,90,6,6,1.24,4,4,0,1,0,1,57,2,5,1,3
+63764,7,2,2,14,NA,1,1,2,14,172,NA,NA,2,2,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18368.872199,18995.639955,2,94,12,12,NA,4,4,0,2,0,1,47,2,2,1,2
+63765,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,1,1,2,NA,24952.423186,27719.90048,2,98,14,14,4.64,3,3,0,0,1,1,49,1,3,1,9
+63766,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,163102.567998,164787.083347,1,99,15,15,5,2,2,0,0,0,1,54,1,3,1,4
+63767,7,2,1,66,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,6,NA,2,2,2,1,2,2,1,2,2,2,11019.434708,11290.181976,3,91,4,4,1.38,2,1,0,0,1,1,66,2,1,6,NA
+63768,7,2,1,64,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,8609.250304,9380.869295,2,90,12,12,NA,3,3,0,0,2,2,61,2,3,4,NA
+63769,7,2,1,44,NA,2,2,2,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,2,1,2,2,2,2,2,2,37883.328863,38044.589557,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+63770,7,2,2,11,NA,4,4,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10422.423011,10751.577119,1,98,3,3,0.86,2,2,0,1,0,2,34,1,4,5,NA
+63771,7,2,1,43,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,32719.762791,34306.488277,1,101,7,7,2.71,2,2,0,0,0,1,43,1,4,1,4
+63772,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,136843.962333,135447.112041,1,95,14,14,5,2,2,0,0,2,2,65,1,4,1,4
+63773,7,2,1,56,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,31302.008691,30991.200711,2,91,9,9,5,1,1,0,0,0,1,56,1,5,5,NA
+63774,7,2,1,8,NA,3,3,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,62291.152254,66151.751642,3,92,6,6,1.17,4,4,0,2,0,2,30,1,2,1,4
+63775,7,2,2,1,22,5,6,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4686.494502,4910.642079,1,90,14,14,3.33,5,5,1,2,0,1,41,1,5,1,5
+63776,7,2,1,7,NA,1,1,2,7,87,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,16288.924956,19190.320193,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+63777,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,30442.30641,30653.986309,1,95,77,77,NA,3,3,0,0,0,2,41,1,2,5,NA
+63778,7,2,2,14,NA,4,4,1,14,171,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10972.028338,11002.546815,1,103,2,2,0.53,2,2,0,1,0,2,51,1,3,5,NA
+63779,7,2,1,4,NA,4,4,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9488.600894,10206.6462,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+63780,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,35126.205635,35295.519265,1,95,7,7,1.17,6,6,1,3,0,2,44,1,4,1,NA
+63781,7,2,2,63,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,4,6,NA,1,2,2,1,2,2,2,2,2,2,10680.068244,11125.805824,2,93,15,8,4.48,2,1,0,0,2,2,63,2,4,6,NA
+63782,7,2,2,1,19,5,7,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5899.406975,6347.827712,1,103,3,3,0.37,5,5,1,2,0,2,30,1,4,5,NA
+63783,7,2,2,10,NA,4,4,1,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8930.342072,9169.253826,1,100,15,15,3.7,5,5,0,3,0,1,51,1,5,1,5
+63784,7,2,2,40,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,4,1,2,2,2,2,2,2,2,NA,NA,NA,NA,34954.173075,36023.601038,3,92,9,9,2.46,4,4,0,2,0,1,43,2,3,1,4
+63785,7,1,2,32,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,3,1,2,2,1,2,2,NA,NA,NA,NA,86578.861495,0,2,101,8,8,1.72,5,5,0,3,0,1,37,1,3,1,3
+63786,7,2,1,8,NA,5,6,2,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6276.493588,6689.515302,1,98,15,15,5,4,4,1,1,0,1,40,NA,NA,1,5
+63787,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18404.681357,22792.166915,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+63788,7,2,2,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,123493.356057,126566.961964,1,102,3,3,0.92,1,1,0,0,0,2,40,1,3,3,NA
+63789,7,1,1,29,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,84850.826285,0,3,90,15,15,5,2,1,0,0,0,1,29,1,5,1,NA
+63790,7,2,1,11,NA,4,4,2,11,135,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11277.594097,11665.009628,1,90,5,5,0.74,5,5,0,2,0,2,18,1,4,NA,NA
+63791,7,2,2,0,8,1,1,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6700.950086,6971.360383,2,96,3,3,0.24,7,7,2,3,1,2,40,1,3,3,NA
+63792,7,2,2,2,NA,5,6,2,2,35,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6075.554662,6069.137471,1,93,14,14,4.86,3,3,1,0,0,1,31,2,5,1,5
+63793,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,33202.24577,45456.634755,1,99,4,4,1.02,2,2,0,1,0,2,27,1,4,3,NA
+63794,7,2,1,4,NA,3,3,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78946.660075,92504.536814,3,91,15,15,5,4,4,1,1,0,2,41,1,5,1,5
+63795,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,152281.176016,1,94,10,7,3.76,2,1,0,0,0,1,59,1,4,6,NA
+63796,7,2,2,36,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,18901.436377,19274.920746,3,91,15,10,5,2,1,0,0,0,2,36,1,5,6,NA
+63797,7,2,1,14,NA,3,3,2,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,127790.772987,128099.355719,1,97,15,15,3.89,5,5,0,2,0,1,50,1,4,6,NA
+63798,7,2,2,2,NA,3,3,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50865.409844,56139.684211,1,101,7,7,1.74,4,4,1,0,0,1,24,NA,NA,1,4
+63799,7,2,1,69,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,10288.337394,12038.909334,3,91,6,6,1.12,4,4,0,0,2,1,69,2,3,1,1
+63800,7,2,2,3,NA,5,6,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5022.237557,1,91,2,2,0.32,3,3,1,1,0,2,28,1,4,77,NA
+63801,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10440.656902,1,99,6,6,2.3,1,1,0,0,1,2,64,1,5,3,NA
+63802,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,18462.756377,18043.935864,1,99,7,7,3.4,1,1,0,0,0,2,48,1,5,3,NA
+63803,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,6,2,2,2,2,2,2,2,2,2,2,2,41791.57979,45058.092516,2,102,7,7,1.79,4,4,0,2,0,1,40,2,2,6,NA
+63804,7,2,1,61,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,5729.786464,5774.606655,2,95,14,14,4.58,3,3,0,1,1,1,61,1,4,1,5
+63805,7,2,2,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27769.056387,28050.845299,1,94,7,7,1.65,5,4,0,0,0,1,46,1,4,1,4
+63806,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,38226.070503,39676.327756,1,99,12,12,NA,2,2,0,0,2,1,70,1,5,1,5
+63807,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,10798.193871,11318.855823,2,95,2,2,0.67,2,2,0,0,1,2,61,1,3,3,NA
+63808,7,1,2,13,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23477.73925,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+63809,7,2,2,10,NA,3,3,2,10,126,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55626.447796,54931.333538,1,95,9,9,2.13,6,6,0,4,0,2,44,1,1,1,1
+63810,7,2,1,16,NA,5,6,1,16,198,NA,NA,2,2,1,8,NA,NA,NA,1,2,1,1,2,2,1,2,1,NA,7558.274942,7964.822305,2,96,4,4,0.92,3,3,0,1,1,2,41,2,2,1,2
+63811,7,1,2,4,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12129.691938,0,1,97,7,7,1.74,4,4,2,0,0,1,34,1,5,1,5
+63812,7,2,2,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,30932.175051,30085.634936,2,101,3,3,0.68,2,2,0,0,0,1,58,1,1,6,NA
+63813,7,2,1,67,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,6016.509449,6063.572478,1,93,4,4,1.38,1,1,0,0,1,1,67,2,5,2,NA
+63814,7,2,1,17,NA,3,3,2,17,208,2,NA,2,1,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,57357.902168,67351.058423,1,99,77,77,NA,4,4,1,1,0,1,31,2,3,1,3
+63815,7,2,1,8,NA,4,4,2,8,98,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.422451,9062.344401,1,99,5,5,1.13,3,3,1,1,0,2,30,1,1,4,NA
+63816,7,2,1,5,NA,4,4,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7431.820906,7738.904727,1,99,6,6,1.3,5,5,1,2,0,1,34,1,2,1,3
+63817,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,19075.861607,18553.800612,1,96,15,15,5,2,2,0,1,0,2,47,1,5,3,NA
+63818,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,NA,NA,NA,NA,35126.205635,36772.568368,1,95,1,1,0.12,3,3,0,2,0,2,40,1,5,3,NA
+63819,7,2,2,0,11,1,1,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7579.106293,8082.789623,1,90,15,15,4.77,4,4,1,1,0,2,41,1,5,1,2
+63820,7,2,2,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15561.208623,2,100,5,5,1.08,3,3,0,0,0,1,38,1,2,5,NA
+63821,7,2,1,4,NA,4,4,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10510.490567,10944.785425,2,98,6,6,1,5,5,2,1,0,2,31,1,4,6,NA
+63822,7,2,1,13,NA,4,4,2,13,160,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13416.172328,13756.125082,1,96,14,14,2.19,7,7,0,2,0,1,39,1,2,1,3
+63823,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,104488.914565,109862.797404,1,98,3,1,0.27,4,1,0,0,0,1,20,1,4,5,NA
+63824,7,1,1,34,NA,5,6,NA,NA,NA,2,NA,2,1,5,NA,3,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,16974.834956,0,1,93,9,9,1.77,7,7,0,2,0,2,56,NA,NA,5,NA
+63825,7,2,1,31,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,20729.794283,21506.407763,3,91,14,14,5,1,1,0,0,0,1,31,1,5,5,NA
+63826,7,1,1,9,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,55902.987481,0,1,103,15,15,5,2,2,0,1,0,2,52,2,5,3,NA
+63827,7,2,2,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,29756.667529,30535.306876,2,98,4,4,1.19,2,2,0,0,0,2,52,1,3,1,NA
+63828,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,10,10,4.76,2,2,0,0,2,2,64,1,4,1,5
+63829,7,2,2,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,80418.665565,83274.564983,2,100,10,10,3.13,4,4,0,2,0,1,45,1,4,1,4
+63830,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,1,2,2,2,2,1,NA,11225.5556,12146.092964,2,93,8,8,2.62,3,3,0,0,2,2,64,2,1,1,1
+63831,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,20000.263815,19016.481945,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+63832,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,133542.212862,137914.897649,3,91,8,8,1.95,4,4,2,0,0,2,30,1,5,1,4
+63833,7,2,1,9,NA,2,2,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,13742.678011,2,98,6,6,0.78,7,7,1,3,1,2,63,1,2,4,NA
+63834,7,2,2,52,NA,4,4,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,15776.849485,18474.07459,2,93,14,14,2.78,5,5,0,0,0,1,52,2,4,1,2
+63835,7,2,2,76,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,1,2,1,2,2,1,1,2,NA,12535.973802,12972.182488,2,100,15,15,4.97,5,5,0,2,1,2,42,1,5,1,5
+63836,7,2,1,16,NA,4,4,2,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12462.601191,12584.643654,2,97,5,5,0.92,5,5,0,3,0,2,54,1,3,2,NA
+63837,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,63504.762752,64182.95787,1,91,10,10,5,1,1,0,0,1,2,70,1,4,2,NA
+63838,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,25812.913537,27430.822937,2,95,4,4,1.34,1,1,0,0,1,2,78,1,3,2,NA
+63839,7,2,1,75,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,9257.537917,9400.859081,1,99,10,10,2.71,5,5,1,1,2,1,75,1,1,1,3
+63840,7,2,1,10,NA,3,3,2,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,57057.523607,61384.115788,1,98,10,10,3.04,4,4,0,2,0,2,47,1,4,1,3
+63841,7,2,1,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,59682.963348,63721.06052,2,102,10,10,4.76,2,2,0,0,0,1,27,1,4,1,4
+63842,7,2,1,0,7,5,6,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8577.614982,8519.98112,2,91,14,14,4.19,3,3,1,0,0,2,31,1,5,1,5
+63843,7,2,2,13,NA,2,2,2,13,159,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,17848.732433,20206.102312,2,91,99,99,NA,6,6,1,3,0,2,20,2,2,5,NA
+63844,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,28974.537912,30613.083607,1,99,6,6,1.7,2,2,0,0,2,2,77,1,3,1,5
+63845,7,2,1,43,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,29247.173902,1,94,3,3,1.21,1,1,0,0,0,1,43,1,4,3,NA
+63846,7,2,1,3,NA,3,3,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,38749.197676,45403.777431,1,92,6,6,1.24,4,4,1,1,0,1,30,1,3,3,NA
+63847,7,2,1,58,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,155918.172532,3,91,6,6,2.24,1,1,0,0,0,1,58,1,3,5,NA
+63848,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,16214.132654,16029.957596,3,90,15,15,4.89,5,5,0,0,0,2,57,2,3,1,3
+63849,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,71279.707602,73321.195079,1,103,14,14,2.96,5,5,1,2,0,1,34,1,4,1,5
+63850,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,140084.621651,140222.178533,1,102,10,10,4.76,2,2,0,0,0,1,23,1,5,5,NA
+63851,7,2,1,9,NA,4,4,1,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,14179.490667,2,101,1,1,0.27,3,3,0,2,0,2,36,1,3,5,NA
+63852,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,158509.005274,161135.953834,1,100,15,15,5,4,4,0,1,0,1,50,1,4,1,4
+63853,7,2,2,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,77299.255327,77536.924917,2,92,15,15,5,2,2,0,0,0,2,36,1,5,1,5
+63854,7,2,2,5,NA,1,1,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14812.229505,15746.041025,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+63855,7,2,1,8,NA,2,2,2,8,97,NA,NA,2,1,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14700.46789,14706.980156,1,97,15,15,5,4,4,1,1,0,2,43,1,5,1,5
+63856,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,2,1,0.13,4,1,0,0,0,2,19,1,4,NA,NA
+63857,7,1,1,4,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8199.080864,0,1,90,4,4,0.67,5,5,3,0,0,2,32,2,3,3,NA
+63858,7,2,2,20,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,2,6,1,2,2,2,2,2,2,2,2,2,2,42621.881199,51089.379491,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+63859,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,17648.758915,17930.45653,2,99,3,3,0.44,5,5,1,1,0,2,53,1,4,1,3
+63860,7,2,2,50,NA,5,7,2,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,120670.257812,123358.620194,3,90,9,9,3.14,3,3,0,0,0,1,56,2,3,1,3
+63861,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,138075.879417,141933.339512,2,91,15,15,5,2,2,0,0,1,2,57,1,5,1,5
+63862,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,NA,43004.283229,49692.210403,1,97,NA,77,NA,2,1,0,0,2,1,80,1,3,6,NA
+63863,7,2,1,6,NA,4,4,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9502.15317,9484.287948,2,97,13,13,NA,6,6,2,2,0,2,24,1,2,6,NA
+63864,7,2,1,3,NA,1,1,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14993.478359,14600.446315,1,97,6,3,0.45,7,6,2,1,0,1,29,2,2,1,1
+63865,7,2,1,2,NA,2,2,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11853.772636,11869.789876,2,96,6,6,1.12,4,4,2,0,0,1,27,2,2,6,NA
+63866,7,2,2,0,3,2,2,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7367.430495,7419.943227,2,91,2,2,0.19,5,5,3,0,0,1,24,2,1,1,3
+63867,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,28930.832375,30957.619671,1,92,5,5,1.05,3,3,1,1,0,2,35,1,4,5,NA
+63868,7,2,1,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,131445.986898,130104.237054,1,95,10,10,5,1,1,0,0,1,1,69,1,5,3,NA
+63869,7,1,1,36,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,86986.68246,0,2,94,15,15,5,2,2,0,0,0,1,36,1,2,1,4
+63870,7,2,2,11,NA,4,4,2,11,140,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8184.286585,8442.757341,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+63871,7,2,2,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18490.479848,18604.849683,2,100,7,7,2.37,3,3,0,1,1,2,45,1,5,1,NA
+63872,7,2,2,18,NA,5,6,1,18,218,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,6370.316505,6989.133332,2,92,7,7,1.17,6,6,0,1,1,1,78,2,1,1,3
+63873,7,2,1,80,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,8763.51401,9280.560292,2,100,5,3,1.29,3,1,0,0,2,2,80,1,1,2,NA
+63874,7,2,1,3,NA,1,1,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14505.510202,14964.673559,2,94,7,7,1.23,6,6,2,1,0,1,33,2,1,6,NA
+63875,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,10266.896689,11139.888992,1,96,3,3,1.25,1,1,0,0,1,2,64,1,2,2,NA
+63876,7,2,2,9,NA,4,4,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7321.387082,7717.353133,1,103,3,3,0.52,3,3,0,2,0,2,45,1,4,5,NA
+63877,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,29672.504425,2,101,12,1,0.32,4,1,0,0,0,2,20,1,4,5,NA
+63878,7,2,1,8,NA,3,3,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25457.327997,26428.651236,3,92,6,6,1.41,4,3,0,1,0,1,41,1,4,1,4
+63879,7,2,1,76,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,38226.070503,39676.327756,1,99,7,7,3.31,1,1,0,0,1,1,76,1,5,2,NA
+63880,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53541.401974,54961.757487,1,99,7,7,2.72,2,2,0,0,2,1,77,1,2,1,3
+63881,7,2,2,25,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,50197.83865,52206.228199,1,93,12,6,2.75,4,1,0,0,0,2,25,2,5,5,NA
+63882,7,2,1,43,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15271.238172,15754.77307,3,91,15,15,5,3,3,0,1,0,2,44,2,5,1,5
+63883,7,1,2,80,NA,2,2,NA,NA,NA,2,NA,2,1,8,NA,1,2,NA,2,2,2,2,2,2,NA,NA,NA,NA,17318.187297,0,2,90,4,4,0.57,5,5,1,0,2,2,80,2,1,2,NA
+63884,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,7867.418849,7869.055339,1,103,77,77,NA,6,6,0,2,2,1,70,NA,NA,1,1
+63885,7,2,1,19,NA,4,4,1,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,1,1,0.32,2,1,0,0,0,1,19,1,4,NA,NA
+63886,7,2,2,7,NA,5,6,2,7,95,NA,NA,2,1,2,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11068.40581,11617.80042,1,97,15,15,5,3,3,0,1,0,2,40,1,5,1,5
+63887,7,2,2,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,94637.019439,107051.932277,1,94,7,7,3.13,1,1,0,0,1,2,64,1,3,2,NA
+63888,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,20948.005175,20851.734447,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+63889,7,2,1,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,29425.409675,1,94,1,1,0.36,1,1,0,0,0,1,48,1,3,5,NA
+63890,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,9716.805546,10308.451947,2,90,3,3,0.68,2,2,0,0,1,1,21,2,4,5,NA
+63891,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,1,96,9,9,4.13,2,2,0,0,1,2,55,1,4,5,NA
+63892,7,2,2,10,NA,3,3,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49543.011606,52616.361829,1,94,15,15,5,6,6,0,4,0,1,38,1,5,1,4
+63893,7,1,1,6,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12722.361971,0,2,93,8,8,2.62,3,3,0,1,0,1,43,2,4,6,NA
+63894,7,2,2,19,NA,4,4,2,19,231,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13775.846051,13737.029624,2,97,7,7,1.06,7,7,1,2,0,2,40,1,4,5,NA
+63895,7,2,1,37,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18094.858384,18452.252422,1,96,15,15,5,3,3,0,1,0,2,37,1,4,1,4
+63896,7,2,2,9,NA,5,6,2,9,118,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9620.269705,10320.938187,2,91,14,14,3.47,4,4,1,1,0,2,40,2,5,1,NA
+63897,7,2,2,7,NA,2,2,2,7,95,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13338.830817,13909.366846,1,90,6,6,1.68,3,3,1,1,0,2,36,2,4,4,NA
+63898,7,2,2,51,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,NA,NA,NA,1,2,2,1,24870.513993,25000.211608,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+63899,7,2,2,75,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,1,3,NA,2,2,2,2,2,2,NA,NA,NA,NA,18006.276697,20109.914446,2,93,3,3,1.14,1,1,0,0,1,2,75,2,1,3,NA
+63900,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,1,1,1,1,2,1,1,2,1,NA,NA,NA,NA,14138.631841,14167.501749,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+63901,7,2,1,12,NA,2,2,1,12,155,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20560.901695,20875.182272,2,96,2,2,0.27,6,6,1,3,0,1,34,NA,NA,1,NA
+63902,7,2,1,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,143397.643998,144742.519652,2,98,10,10,4.76,2,2,0,0,2,1,68,1,4,1,NA
+63903,7,2,1,19,NA,4,4,1,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13731.625553,14242.275028,1,100,14,14,3.93,3,3,0,1,0,2,47,1,5,4,NA
+63904,7,2,2,42,NA,3,3,2,NA,NA,2,NA,2,2,6,NA,4,4,3,1,2,2,1,2,2,NA,NA,NA,NA,113005.700223,113116.666806,1,99,10,10,5,1,1,0,0,0,2,42,2,4,4,NA
+63905,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,1,1,2,1,NA,NA,NA,NA,14979.624397,15387.451243,1,102,3,2,0.73,2,1,0,0,0,1,24,2,4,5,NA
+63906,7,2,1,8,NA,4,4,2,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11324.954668,11525.075349,1,93,4,4,1.03,3,3,1,1,0,2,35,2,3,4,NA
+63907,7,2,1,60,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,11492.781131,11582.681279,1,100,15,14,5,2,1,0,0,2,1,60,1,5,6,NA
+63908,7,2,1,55,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,22446.308035,22116.943066,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+63909,7,2,2,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,43972.04458,44690.47559,2,96,3,3,0.95,2,2,0,0,2,2,62,1,4,1,4
+63910,7,1,2,41,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,134076.17118,0,1,98,15,15,5,3,3,0,0,0,2,41,1,5,1,NA
+63911,7,2,2,67,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10083.559248,10533.779383,1,96,9,9,4.92,1,1,0,0,1,2,67,1,4,3,NA
+63912,7,2,1,28,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,11477.00145,11789.46785,2,100,12,5,1.88,5,1,0,0,0,1,22,NA,NA,5,NA
+63913,7,2,1,18,NA,2,2,2,18,223,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14081.782012,14391.713696,2,90,2,2,0.25,5,5,0,1,0,2,41,2,4,1,NA
+63914,7,2,2,7,NA,1,1,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16535.37648,2,98,9,9,2.6,4,4,0,2,0,1,30,1,2,1,2
+63915,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,20048.680628,20209.076405,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+63916,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,19788.748292,21708.160855,1,94,4,4,0.59,5,5,0,3,0,1,34,1,2,1,4
+63917,7,2,1,71,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,14055.866747,14300.892374,2,93,5,5,1.32,2,2,0,0,2,1,71,2,4,1,1
+63918,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,157853.944421,1,95,12,12,NA,3,3,0,0,0,1,49,1,5,1,NA
+63919,7,2,1,2,NA,1,1,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11160.282155,11957.436882,2,97,2,2,0.27,3,3,2,0,0,2,19,1,3,NA,NA
+63920,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,1,1,2,2,1,2,2,1,2,2,1,104934.725755,109561.954446,2,98,10,10,4.42,2,2,0,0,0,1,31,1,4,1,3
+63921,7,2,1,3,NA,4,4,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8402.233801,8920.908511,2,101,1,1,0.1,6,6,1,2,1,2,27,1,2,1,2
+63922,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,5,2,1,2,2,1,2,2,1,2,2,3,14767.290807,18767.43866,2,90,5,5,1.43,2,2,0,1,0,2,38,2,4,5,NA
+63923,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13728.308948,13391.816234,2,90,15,15,5,4,4,0,0,0,1,57,2,5,1,5
+63924,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,2,1,2,2,1,2,2,1,2,2,1,18730.678506,18151.501185,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+63925,7,1,2,32,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,6,3,1,2,2,1,2,2,NA,NA,NA,NA,18933.643351,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+63926,7,2,1,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21317.283165,21013.422419,2,96,5,5,0.67,6,6,1,2,1,1,34,1,4,1,4
+63927,7,2,1,37,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,2,2,1,1,2,1,2,2,2,2,34997.800447,34733.660984,2,96,3,3,0.46,5,5,1,2,0,1,37,1,1,1,2
+63928,7,2,2,42,NA,4,4,2,NA,NA,2,NA,2,1,8,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,22754.478969,25596.207975,1,96,7,7,3.58,1,1,0,0,0,2,42,2,5,5,NA
+63929,7,2,2,34,NA,2,2,2,NA,NA,2,NA,2,1,99,NA,4,1,1,1,2,2,2,2,2,1,2,2,1,28899.648059,29089.927914,1,96,15,15,5,4,4,0,2,0,1,36,2,3,1,4
+63930,7,2,1,4,NA,5,7,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7666.445036,8598.756895,1,96,6,6,1.34,3,3,1,0,0,2,42,2,4,6,NA
+63931,7,1,2,32,NA,5,6,NA,NA,NA,2,NA,2,1,4,NA,3,2,3,1,2,2,1,2,2,NA,NA,NA,NA,20584.427267,0,1,95,6,6,1.34,4,4,0,2,0,2,32,2,3,2,NA
+63932,7,2,1,1,13,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15546.999135,15290.852049,2,98,10,10,3.82,3,3,1,0,0,2,33,1,4,1,2
+63933,7,2,2,6,NA,3,3,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19880.837381,19632.404233,1,95,2,2,0.22,4,4,2,1,0,2,22,1,2,5,NA
+63934,7,2,1,18,NA,2,2,2,18,227,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26628.917773,31355.430562,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+63935,7,2,1,17,NA,3,3,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20991.942732,21394.366957,1,91,3,3,0.62,3,3,0,1,0,2,55,1,4,4,NA
+63936,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,110819.46221,119829.247006,2,96,10,7,3.67,2,1,0,0,0,1,35,1,5,5,NA
+63937,7,2,2,15,NA,4,4,1,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12744.907234,12578.013387,2,93,7,7,2.78,2,2,0,1,0,2,54,1,4,3,NA
+63938,7,2,2,12,NA,4,4,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12208.965913,12602.394285,2,100,15,15,4.97,5,5,0,2,1,2,42,1,5,1,5
+63939,7,2,1,66,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9221.19173,9293.322792,2,95,5,5,1.32,2,2,0,0,2,1,66,1,2,1,4
+63940,7,2,1,15,NA,2,2,2,15,183,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,16033.31661,16386.200415,2,90,10,10,3.13,4,4,1,2,0,2,39,1,5,4,NA
+63941,7,2,2,53,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14680.520497,15280.64157,3,91,9,9,3.24,3,3,0,1,1,1,64,2,2,1,5
+63942,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,145772.192378,148626.818504,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+63943,7,2,2,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,137368.929197,138597.101074,1,91,8,7,3.21,2,1,0,0,0,1,33,1,5,6,NA
+63944,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39031.957066,39875.03294,1,95,77,77,NA,3,3,0,0,0,2,41,1,2,5,NA
+63945,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,87611.353116,90505.825807,2,92,10,10,5,1,1,0,0,0,2,29,1,5,5,NA
+63946,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,15867.258653,19649.848899,3,91,6,6,1.22,5,5,1,2,0,2,37,1,4,1,2
+63947,7,2,1,1,16,4,4,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6454.74783,2,100,6,6,1.51,3,3,1,0,0,1,29,1,3,1,4
+63948,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,24351.694017,24510.535836,1,100,12,14,5,2,1,0,0,0,2,50,1,3,6,NA
+63949,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18295.488967,19299.909712,2,103,12,12,NA,4,4,0,1,0,2,50,2,3,1,4
+63950,7,2,2,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,22531.325817,21485.967466,2,91,15,15,5,4,4,0,0,1,1,61,NA,NA,1,2
+63951,7,2,1,14,NA,4,4,2,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11806.79775,12091.578602,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+63952,7,2,2,10,NA,3,3,1,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,63812.58912,64724.869865,3,91,15,15,5,2,2,0,1,0,1,42,1,5,2,NA
+63953,7,2,2,31,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,39561.667842,38764.112139,3,92,7,7,1.49,5,5,0,2,1,2,62,1,4,2,NA
+63954,7,2,1,41,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,17249.311662,20609.214634,2,91,6,6,1.57,3,3,0,1,0,1,41,2,3,1,3
+63955,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,128294.718377,130390.843426,1,93,15,12,NA,4,1,0,0,3,1,80,1,5,2,NA
+63956,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,87648.893016,94490.113574,2,91,15,15,5,4,4,2,0,0,2,33,1,5,1,5
+63957,7,2,2,59,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19676.781212,23812.59189,1,103,7,7,1.33,5,5,0,1,1,1,28,1,2,1,3
+63958,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,2,NA,2,2,2,1,2,2,2,2,1,2,11851.128358,12729.036357,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+63959,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,28129.563738,1,101,6,6,1.17,4,4,0,1,0,1,41,1,3,6,NA
+63960,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25651.892165,25126.271361,1,97,6,6,1.41,3,3,0,1,0,2,51,1,4,5,NA
+63961,7,2,2,0,9,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6699.512423,6879.514499,3,91,15,14,4.03,5,4,2,0,0,1,42,2,4,1,5
+63962,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,54095.581484,0,2,91,6,6,2.24,1,1,0,0,1,2,80,1,3,2,NA
+63963,7,2,1,72,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,83244.241244,88112.194036,2,102,15,15,5,2,2,0,0,2,1,72,1,5,1,NA
+63964,7,2,1,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,85786.890667,86591.455494,2,96,15,15,5,3,2,0,0,1,1,62,1,5,1,2
+63965,7,2,1,72,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,19115.0887,22519.216384,2,98,6,6,1.26,4,4,0,1,2,2,63,1,3,1,3
+63966,7,2,2,34,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,26426.249254,26363.744856,1,99,7,1,0.24,2,1,0,0,0,2,38,1,5,6,NA
+63967,7,2,2,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,16929.836231,18556.498474,2,101,8,5,1.84,2,1,0,0,0,2,27,2,5,5,NA
+63968,7,2,2,61,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,3,NA,2,2,2,1,2,2,2,2,2,2,10310.145764,11073.900839,1,100,13,13,NA,4,4,0,1,1,1,26,2,3,5,NA
+63969,7,2,1,8,NA,4,4,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9173.220503,9355.60378,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+63970,7,2,2,9,NA,5,6,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10235.530383,11121.127441,1,100,7,7,2.51,2,2,0,1,0,2,37,2,5,3,NA
+63971,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,3,1,2,1,2,1,1,2,2,1,2,1,NA,21470.176619,21617.60214,1,98,7,7,2.71,2,2,0,0,0,1,43,1,3,1,3
+63972,7,2,1,15,NA,3,3,2,15,189,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74123.161671,78732.269389,1,93,15,15,4.59,4,4,0,1,0,1,57,1,5,1,5
+63973,7,2,2,15,NA,5,6,2,15,190,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12224.9472,12547.183925,1,97,14,14,2.72,7,7,0,2,0,1,40,1,5,1,5
+63974,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,139662.869107,140583.8015,1,100,15,15,5,3,3,0,0,0,1,53,1,5,1,4
+63975,7,2,2,6,NA,4,4,1,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9309.947844,9472.353128,2,98,2,2,0.31,4,4,2,1,0,2,27,1,2,4,NA
+63976,7,2,1,1,13,4,4,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8022.100831,8575.148723,2,102,7,7,1.53,5,5,1,3,0,2,36,1,5,5,NA
+63977,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,18070.666316,17713.108755,1,99,6,6,1.46,3,3,0,0,1,2,80,NA,NA,2,NA
+63978,7,2,1,12,NA,2,2,1,12,146,NA,NA,2,2,1,6,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15674.964193,15512.049412,2,93,9,9,1.49,7,7,0,3,0,2,41,2,5,1,5
+63979,7,2,1,8,NA,3,3,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,65374.972543,69123.624578,1,90,15,15,5,4,4,0,2,0,1,37,1,5,1,5
+63980,7,2,2,6,NA,4,4,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7814.742747,8095.069503,2,95,7,7,2.64,2,2,0,1,0,1,48,1,2,77,NA
+63981,7,2,2,6,NA,3,3,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,43528.185872,43349.34959,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+63982,7,2,2,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,41983.304745,42669.243011,1,101,7,7,2.31,3,2,0,0,1,2,69,1,4,2,NA
+63983,7,2,1,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,94698.084211,97410.286035,1,101,5,5,0.89,5,5,1,2,0,1,31,1,2,1,1
+63984,7,2,1,24,NA,5,7,2,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,33942.93341,34470.44913,3,91,6,6,2.04,2,2,0,0,0,1,24,2,4,5,NA
+63985,7,2,1,5,NA,2,2,2,5,70,NA,NA,2,2,2,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12403.412256,12420.172189,2,90,2,2,0.32,4,4,1,2,0,2,34,2,1,77,NA
+63986,7,2,1,75,NA,1,1,2,NA,NA,2,NA,2,1,9,NA,1,1,NA,2,2,2,1,2,2,2,1,2,NA,16607.774808,17550.450209,1,101,3,3,0.93,2,2,0,0,2,1,75,2,1,1,1
+63987,7,2,1,0,1,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6238.040326,6448.58866,1,93,10,10,2.91,4,4,2,0,0,2,27,1,5,1,4
+63988,7,2,1,4,NA,1,1,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16775.083123,16797.750213,2,98,2,2,0.27,4,4,2,0,0,2,20,2,2,6,NA
+63989,7,2,2,53,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,31785.728924,32871.467684,1,101,3,3,0.92,2,2,0,1,0,2,53,1,5,3,NA
+63990,7,2,1,17,NA,5,6,2,17,204,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,13,13,NA,3,3,0,2,0,2,41,2,3,4,NA
+63991,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,22707.329726,23247.668083,2,97,2,2,0.27,4,4,0,2,0,1,51,1,2,4,NA
+63992,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19696.958879,19993.739669,2,95,1,1,0.4,1,1,0,0,0,1,44,1,4,5,NA
+63993,7,2,1,8,NA,1,1,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14007.413517,3,92,7,7,1.41,5,5,1,2,0,1,40,1,3,1,4
+63994,7,2,2,9,NA,4,4,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,13050.526646,2,101,1,1,0.21,4,4,1,2,0,2,26,1,3,5,NA
+63995,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,16851.334496,16987.280633,2,95,1,1,0,1,1,0,0,0,1,56,1,2,2,NA
+63996,7,2,1,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,19478.738759,23024.340691,1,90,7,7,2.1,3,3,0,1,0,1,35,1,3,6,NA
+63997,7,2,2,79,NA,3,3,2,NA,NA,2,NA,2,2,6,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,27102.582153,29013.853259,1,93,13,13,NA,1,1,0,0,1,2,79,2,1,2,NA
+63998,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,29448.834066,32687.247837,1,97,9,9,5,1,1,0,0,0,2,48,1,5,5,NA
+63999,7,2,2,44,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,14254.989855,14385.318229,1,103,15,15,3.7,5,5,0,2,1,1,55,1,5,1,5
+64000,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,17879.023129,20112.694262,2,90,NA,NA,NA,1,1,0,0,0,1,31,1,3,5,NA
+64001,7,2,1,7,NA,4,4,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13423.881856,14062.200951,2,101,5,5,0.89,4,4,1,1,1,2,38,1,4,77,NA
+64002,7,2,1,80,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,31039.556381,33443.834712,1,96,15,15,5,2,2,0,0,2,2,80,1,5,1,5
+64003,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,138322.767578,143283.052066,1,95,14,14,5,2,2,0,0,0,1,54,1,4,1,3
+64004,7,2,2,0,10,1,1,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6331.376224,6501.48724,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+64005,7,2,2,12,NA,1,1,1,12,152,NA,NA,2,2,3,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18515.058419,19512.090709,2,96,5,5,0.76,5,5,1,2,0,1,44,2,1,1,3
+64006,7,2,2,9,NA,5,7,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19608.444487,19549.535258,2,98,3,3,0.38,5,5,0,4,0,2,39,1,4,5,NA
+64007,7,1,1,0,7,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7530.249163,0,2,102,12,12,NA,6,6,1,0,0,2,53,1,4,1,1
+64008,7,2,1,4,NA,4,4,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8123.332359,8458.989525,1,96,14,14,2.58,6,6,2,2,0,1,40,2,4,1,4
+64009,7,2,1,32,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18666.270458,19921.991676,2,93,77,77,NA,2,2,0,0,0,2,28,2,5,1,5
+64010,7,1,1,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13345.162299,0,2,102,14,14,4.86,3,3,1,0,0,1,30,1,5,1,5
+64011,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,27118.033816,33710.198359,1,94,5,5,1.39,2,2,0,0,2,1,60,1,1,5,NA
+64012,7,2,2,16,NA,3,3,2,17,205,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27482.814969,29965.467716,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+64013,7,2,1,80,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,8606.120537,9222.025464,1,93,2,2,0.69,1,1,0,0,1,1,80,2,5,2,NA
+64014,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,26141.606772,25260.281919,1,92,9,6,2.24,3,1,0,0,0,2,21,NA,NA,5,NA
+64015,7,2,1,32,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,45691.377881,46792.745533,3,91,14,14,5,2,2,0,0,0,1,32,1,4,6,NA
+64016,7,2,2,0,8,2,2,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5234.186769,5271.49441,2,90,3,3,0.46,5,5,3,0,0,2,22,1,2,5,NA
+64017,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,128585.755579,132183.659765,2,97,9,9,4.08,2,2,0,0,0,2,24,1,4,1,3
+64018,7,2,1,35,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18289.793332,18322.51979,1,99,10,10,3.13,4,4,0,2,0,1,35,1,4,1,5
+64019,7,2,2,10,NA,2,2,2,10,123,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13154.122703,13626.512275,1,93,9,9,2.46,4,4,0,2,0,1,35,2,1,1,1
+64020,7,2,2,17,NA,5,6,2,17,209,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11225.761275,11659.847432,2,91,8,8,2.34,4,4,0,2,0,1,56,2,5,1,5
+64021,7,2,2,62,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13057.178942,13648.591881,1,102,10,10,4.42,2,2,0,0,2,2,62,1,5,1,4
+64022,7,2,2,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,14516.765165,13843.248577,3,90,15,15,4.34,4,4,0,0,1,1,65,1,3,1,4
+64023,7,2,1,80,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,14200.083364,15006.095575,2,98,99,99,NA,1,1,0,0,1,1,80,1,1,2,NA
+64024,7,2,2,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,94637.019439,96511.799704,1,94,4,4,1.71,1,1,0,0,1,2,62,1,4,3,NA
+64025,7,2,1,31,NA,3,3,1,NA,NA,2,NA,2,1,7,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,88274.617148,90802.847573,2,92,15,14,5,2,1,0,0,0,2,29,1,5,6,NA
+64026,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17207.598344,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+64027,7,2,2,5,NA,3,3,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25864.922734,27487.163063,1,95,7,2,0.35,5,4,1,2,0,1,26,1,4,6,NA
+64028,7,2,1,11,NA,2,2,2,11,142,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,9390.522479,9862.720437,2,90,1,1,0.14,2,2,0,1,0,2,36,1,3,3,NA
+64029,7,2,1,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,39915.513053,41236.907607,2,98,7,7,1.53,5,5,0,0,0,2,48,1,3,5,NA
+64030,7,2,1,6,NA,2,2,1,6,78,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14821.597351,14686.992722,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+64031,7,2,2,19,NA,1,1,1,19,233,2,NA,1,1,NA,13,NA,NA,NA,2,2,2,2,2,2,1,2,2,NA,16781.078148,17658.768186,2,103,77,77,NA,5,5,0,2,0,2,45,2,4,5,NA
+64032,7,2,1,46,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,36319.60275,35786.668567,1,103,8,8,4.48,1,1,0,0,0,1,46,1,4,3,NA
+64033,7,2,2,64,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,1,NA,1,2,1,1,2,2,1,2,1,3,14102.354333,14646.654863,3,91,7,7,2.16,3,3,1,0,1,2,36,2,5,1,NA
+64034,7,2,2,62,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,13473.304889,14578.166065,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+64035,7,2,1,8,NA,2,2,1,8,98,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,NA,15039.041447,15306.786696,3,91,5,5,0.89,4,4,0,2,2,1,61,2,3,1,4
+64036,7,2,1,69,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,28953.774534,28658.225591,1,98,6,5,1.93,2,1,0,0,2,1,69,1,4,6,NA
+64037,7,2,1,28,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,12538.868652,13740.340257,2,95,15,15,5,4,1,0,0,0,1,29,NA,NA,99,NA
+64038,7,2,1,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8325.511113,9180.237397,2,99,6,6,1.13,4,4,1,1,0,1,33,1,3,6,NA
+64039,7,2,2,0,4,4,4,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3689.415307,3729.699375,2,99,13,13,NA,4,4,1,0,0,2,50,1,2,1,9
+64040,7,2,1,31,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19185.622388,19060.093906,2,95,5,1,0,3,1,0,0,0,1,31,1,4,5,NA
+64041,7,2,1,9,NA,4,4,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10122.702296,10692.492997,2,100,77,77,NA,4,4,0,1,1,2,28,1,3,5,NA
+64042,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16905.961576,17944.772858,2,94,4,4,1.16,2,2,0,0,0,1,39,1,2,1,5
+64043,7,2,1,14,NA,4,4,2,14,177,NA,NA,2,2,4,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11523.287163,11546.069645,1,96,8,8,2.17,4,4,0,2,0,2,45,2,5,4,NA
+64044,7,2,2,8,NA,1,1,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,10870.942302,11918.469007,1,103,10,10,2.82,4,4,0,2,0,1,41,2,1,1,1
+64045,7,2,2,4,NA,3,3,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,52159.241328,54365.068635,1,100,6,6,1.18,5,5,2,2,0,2,40,1,5,3,NA
+64046,7,2,2,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,38500.994547,38409.930489,2,91,2,2,0.81,1,1,0,0,0,2,39,1,2,6,NA
+64047,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,58826.425292,61096.366503,1,102,8,8,2.42,4,4,0,2,0,2,34,1,4,1,3
+64048,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,150482.742079,150600.121666,2,98,8,8,3.67,2,2,0,0,0,2,54,1,4,3,NA
+64049,7,2,2,16,NA,1,1,1,16,195,NA,NA,2,2,4,10,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,15690.47168,16407.081535,1,102,5,5,0.62,7,7,1,3,0,1,49,2,2,1,1
+64050,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,35469.911999,45030.280097,2,91,3,3,0.86,2,2,0,0,0,2,41,1,4,1,3
+64051,7,2,1,21,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,52571.533452,58252.213979,1,93,4,4,0.92,3,3,0,0,1,1,60,NA,NA,1,4
+64052,7,2,1,60,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,10004.038848,10557.19122,2,102,8,8,4.13,1,1,0,0,1,1,60,2,1,4,NA
+64053,7,2,1,8,NA,1,1,2,8,102,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13285.093011,13346.253362,2,94,6,6,1.15,5,5,1,2,0,1,33,1,2,1,2
+64054,7,2,2,19,NA,4,4,2,19,233,2,NA,1,1,NA,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10484.6104,10912.740054,2,99,3,3,0.56,4,4,1,0,0,2,38,1,3,5,NA
+64055,7,2,2,59,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,16033.091438,16414.611167,1,96,4,4,1.02,3,3,0,0,0,2,59,1,3,2,NA
+64056,7,2,1,18,NA,3,3,2,18,221,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,34847.322278,35515.35986,2,91,6,6,1.26,5,5,0,1,2,2,80,1,4,2,NA
+64057,7,2,2,11,NA,3,3,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38662.840486,39387.514697,2,92,15,15,5,5,5,0,3,0,2,46,1,5,1,5
+64058,7,2,2,50,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15499.383981,15868.203732,2,99,5,5,1.26,3,3,1,0,0,2,50,2,3,5,NA
+64059,7,2,2,68,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,12886.419545,13879.729659,2,97,1,1,0.22,1,1,0,0,1,2,68,1,3,2,NA
+64060,7,2,2,2,NA,3,3,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27529.278041,30383.810541,1,92,5,5,1.05,3,3,1,1,0,2,35,1,4,5,NA
+64061,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,35126.205635,35329.988956,1,95,1,1,0.17,2,2,0,1,0,2,47,1,2,3,NA
+64062,7,2,2,10,NA,4,4,1,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9309.947844,9654.826166,2,98,14,14,3.36,4,4,0,2,0,1,37,1,4,1,4
+64063,7,2,2,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32161.692893,32052.891523,1,99,2,2,0.78,1,1,0,0,1,2,62,1,4,3,NA
+64064,7,2,2,46,NA,5,6,1,NA,NA,2,NA,2,2,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17668.324663,18093.708295,1,102,14,14,4.86,3,3,0,1,0,1,42,1,4,1,5
+64065,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,106195.998472,105923.202819,1,93,15,15,5,2,2,0,0,0,1,46,1,4,1,5
+64066,7,2,2,11,NA,2,2,1,11,142,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,15929.068964,16501.112136,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+64067,7,2,1,2,NA,2,2,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,12915.99793,13324.846215,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+64068,7,2,1,10,NA,1,1,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12231.897958,12180.037346,1,100,7,7,1.3,5,5,0,3,0,1,43,2,2,1,4
+64069,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,74050.783686,75666.677003,1,94,6,6,1.31,3,3,0,0,0,2,46,1,5,6,NA
+64070,7,2,2,7,NA,3,3,1,7,89,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,101,7,7,1.55,5,5,1,2,0,2,31,1,4,1,2
+64071,7,2,1,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,11074.62349,11161.252677,2,101,5,5,0.89,4,4,1,1,1,2,38,1,4,77,NA
+64072,7,2,2,50,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,1,2,2,1,2,2,2,21828.388259,21942.221447,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+64073,7,2,1,13,NA,4,4,1,13,159,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12972.249316,12937.057154,1,100,15,15,3.7,5,5,0,3,0,1,51,1,5,1,5
+64074,7,1,1,50,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16287.780872,0,2,100,6,6,2.04,2,2,0,0,0,2,50,1,2,1,3
+64075,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,35074.640491,1,94,2,2,0.42,3,3,0,0,0,2,52,1,4,1,1
+64076,7,2,2,1,21,3,3,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26071.535804,27174.107547,1,93,10,10,2.48,5,5,2,1,0,1,40,2,5,1,5
+64077,7,2,1,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,30489.729187,30783.113246,3,92,12,12,NA,3,2,0,0,0,1,45,1,3,1,3
+64078,7,2,1,17,NA,4,4,1,17,206,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,14,14,4.03,4,4,0,1,0,2,40,1,5,1,5
+64079,7,2,2,25,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,41328.871311,42415.982935,2,93,9,9,2.6,4,4,0,0,0,2,58,2,4,4,NA
+64080,7,2,1,0,3,2,2,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7004.278208,7004.40731,1,93,5,5,1.3,3,3,1,1,0,2,28,2,4,5,NA
+64081,7,2,1,11,NA,4,4,2,11,143,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12176.538896,12387.770281,2,97,2,2,0.3,4,4,0,2,0,1,42,1,2,6,NA
+64082,7,2,1,64,NA,3,3,2,NA,NA,2,NA,2,2,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,167711.394252,169284.299948,1,101,10,10,4.63,2,2,0,0,1,1,64,2,3,1,4
+64083,7,2,2,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,30634.82105,30961.983694,1,95,7,7,2.16,3,3,0,0,1,1,45,1,3,1,4
+64084,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,33810.591598,40546.042621,3,91,13,13,NA,3,3,0,1,1,1,80,1,3,2,NA
+64085,7,2,2,13,NA,5,6,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10164.140113,10557.174707,3,91,15,15,5,4,4,0,2,0,1,44,2,5,1,5
+64086,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18040.833018,19102.925896,1,96,9,9,4.1,2,2,0,0,0,2,45,2,5,1,5
+64087,7,2,1,18,NA,1,1,2,18,225,2,NA,2,2,5,14,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,20398.562455,20186.553847,3,92,8,8,2.01,4,4,1,0,0,2,49,2,5,4,NA
+64088,7,2,2,9,NA,3,3,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24832.585001,24642.096114,2,101,3,3,0.6,3,3,0,2,0,1,39,1,4,4,NA
+64089,7,2,2,54,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16567.527819,16240.172481,1,96,15,15,5,3,3,0,0,0,1,55,1,4,1,5
+64090,7,2,1,18,NA,4,4,2,18,218,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,14,14,3.47,4,4,0,0,0,2,45,1,4,1,4
+64091,7,2,1,53,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12274.966216,12700.371312,3,90,5,5,1.05,3,3,0,0,0,1,53,2,1,1,2
+64092,7,2,1,18,NA,3,3,2,18,220,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,71458.892941,71654.216305,2,94,3,3,0.54,4,4,0,1,0,2,48,1,3,1,3
+64093,7,2,2,8,NA,5,6,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,1,1,2,1,1,2,2,NA,10387.513218,10891.034934,1,92,15,15,5,4,4,1,1,0,1,38,2,5,1,5
+64094,7,2,1,0,8,4,4,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7882.953266,8719.306286,2,96,7,7,1.79,4,4,2,0,0,2,49,1,3,1,3
+64095,7,2,1,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,113559.363135,118892.640077,2,102,14,14,4.93,3,3,0,1,0,1,37,1,5,1,5
+64096,7,2,1,10,NA,5,6,2,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,8246.426933,8701.859504,1,99,7,5,1.84,2,1,0,1,0,1,47,2,4,5,NA
+64097,7,2,2,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9139.784234,9841.162002,2,100,2,2,0.33,5,5,0,4,0,2,27,1,3,5,NA
+64098,7,2,1,54,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19374.410926,19463.695548,1,96,4,4,0.65,4,4,0,0,0,1,19,1,4,NA,NA
+64099,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,90234.245265,93002.542962,2,101,7,7,3.9,1,1,0,0,1,2,71,1,5,3,NA
+64100,7,1,1,5,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58116.402634,0,1,97,15,15,5,5,5,2,0,1,1,43,1,5,1,5
+64101,7,2,2,0,5,4,4,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3861.876549,4016.370213,1,96,8,8,1.61,6,6,3,0,0,1,33,2,5,1,4
+64102,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,9240.841805,10026.588852,2,95,13,13,NA,2,2,0,0,1,1,56,1,9,1,1
+64103,7,2,2,12,NA,5,6,1,12,148,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9505.147857,9693.556382,1,92,14,14,2.42,6,6,1,3,0,1,30,1,4,6,NA
+64104,7,2,2,4,NA,4,4,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8340.858072,8802.325948,2,103,6,6,1.11,5,5,1,2,0,2,36,1,4,5,NA
+64105,7,2,2,8,NA,1,1,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14042.378151,15260.975241,1,102,14,14,4.03,4,4,0,2,0,1,30,1,5,6,NA
+64106,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,68184.631488,70137.474393,2,95,4,4,1.34,1,1,0,0,0,1,34,1,4,5,NA
+64107,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,65891.955175,72165.622258,1,95,7,7,2.38,2,2,0,0,2,1,80,1,3,1,4
+64108,7,2,2,2,NA,3,3,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18127.266286,20006.89679,2,95,6,6,1.08,4,4,1,1,0,1,39,1,4,1,4
+64109,7,1,2,45,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,80232.348161,0,1,99,77,77,NA,4,4,0,2,0,2,45,1,3,1,NA
+64110,7,2,2,6,NA,4,4,2,6,81,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7282.523598,7776.514874,2,99,3,3,0.93,2,2,0,1,0,2,27,1,4,3,NA
+64111,7,2,2,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,28047.519499,31779.09658,2,90,1,1,0.14,1,1,0,0,0,2,33,1,2,5,NA
+64112,7,2,1,14,NA,2,2,1,14,179,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18635.323223,19040.145288,2,103,12,12,NA,4,4,0,1,0,2,50,2,3,1,4
+64113,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,38808.357492,1,95,3,3,0.96,1,1,0,0,1,2,80,1,4,2,NA
+64114,7,2,1,9,NA,5,6,1,9,111,NA,NA,2,1,3,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5769.526317,6088.16495,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+64115,7,2,1,8,NA,4,4,2,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7370.805738,7721.29497,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+64116,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,35276.751365,1,94,7,7,1.65,5,4,0,0,0,1,46,1,4,1,4
+64117,7,2,2,16,NA,3,3,2,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,60694.411883,64307.712903,1,99,15,15,4.47,4,4,0,2,0,2,43,1,5,1,5
+64118,7,2,2,0,3,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7782.311913,7756.671982,1,94,7,7,1.56,4,4,2,0,0,1,21,1,4,1,4
+64119,7,2,2,6,NA,3,3,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,98,15,15,5,5,5,0,3,0,2,41,1,5,6,NA
+64120,7,2,1,77,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,4,NA,2,2,2,2,2,2,1,2,2,NA,15301.031416,15853.994551,1,90,99,99,NA,5,5,0,2,1,2,50,2,4,4,NA
+64121,7,2,2,34,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,27127.983961,27837.333201,2,90,7,7,1.66,4,4,0,3,0,2,34,1,5,3,NA
+64122,7,2,2,67,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,1,2,2,2,15876.871857,17178.834476,2,102,NA,13,NA,2,1,0,0,1,1,50,2,1,6,NA
+64123,7,2,2,1,21,1,1,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12871.484115,14210.463876,2,102,3,3,0.45,4,4,2,0,0,1,21,2,2,6,NA
+64124,7,2,1,6,NA,4,4,1,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9261.557132,9782.87535,2,100,8,8,1.8,5,5,0,3,0,2,43,1,3,1,3
+64125,7,1,1,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,55061.722794,0,2,95,15,15,4.63,5,5,1,2,0,1,32,1,4,1,4
+64126,7,2,2,7,NA,1,1,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,19059.339877,19259.716076,1,95,13,13,NA,5,5,1,2,0,2,34,2,1,1,1
+64127,7,2,2,69,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18695.172864,19350.637044,2,102,7,7,1.68,5,5,0,0,3,1,70,2,4,1,4
+64128,7,2,1,59,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,124170.603852,126212.047685,1,92,6,6,2.39,1,1,0,0,0,1,59,1,4,3,NA
+64129,7,2,2,7,NA,4,4,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7588.605543,8170.947433,1,99,4,4,0.53,7,7,3,1,0,2,26,1,1,5,NA
+64130,7,2,1,69,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,2,1,NA,1,2,1,1,2,1,1,2,1,1,13977.762704,14745.704028,1,92,77,77,NA,4,4,0,0,2,1,59,2,5,1,5
+64131,7,2,2,79,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,36067.495928,37024.300659,1,95,5,5,1.36,2,2,0,0,1,2,79,1,3,2,NA
+64132,7,2,2,41,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20303.639991,21936.687597,1,97,15,15,4.07,5,5,0,3,0,1,42,2,5,1,5
+64133,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,57151.56429,59304.909373,2,95,8,8,2.17,4,4,1,1,0,1,43,1,4,1,5
+64134,7,2,2,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,29670.405171,29084.152013,2,101,10,10,3.89,3,3,0,1,0,2,49,1,4,1,3
+64135,7,2,2,23,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,11206.329484,11903.241195,2,103,15,15,5,3,3,0,0,0,2,52,2,4,1,5
+64136,7,2,1,9,NA,1,1,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12624.747427,12616.351223,2,92,15,15,3.37,7,7,0,4,0,1,42,2,3,1,1
+64137,7,2,2,72,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,1,2,NA,1,2,1,1,2,1,1,2,1,NA,10125.392704,11197.313648,2,91,12,12,NA,7,6,0,4,2,2,72,2,1,2,NA
+64138,7,2,1,36,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,20071.705576,20337.925283,3,91,14,14,5,2,1,0,0,0,1,36,1,5,6,NA
+64139,7,2,2,32,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,6,2,2,2,2,1,2,2,NA,NA,NA,NA,34401.268523,35501.848089,2,97,4,4,0.67,4,4,0,2,0,1,39,2,2,6,NA
+64140,7,2,2,16,NA,4,4,1,16,192,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12531.903464,12935.738352,2,100,5,5,1.07,4,4,0,1,0,2,36,1,3,5,NA
+64141,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,26344.362464,29482.177939,2,95,4,4,1.46,1,1,0,0,1,1,80,1,1,2,NA
+64142,7,2,1,73,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,14537.797299,15440.503889,3,91,77,77,NA,2,2,0,0,2,1,73,1,5,1,5
+64143,7,2,1,58,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,25737.628192,27045.174332,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+64144,7,2,2,2,NA,5,7,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9254.729183,9958.191837,2,98,15,15,4.17,6,6,1,1,0,2,40,1,4,1,4
+64145,7,2,1,2,NA,1,1,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,1,1,0.19,3,3,2,0,0,2,31,1,4,2,NA
+64146,7,2,2,47,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20303.639991,21936.687597,1,97,15,15,5,6,6,0,3,0,1,47,1,5,1,5
+64147,7,2,2,34,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,6,2,2,2,2,2,2,2,1,2,2,2,45655.090694,44423.220436,3,92,3,3,0.51,5,5,1,2,0,2,34,2,1,6,NA
+64148,7,2,1,2,NA,4,4,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6580.937346,6661.20735,2,101,7,7,2.16,3,3,1,0,1,2,64,1,3,2,NA
+64149,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,108504.032354,117548.425574,1,92,6,6,1.57,3,3,0,1,0,1,29,1,4,6,NA
+64150,7,2,1,8,NA,4,4,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12839.999482,13062.740187,2,96,8,8,1.72,5,5,0,3,0,1,39,1,5,1,4
+64151,7,2,1,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,124820.027137,131239.54259,1,91,10,10,3.51,3,3,0,0,1,1,21,1,4,5,NA
+64152,7,2,1,14,NA,4,4,1,14,173,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16261.995423,16421.244198,2,96,5,5,1.13,3,3,1,1,0,2,31,1,3,5,NA
+64153,7,2,2,11,NA,4,4,2,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6979.847147,8479.043057,1,99,7,7,1.53,5,5,0,3,0,1,39,1,3,1,3
+64154,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,19675.36066,19726.184442,2,96,14,14,4.26,3,3,0,0,0,1,20,1,4,5,NA
+64155,7,2,1,11,NA,4,4,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11543.27965,11681.665542,1,98,1,1,0.03,3,3,0,2,0,2,38,1,4,5,NA
+64156,7,2,2,8,NA,5,6,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5142.091355,5516.602825,3,91,15,15,5,3,3,0,1,0,2,44,2,5,1,5
+64157,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,136832.42119,141624.96623,2,91,12,5,2.03,2,1,0,0,2,2,68,1,4,6,NA
+64158,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17095.959542,2,97,7,7,3.67,1,1,0,0,0,1,27,1,4,1,NA
+64159,7,2,1,75,NA,1,1,2,NA,NA,2,NA,2,2,9,NA,1,1,NA,2,2,2,1,2,2,2,2,2,NA,17161.371047,18002.626237,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+64160,7,2,1,13,NA,5,6,1,13,167,NA,NA,2,1,2,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11171.449402,11936.033174,1,92,7,7,1.56,4,4,0,2,0,2,38,2,4,6,NA
+64161,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,1,96,15,15,5,2,2,0,0,0,2,51,1,5,5,NA
+64162,7,2,1,18,NA,3,3,2,18,222,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,35639.306876,36153.844915,2,91,99,99,NA,3,3,0,0,0,1,40,NA,NA,1,4
+64163,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12262.33683,12778.149281,2,100,15,15,5,3,3,0,1,0,1,48,2,5,1,5
+64164,7,2,1,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19440.793325,20264.695737,2,95,15,10,3.67,5,3,0,0,0,1,47,1,5,1,3
+64165,7,2,2,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,20495.125801,20710.596821,2,98,3,3,0.4,6,6,1,2,0,2,29,2,1,4,NA
+64166,7,2,1,7,NA,2,2,2,7,92,NA,NA,2,2,3,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10490.055059,10676.813132,3,90,4,4,0.63,5,5,0,3,0,1,45,2,4,1,4
+64167,7,2,2,21,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16929.836231,17652.770039,2,101,1,1,0.14,2,1,0,0,0,2,21,2,4,5,NA
+64168,7,2,1,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,96844.935107,100539.350089,2,98,10,10,4.42,2,2,0,0,0,1,31,1,4,1,3
+64169,7,2,1,17,NA,3,3,1,17,207,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,29202.587704,29754.083616,3,92,6,6,0.74,7,7,2,1,0,2,46,1,2,1,4
+64170,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,19337.563688,19353.557903,1,96,6,6,1.21,4,4,2,0,0,1,24,1,4,1,3
+64171,7,2,1,11,NA,3,3,2,11,135,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25604.034863,28346.339599,1,95,10,6,1.34,5,4,1,2,0,1,32,1,3,6,NA
+64172,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,10455.739374,11701.098067,1,101,3,3,0.86,2,2,0,0,2,2,80,1,2,1,1
+64173,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,17430.913214,17517.807291,1,90,5,5,1.06,4,4,0,2,0,1,53,1,3,1,4
+64174,7,2,2,18,NA,2,2,2,18,222,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16189.692833,16766.382859,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+64175,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,39416.921733,1,95,2,2,0.83,1,1,0,0,1,2,80,1,2,2,NA
+64176,7,2,1,72,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,10160.645851,10359.669924,1,96,9,9,3.97,2,2,0,0,2,1,72,1,4,1,5
+64177,7,2,1,2,NA,3,3,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,22388.62869,26233.531918,2,97,1,1,0.21,4,4,2,0,0,2,34,2,1,1,2
+64178,7,2,1,7,NA,5,6,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6765.693703,7164.978412,2,92,15,15,5,3,3,0,1,0,1,45,2,4,1,4
+64179,7,2,1,52,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,25118.469449,25612.281104,2,98,5,5,1.63,2,2,0,0,0,2,53,2,1,1,1
+64180,7,2,2,31,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,4,1,2,2,2,2,1,2,2,NA,NA,NA,NA,38184.257672,39182.709093,2,91,9,9,2.6,4,4,1,1,0,2,31,2,4,1,5
+64181,7,2,2,56,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,23409.465713,23644.84324,2,97,14,9,5,2,1,0,0,0,2,56,1,3,6,NA
+64182,7,2,2,67,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,90638.027317,92118.903864,2,100,6,6,2.04,2,2,0,0,2,1,74,1,4,1,3
+64183,7,2,2,18,NA,1,1,1,18,223,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27070.679378,27847.54398,1,92,7,7,1.48,5,5,0,1,0,1,42,1,5,1,4
+64184,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,36438.408188,36780.151097,1,101,3,3,0.66,2,2,0,0,1,1,67,1,2,3,NA
+64185,7,2,2,14,NA,5,6,2,14,170,NA,NA,2,1,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,7,7,1.48,5,5,1,2,0,1,40,2,5,1,4
+64186,7,2,1,63,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,1,2,2,1,2,2,1,9068.437099,9499.757798,2,93,9,9,3.97,2,2,0,0,1,2,57,2,3,1,1
+64187,7,2,1,6,NA,3,3,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,66003.625505,68276.88064,1,101,14,14,3.15,5,5,2,1,0,1,35,1,4,1,5
+64188,7,1,1,65,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20187.172902,0,2,100,4,4,1.29,2,2,0,0,2,1,65,1,3,1,3
+64189,7,2,1,2,NA,5,6,2,2,33,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6208.192797,6963.167461,1,91,10,10,3.22,4,4,1,1,0,1,38,2,5,1,5
+64190,7,2,1,0,0,1,1,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7284.164858,7284.299119,2,98,4,4,0.67,4,4,1,0,0,2,40,1,3,3,NA
+64191,7,2,1,72,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,3,1,NA,2,2,2,1,2,2,2,2,1,NA,14159.984279,14406.82491,2,93,4,4,0.99,2,2,0,0,2,1,72,2,3,1,4
+64192,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,118336.754883,2,92,15,15,5,6,6,2,0,0,1,18,1,4,NA,NA
+64193,7,2,1,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16058.989596,16964.610342,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+64194,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10598.2543,1,99,15,15,5,2,2,0,0,2,1,67,1,5,1,5
+64195,7,2,1,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19008.083201,19399.303007,2,97,12,12,NA,3,3,0,0,0,1,33,1,4,5,NA
+64196,7,2,2,9,NA,5,6,1,9,115,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9211.293091,9657.799007,1,92,14,14,3.47,4,4,0,2,0,1,37,1,5,1,5
+64197,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,1,2,1,2,2,1,1,2,NA,7360.303891,7756.453804,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+64198,7,2,2,76,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,14275.35524,2,90,3,3,0.92,1,1,0,0,1,2,76,1,3,2,NA
+64199,7,2,2,2,NA,2,2,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8512.480199,8626.96297,2,90,3,3,0.68,2,2,1,0,0,2,23,1,1,5,NA
+64200,7,2,2,3,NA,2,2,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15233.991221,16407.076559,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+64201,7,2,1,20,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,9177.295801,9548.31812,2,92,77,77,NA,4,4,0,0,1,1,20,1,2,5,NA
+64202,7,2,1,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9298.536372,9483.411197,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+64203,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,15262.313583,16475.41377,1,101,2,2,0.47,3,3,1,0,0,1,35,1,2,6,NA
+64204,7,2,2,0,7,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16547.193167,16560.896108,1,97,12,12,NA,5,5,3,0,0,2,33,1,5,1,5
+64205,7,2,2,1,12,4,4,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7556.585831,7751.634132,1,96,77,77,NA,3,3,1,0,0,2,39,1,7,5,NA
+64206,7,2,2,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,12886.419545,13879.729659,2,101,3,3,1.19,1,1,0,0,1,2,69,1,2,2,NA
+64207,7,2,2,28,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,2,1,2,1,2,2,1,2,2,1,2,1,NA,45798.520132,47350.399021,2,91,14,14,4.71,3,3,0,0,0,1,28,2,1,1,2
+64208,7,2,1,15,NA,1,1,1,15,182,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,14432.845547,14415.592261,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+64209,7,2,1,11,NA,2,2,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14820.807433,14943.02937,2,102,5,5,0.89,4,4,0,3,0,2,44,2,2,4,NA
+64210,7,2,1,3,NA,4,4,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8414.846149,8934.299427,1,90,7,7,1.3,5,5,1,2,1,2,62,1,2,2,NA
+64211,7,2,2,1,20,1,1,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11582.174418,11621.723611,2,102,8,8,1.28,7,7,1,3,0,1,39,2,1,1,3
+64212,7,2,2,8,NA,5,7,1,8,107,NA,NA,2,1,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8128.755281,8532.236543,1,98,9,9,2.39,4,4,0,2,0,2,48,1,5,1,5
+64213,7,2,1,37,NA,1,1,2,NA,NA,2,NA,2,2,77,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,38610.51698,2,94,77,77,NA,3,3,0,1,0,2,42,2,2,6,NA
+64214,7,2,1,18,NA,1,1,1,18,227,2,NA,2,2,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,2,24228.858782,24599.205366,2,102,5,5,1.3,3,3,0,0,0,1,42,NA,NA,1,NA
+64215,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,16494.288293,17728.004854,2,101,2,2,0.77,1,1,0,0,1,2,80,1,1,2,NA
+64216,7,2,2,2,24,1,1,1,2,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,12710.400836,2,98,7,7,2.16,3,3,1,0,0,2,26,1,3,1,3
+64217,7,2,1,53,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,1,2,2,2,2,2,2,2,20592.227875,20667.110628,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+64218,7,2,1,53,NA,4,4,2,NA,NA,1,2,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,14699.320127,15747.67742,2,90,15,15,5,4,4,1,1,0,1,53,2,5,1,5
+64219,7,2,2,80,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,1,5,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,13555.744544,2,90,14,14,4.25,4,4,0,2,1,2,45,2,5,5,NA
+64220,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,99381.891022,101559.2006,2,92,15,6,2.3,4,1,0,0,0,1,27,NA,NA,5,NA
+64221,7,2,1,19,NA,1,1,1,19,239,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,20634.3158,20949.718537,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+64222,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105902.251482,110971.270582,3,91,10,10,3.51,3,3,0,1,0,1,39,1,5,1,3
+64223,7,2,2,0,1,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20239.765739,19690.008753,2,94,9,9,2.51,4,4,2,0,0,1,30,2,4,1,4
+64224,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,33292.204257,2,101,2,2,0.64,1,1,0,0,0,2,22,1,4,5,NA
+64225,7,2,1,8,NA,3,3,2,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,50571.965712,52018.055374,2,95,15,15,4.63,5,5,1,2,0,2,36,1,5,1,3
+64226,7,2,1,73,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,73758.836891,83728.230941,2,91,3,3,1.25,1,1,0,0,1,1,73,1,3,5,NA
+64227,7,2,2,59,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,4,5,NA,2,2,2,2,2,2,1,2,1,2,24553.193015,24681.235828,2,93,3,3,0.9,1,1,0,0,0,2,59,2,4,5,NA
+64228,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,146181.198007,184923.777793,2,91,15,15,5,2,1,0,0,0,1,44,1,3,5,NA
+64229,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,32609.153024,32528.629595,1,98,3,3,0.73,3,3,0,0,0,1,52,1,4,1,3
+64230,7,2,2,2,NA,4,4,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8296.101892,8926.698178,2,96,7,7,1.49,5,5,2,1,0,1,51,1,5,1,3
+64231,7,2,1,68,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7820.017944,8252.409456,2,98,7,7,2.1,3,3,0,0,1,1,68,1,2,1,9
+64232,7,2,1,0,6,3,3,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23912.171644,25599.009772,1,94,9,9,3.14,3,3,1,0,0,1,28,1,5,1,5
+64233,7,2,1,14,NA,4,4,1,15,180,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13731.625553,14361.066702,1,100,6,6,1.13,4,4,0,3,0,2,32,1,3,5,NA
+64234,7,2,1,29,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,59682.963348,63262.110969,2,102,15,15,3.92,5,5,0,0,0,1,19,1,4,NA,NA
+64235,7,2,2,56,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,2,2,2,2,22224.73066,22874.201587,2,94,12,12,NA,2,2,0,0,0,1,46,1,3,1,1
+64236,7,2,1,5,NA,1,1,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11388.091908,11522.723578,1,103,8,8,1.85,5,5,2,1,0,2,25,2,2,1,2
+64237,7,2,2,16,NA,3,3,2,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,38400.791741,38900.548719,1,92,4,4,0.5,6,6,0,3,0,2,41,1,4,1,NA
+64238,7,2,1,0,2,5,6,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5024.464768,5303.683185,2,92,99,77,NA,7,3,3,3,1,1,61,2,1,1,3
+64239,7,2,1,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5396.442999,5408.183432,1,99,4,4,0.53,7,7,3,1,0,2,26,1,1,5,NA
+64240,7,2,1,19,NA,1,1,1,19,233,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,23389.620035,23146.524434,1,94,10,10,2.94,4,4,0,2,0,2,52,1,5,2,NA
+64241,7,2,2,0,9,3,3,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6423.658168,6554.989142,2,96,3,3,0.53,5,5,3,0,0,2,26,1,4,1,4
+64242,7,2,2,16,NA,3,3,1,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,82145.180523,84080.796514,1,98,15,15,5,5,5,0,3,0,2,44,1,5,1,5
+64243,7,2,2,7,NA,3,3,2,7,85,NA,NA,2,1,1,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,52455.416493,51758.830416,1,93,15,15,5,4,4,0,2,0,2,42,1,5,1,NA
+64244,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,30888.99461,30919.326232,1,99,2,2,0.61,2,2,0,0,0,1,46,1,5,5,NA
+64245,7,2,1,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,120041.937453,119895.563372,1,98,9,9,2.88,6,3,1,3,0,1,51,1,2,1,3
+64246,7,2,1,14,NA,2,2,2,14,172,NA,NA,2,1,2,7,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,26616.794908,27940.371621,2,91,7,7,2.64,2,2,0,1,0,1,33,2,3,1,NA
+64247,7,2,1,42,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,43470.92932,47764.563168,1,92,5,5,0.87,4,4,0,2,0,1,42,2,1,1,4
+64248,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,67727.881967,67936.122757,2,99,15,15,5,1,1,0,0,0,2,38,1,5,5,NA
+64249,7,1,1,11,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57057.523607,0,1,101,15,15,5,4,4,0,2,0,2,40,1,4,1,3
+64250,7,2,2,3,NA,1,1,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13366.393396,13791.68675,2,94,7,7,1.79,4,4,1,1,0,2,32,1,4,1,4
+64251,7,1,1,4,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7232.559351,0,2,103,14,14,3.86,4,4,2,0,0,2,37,2,5,1,NA
+64252,7,2,1,61,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,3,1,NA,2,2,2,1,2,2,1,2,2,2,11019.434708,11234.197915,3,91,5,5,0.89,4,4,0,2,2,1,61,2,3,1,4
+64253,7,2,1,13,NA,5,7,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5388.361335,5758.757236,3,91,15,15,4.47,4,4,0,3,0,2,44,2,5,1,NA
+64254,7,2,1,0,8,1,1,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6910.953528,6911.08091,2,96,4,4,0.81,3,3,1,0,0,2,37,2,5,1,3
+64255,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,1,2,2,3,13859.220514,14321.474311,1,98,12,14,5,3,1,0,0,0,1,24,1,4,5,NA
+64256,7,2,2,67,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,11523.037911,11989.050618,2,97,6,6,2.31,2,2,0,0,1,2,67,1,3,2,NA
+64257,7,2,2,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,53047.531099,53521.812192,1,99,2,1,0.18,2,1,0,0,0,2,24,1,5,5,NA
+64258,7,2,2,13,NA,5,6,1,13,163,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12918.122917,13476.480232,1,92,10,10,2.82,4,4,0,2,0,2,48,2,5,1,5
+64259,7,2,2,35,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,2,1,2,2,2,2,1,2,2,2,2,2,2,35353.005268,36099.35979,2,94,6,6,1.34,4,4,0,2,0,1,37,2,4,1,2
+64260,7,2,2,17,NA,4,4,2,17,214,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11438.127668,11466.298034,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+64261,7,2,1,67,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,1,1,2,2,1,2,1,NA,13639.016686,14339.363246,2,102,15,15,5,5,5,1,0,2,1,30,1,4,1,5
+64262,7,2,2,6,NA,4,4,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10225.297464,10592.094499,1,93,2,2,0.32,3,3,0,1,0,1,25,1,3,6,NA
+64263,7,2,2,62,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,2,2,2,2,9203.46153,9587.572248,2,97,6,6,1.7,2,2,0,0,1,2,62,2,5,1,2
+64264,7,2,1,14,NA,4,4,2,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8364.097643,8526.060452,2,90,6,6,0.96,5,5,0,1,0,1,55,1,4,6,NA
+64265,7,2,1,48,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,27087.386131,27212.215064,1,101,6,6,1.43,4,4,0,1,2,2,72,1,2,1,NA
+64266,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,90274.900586,93718.683628,2,99,15,15,5,2,1,0,0,0,1,31,1,5,6,NA
+64267,7,2,2,10,NA,4,4,2,10,129,NA,NA,2,2,3,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7136.421849,7524.490259,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+64268,7,2,2,11,NA,4,4,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12476.900945,13434.365665,2,101,2,2,0.38,3,3,0,2,0,2,56,1,3,2,NA
+64269,7,1,1,61,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9611.684527,0,1,98,7,7,1.52,4,4,0,1,2,1,61,1,4,1,2
+64270,7,2,2,47,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27934.372045,28667.797605,1,101,5,5,1.15,3,3,0,1,0,1,49,1,3,1,4
+64271,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,45549.853584,49025.946555,3,91,3,3,0.76,3,3,0,1,0,2,24,1,4,6,NA
+64272,7,2,2,19,NA,4,4,2,19,239,2,NA,2,2,2,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12209.74498,12386.615954,2,90,6,6,1.34,4,4,1,0,0,1,38,2,4,6,NA
+64273,7,2,1,5,NA,4,4,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9242.457181,9624.356732,2,97,5,5,0.76,5,5,1,2,0,1,32,1,4,6,NA
+64274,7,2,1,0,3,1,1,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,7757.493251,7980.837709,2,98,3,3,0.4,6,6,1,2,0,2,29,2,1,4,NA
+64275,7,1,1,62,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,4,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,10288.337394,0,3,91,8,8,4.13,1,1,0,0,1,1,62,2,4,4,NA
+64276,7,2,1,50,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,23857.322871,23507.253435,1,103,1,1,0.03,3,3,0,0,0,1,50,1,2,3,NA
+64277,7,2,2,48,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,36924.381422,39366.592716,2,102,7,7,1.89,3,3,0,1,0,1,41,2,2,6,NA
+64278,7,2,2,18,NA,2,2,2,18,226,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13824.001771,14551.102227,2,90,5,5,1.19,3,3,0,0,0,2,50,2,4,4,NA
+64279,7,2,1,11,NA,3,3,2,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,52386.010737,55389.865547,3,91,14,14,3.4,4,4,0,2,0,1,40,1,4,1,4
+64280,7,2,1,3,NA,4,4,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7014.280192,7545.08247,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+64281,7,2,1,44,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,34000.722046,33736.711001,2,93,14,14,3.52,5,5,1,2,0,1,44,1,5,1,5
+64282,7,2,1,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6074.284591,6449.253661,2,99,3,3,0.32,6,6,2,1,1,2,59,1,4,1,NA
+64283,7,2,1,5,NA,4,4,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9035.668246,2,100,3,3,0.31,7,7,3,2,0,2,28,1,3,1,3
+64284,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,38808.357492,1,101,1,1,0.18,1,1,0,0,1,2,80,1,4,2,NA
+64285,7,2,1,7,NA,1,1,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16334.967392,17408.274993,1,95,5,5,1.5,2,2,0,1,0,1,47,1,4,2,NA
+64286,7,2,2,56,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16109.317112,16194.502254,1,103,15,15,5,2,2,0,0,1,2,56,2,5,1,5
+64287,7,2,1,7,NA,3,3,2,7,89,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24713.905595,26080.214484,1,98,6,6,0.97,7,7,1,2,0,1,49,1,2,1,2
+64288,7,2,2,41,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,31809.199771,32336.174545,2,103,9,9,3.97,2,2,0,0,1,1,61,1,5,1,3
+64289,7,2,2,0,3,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23207.538828,22577.170535,1,94,6,6,1.21,4,4,2,0,0,1,27,1,4,1,3
+64290,7,2,2,65,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10598.2543,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+64291,7,2,1,50,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,22238.49412,25006.164622,2,90,4,4,1.38,1,1,0,0,0,1,50,1,3,3,NA
+64292,7,2,1,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,21924.03349,22615.591521,3,92,2,2,0.65,2,2,0,0,1,2,80,NA,NA,2,NA
+64293,7,2,2,4,NA,3,3,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53166.229434,56500.79967,1,101,7,7,1.55,5,5,1,2,0,2,31,1,4,1,2
+64294,7,2,1,19,NA,2,2,2,19,234,2,NA,2,1,4,15,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,17149.002427,17445.048827,3,90,77,77,NA,4,3,0,0,0,1,45,2,3,3,NA
+64295,7,2,1,10,NA,3,3,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,NA,NA,NA,1,2,2,1,69959.431608,85622.357277,2,100,NA,NA,NA,5,5,1,2,0,1,36,NA,NA,3,NA
+64296,7,2,2,40,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,33716.655399,36032.83001,1,100,8,8,2.17,4,4,1,1,0,2,40,2,2,1,2
+64297,7,1,2,9,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15002.25457,0,1,91,7,7,2.72,2,2,0,1,0,2,31,1,2,5,NA
+64298,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,10991.458112,11482.21496,2,99,10,10,4.76,2,2,0,0,2,1,80,1,2,2,NA
+64299,7,2,1,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,95606.814645,96503.477057,2,98,15,15,5,2,2,0,0,1,2,52,1,4,1,4
+64300,7,1,2,6,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11035.074625,0,2,100,1,1,0.04,4,4,0,2,0,1,34,NA,NA,6,NA
+64301,7,2,2,73,NA,5,7,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,12813.709202,13258.116643,2,103,12,12,NA,2,2,0,0,2,1,73,2,5,1,4
+64302,7,2,1,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,136880.768184,139080.782402,1,94,15,15,4.95,4,4,0,0,2,1,72,1,3,1,3
+64303,7,1,2,77,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,81395.297807,0,1,92,4,4,1.61,1,1,0,0,1,2,77,1,3,2,NA
+64304,7,2,2,0,5,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8359.077295,8583.668456,3,92,5,5,0.81,5,5,3,0,0,2,23,1,4,5,NA
+64305,7,2,2,41,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,14831.744106,14468.205243,3,90,10,10,3.67,3,3,0,1,0,2,52,2,3,5,NA
+64306,7,2,2,2,NA,4,4,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7826.463896,8746.031629,1,96,6,6,1.21,4,4,2,0,0,1,24,1,4,1,3
+64307,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,102855.726146,106395.504024,1,101,7,7,1.74,4,4,1,0,0,1,24,NA,NA,1,4
+64308,7,2,2,31,NA,2,2,1,NA,NA,2,NA,2,2,77,NA,1,6,2,2,2,2,1,2,2,2,2,2,2,32097.38481,33124.257579,2,100,3,3,0.76,3,3,1,0,0,2,31,2,1,6,NA
+64309,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53541.401974,54961.757487,1,99,13,13,NA,2,2,0,0,2,1,80,1,2,1,3
+64310,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,163194.688032,170363.320524,1,97,15,15,5,2,2,0,0,1,2,49,1,5,1,3
+64311,7,2,1,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17636.923031,18334.929229,2,97,15,14,5,2,1,0,0,0,1,54,1,4,5,NA
+64312,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,42993.150248,46481.579201,1,92,7,7,2.64,2,2,0,0,2,2,68,1,4,1,4
+64313,7,2,1,65,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,3,6,NA,2,2,2,2,2,2,2,2,2,2,14067.170863,14736.245577,2,102,14,8,4.59,2,1,0,0,2,1,65,2,3,6,NA
+64314,7,2,1,6,NA,1,1,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13285.093011,13495.322435,2,94,6,6,1.5,4,4,0,2,0,1,44,2,2,1,2
+64315,7,2,2,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,147501.330925,150787.451601,1,101,6,6,1.31,3,3,0,0,1,2,80,1,1,2,NA
+64316,7,2,2,12,NA,4,4,1,12,155,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,6,6,1.16,4,4,0,3,0,2,36,1,4,4,NA
+64317,7,2,2,18,NA,3,3,1,18,222,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,32725.110579,34226.88515,2,92,3,2,0.64,2,1,0,0,0,2,18,1,4,NA,NA
+64318,7,2,2,14,NA,4,4,2,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13790.410898,14648.625582,1,93,7,7,1.79,4,4,0,2,0,1,53,2,4,1,4
+64319,7,2,2,14,NA,5,6,2,14,174,NA,NA,2,1,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8675.8731,8857.654394,1,96,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+64320,7,2,1,14,NA,4,4,2,14,171,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,18413.211403,2,101,13,3,0.64,5,4,0,3,1,2,62,1,1,2,NA
+64321,7,2,1,12,NA,3,3,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,90320.117415,93226.168932,1,100,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+64322,7,2,1,8,NA,3,3,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41342.668304,42524.849071,1,102,8,8,2.42,4,4,0,2,0,2,34,1,4,1,3
+64323,7,2,1,3,NA,1,1,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17865.135763,18076.339981,3,92,1,1,0,5,5,3,0,0,1,26,1,2,1,2
+64324,7,2,2,28,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,2,2,2,2,2,2,2,2,2,2,2,38364.674202,40512.730459,2,97,13,13,NA,3,3,0,1,0,1,28,2,2,1,1
+64325,7,2,1,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,1,2,1,2,2,1,2,2,NA,108408.375382,111473.582646,2,98,14,14,4.16,3,3,0,0,0,1,49,1,5,1,4
+64326,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,90303.174138,94631.352733,2,92,14,9,5,2,1,0,0,0,1,29,1,5,6,NA
+64327,7,2,1,9,NA,3,3,2,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30554.050397,31755.009616,1,97,3,3,0.93,2,2,0,1,0,2,34,1,4,5,NA
+64328,7,2,1,78,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,13523.396212,13874.942566,2,94,2,2,0.56,2,2,0,0,2,2,71,2,2,1,1
+64329,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,34049.658577,35975.208577,1,91,9,9,4.27,2,2,0,0,2,1,80,1,4,1,3
+64330,7,2,1,43,NA,5,7,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,129656.862785,1,101,15,15,5,4,4,0,2,0,1,43,1,4,1,5
+64331,7,2,1,16,NA,3,3,1,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,59545.101745,58762.542429,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+64332,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,17579.006909,17715.920575,2,103,2,1,0.43,2,1,0,0,0,1,20,1,3,6,NA
+64333,7,2,1,46,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,3,NA,1,2,2,1,2,2,1,2,2,3,20197.354438,20825.605262,2,96,5,5,1.84,2,1,0,0,1,1,46,2,3,3,NA
+64334,7,2,1,6,NA,2,2,2,6,80,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11477.372934,11658.996164,1,93,9,9,2.46,4,4,0,2,0,1,35,2,1,1,1
+64335,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,NA,NA,NA,1,2,2,1,43813.24867,46884.227528,1,98,NA,NA,NA,4,4,0,2,0,1,31,NA,NA,1,2
+64336,7,2,1,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,19869.518693,21796.765593,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+64337,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,42894.724338,43561.362107,1,98,3,3,0.93,2,2,0,0,0,1,21,1,4,5,NA
+64338,7,1,2,46,NA,1,1,NA,NA,NA,2,NA,2,2,6,NA,1,6,NA,2,2,2,1,2,2,NA,NA,NA,NA,40337.933888,0,2,94,5,5,0.65,6,6,0,2,0,1,53,NA,NA,6,NA
+64339,7,2,1,6,NA,2,2,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12604.990052,13551.632975,1,103,7,7,1.03,7,7,0,3,0,1,50,2,1,1,1
+64340,7,1,1,80,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9443.12441,0,1,99,77,77,NA,2,2,0,0,2,1,80,1,5,1,4
+64341,7,2,2,51,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,2,1,NA,2,2,2,1,2,2,2,2,1,2,23200.373382,24548.135184,2,93,7,7,2.1,3,3,0,1,0,2,51,2,2,1,NA
+64342,7,2,1,12,NA,3,3,2,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,103364.662244,103614.262032,1,98,14,14,3.15,5,5,0,3,0,1,34,1,4,1,4
+64343,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,84821.217572,87190.888968,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+64344,7,2,1,37,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,28213.419452,30402.035877,1,100,14,5,1.79,2,1,0,0,0,1,37,1,2,6,NA
+64345,7,2,1,21,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21763.209029,22385.504537,2,92,4,1,0.18,4,1,0,0,0,1,21,1,4,5,NA
+64346,7,2,1,3,NA,5,7,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8402.098771,9423.873047,3,91,14,14,4.32,3,3,1,0,0,1,31,2,3,1,4
+64347,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32838.149884,1,95,1,1,0,1,1,0,0,0,1,50,1,3,5,NA
+64348,7,2,2,13,NA,3,3,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,105891.533689,107879.366927,1,101,8,8,1.85,5,5,0,3,0,1,41,1,3,1,4
+64349,7,2,2,24,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,NA,NA,NA,1,2,2,1,11475.373333,11965.391974,2,92,12,NA,NA,7,1,0,0,2,1,53,2,3,1,3
+64350,7,2,1,12,NA,4,4,2,12,145,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,12116.15399,2,95,7,7,1.55,5,5,0,3,0,1,30,1,4,1,4
+64351,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18353.275855,19744.388768,1,91,4,4,0.81,4,4,1,1,0,1,32,1,4,6,NA
+64352,7,2,2,2,NA,4,4,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6085.457443,6422.142601,1,99,7,7,1.53,5,5,2,0,0,2,37,1,4,1,3
+64353,7,2,1,0,11,2,2,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7973.737542,8118.415368,1,91,7,7,1.66,4,4,2,0,0,1,32,2,5,1,4
+64354,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,1,2,NA,2,2,2,1,2,2,1,2,2,NA,21122.17432,23417.039872,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+64355,7,1,2,27,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,4,6,3,1,2,2,2,2,2,NA,NA,NA,NA,42583.505439,0,2,91,6,6,1.3,4,4,1,1,0,2,27,1,4,6,NA
+64356,7,2,1,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,41236.907607,2,98,7,7,1.33,6,6,0,3,0,1,31,1,3,6,NA
+64357,7,1,2,1,22,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9670.78354,0,2,93,15,15,5,4,4,2,0,0,1,34,1,5,1,5
+64358,7,2,1,5,NA,4,4,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,8005.528865,8250.049428,1,99,NA,NA,NA,4,4,1,1,0,1,42,NA,NA,1,NA
+64359,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,25815.880139,26556.735732,2,101,99,2,0.73,2,1,0,0,0,1,24,1,4,5,NA
+64360,7,2,2,54,NA,1,1,1,NA,NA,2,NA,2,2,99,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,21939.007884,22053.417944,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+64361,7,2,2,16,NA,5,6,2,16,199,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8301.172828,8662.397073,1,91,15,15,5,3,3,0,1,0,2,47,2,5,1,5
+64362,7,2,1,68,NA,4,4,2,NA,NA,2,NA,2,2,8,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,8491.292032,8823.40317,1,96,6,6,2.06,2,2,0,0,2,1,68,2,3,1,2
+64363,7,2,1,22,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,17701.114982,3,91,14,14,3.53,5,5,0,1,1,1,69,1,4,3,NA
+64364,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,38976.947883,43357.400647,1,99,12,12,NA,1,1,0,0,1,2,80,1,3,3,NA
+64365,7,2,2,5,NA,2,2,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14852.990935,14903.708855,3,92,7,7,0.93,7,7,1,3,0,2,20,1,3,1,1
+64366,7,2,1,4,NA,4,4,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10234.881417,10547.495238,2,97,2,2,0.33,4,4,2,1,0,2,34,1,2,5,NA
+64367,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20039.469886,21581.359058,1,97,15,15,5,4,4,1,0,0,2,39,2,5,1,5
+64368,7,2,1,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,8497.912951,8999.288803,2,100,2,2,0.77,1,1,0,0,1,1,70,1,1,3,NA
+64369,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,17824.805721,17767.952896,2,95,4,2,0.55,2,1,0,0,0,2,47,1,3,4,NA
+64370,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25890.025676,30408.154535,2,93,3,3,1.25,1,1,0,0,0,1,25,1,4,5,NA
+64371,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,1,96,15,9,4.92,2,1,0,0,0,2,55,1,4,5,NA
+64372,7,2,2,19,NA,4,4,2,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13176.946531,13078.313981,2,99,9,9,1.78,6,6,1,1,0,1,46,1,3,6,NA
+64373,7,2,2,6,NA,3,3,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,41790.228676,44382.642913,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+64374,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10700.939986,11250.682738,1,99,15,15,4.47,4,4,0,2,0,2,52,2,5,1,5
+64375,7,2,2,14,NA,2,2,2,14,175,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,5,5,0.8,5,5,0,3,0,2,40,2,1,5,NA
+64376,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,34296.120763,1,95,3,3,0.65,3,3,1,0,0,1,58,1,3,3,NA
+64377,7,2,2,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,19060.786733,19867.822877,2,97,5,5,0.92,5,5,0,3,0,2,54,1,3,2,NA
+64378,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,115391.113177,120921.742093,1,102,14,7,3.31,2,1,0,0,0,1,27,1,4,5,NA
+64379,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,30320.430859,2,101,4,3,1.15,2,1,0,0,0,2,22,1,4,5,NA
+64380,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,114993.808573,116714.079488,1,98,7,3,0.9,4,1,0,0,0,2,20,NA,NA,5,NA
+64381,7,2,2,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,148725.079159,151155.002758,2,94,15,15,5,2,2,0,0,2,1,63,1,5,1,5
+64382,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,6,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15533.829525,2,101,6,1,0.22,2,1,0,0,0,2,26,2,4,6,NA
+64383,7,2,2,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,19658.218913,18995.471706,1,99,13,13,NA,4,4,1,0,0,2,26,1,4,4,NA
+64384,7,2,1,0,5,3,3,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24315.386145,24328.135897,1,102,6,6,1.23,4,4,2,0,0,2,25,1,5,1,5
+64385,7,2,2,13,NA,5,6,1,13,160,NA,NA,2,1,3,6,NA,NA,NA,1,1,2,1,2,1,1,2,2,1,8878.081187,9740.503961,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+64386,7,2,2,9,NA,1,1,1,10,121,NA,NA,2,2,3,2,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,16397.644545,16823.243233,1,91,7,7,2.1,3,3,0,1,0,2,29,2,3,6,NA
+64387,7,2,1,71,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,5,1,NA,1,2,1,1,2,1,1,2,1,NA,9748.579573,10638.31203,3,90,9,9,2.93,3,3,0,0,2,1,71,2,5,1,4
+64388,7,2,1,69,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,8232.241159,8296.636338,2,98,5,5,2.2,1,1,0,0,1,1,69,1,4,3,NA
+64389,7,2,1,10,NA,1,1,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,9485.228453,10197.575258,1,103,10,10,2.82,4,4,0,2,0,1,41,2,1,1,1
+64390,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18494.181242,18934.264494,2,99,4,4,0.78,4,4,0,2,0,2,45,1,3,5,NA
+64391,7,2,2,26,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,36731.516901,42296.380247,1,99,10,6,2.75,2,1,0,0,0,1,31,1,4,6,NA
+64392,7,2,1,10,NA,3,3,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,46228.073505,48314.890943,2,94,5,5,0.89,4,4,0,2,0,2,51,1,2,3,NA
+64393,7,2,2,16,NA,4,4,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14166.687432,14623.20249,1,100,15,15,3.87,6,6,1,3,0,2,39,1,4,1,4
+64394,7,2,2,2,NA,1,1,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8082.096138,8109.693752,1,90,4,4,0.46,7,7,2,3,0,2,34,2,1,6,NA
+64395,7,2,1,6,NA,3,3,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58159.917125,59822.981903,3,92,15,15,5,4,4,0,2,0,2,38,1,5,1,5
+64396,7,2,2,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,162038.12624,162493.980108,1,94,77,77,NA,1,1,0,0,0,2,51,1,3,3,NA
+64397,7,2,2,54,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15714.689474,15797.787849,2,99,15,15,5,1,1,0,0,0,2,54,1,5,5,NA
+64398,7,2,1,4,NA,4,4,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14467.4421,15952.720644,2,101,5,5,1.19,3,3,1,0,0,2,32,1,4,1,3
+64399,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,26763.110196,36351.891896,2,94,3,3,0.95,2,2,0,1,0,2,45,1,5,3,NA
+64400,7,2,2,61,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,11623.354795,12210.370942,1,94,6,6,1.98,2,2,0,0,2,1,65,2,1,1,1
+64401,7,2,1,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,29537.209125,29019.340657,1,95,12,3,1.19,4,1,0,0,0,1,29,1,3,6,NA
+64402,7,2,1,48,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,5,1,NA,2,2,2,2,2,2,1,2,2,2,27776.016947,27368.446715,2,90,6,6,1.15,5,5,0,2,0,2,47,2,1,1,5
+64403,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,22685.373982,24056.024455,1,98,4,4,1,3,3,0,1,1,1,65,1,2,1,NA
+64404,7,2,1,33,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,99283.360764,105383.970589,3,91,8,8,3.4,2,2,0,0,0,1,33,2,5,1,4
+64405,7,2,1,78,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,11550.158096,12480.92393,2,92,3,3,0.4,6,6,0,1,2,1,78,2,1,1,1
+64406,7,2,1,18,NA,5,6,2,18,219,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6999.347953,8045.308483,3,90,6,6,1.3,4,4,0,0,0,1,55,2,1,1,1
+64407,7,2,1,54,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,17801.655316,18085.793361,2,95,6,6,0.97,6,6,2,1,0,1,54,1,3,6,NA
+64408,7,2,2,15,NA,4,4,2,15,184,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13124.737024,13087.755238,2,101,5,5,1.08,3,3,0,1,1,2,62,1,4,2,NA
+64409,7,2,1,7,NA,4,4,2,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7886.48532,7943.675078,1,99,8,8,1.76,5,5,0,2,1,1,37,1,4,1,3
+64410,7,2,2,13,NA,2,2,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16360.434077,17220.943159,1,94,14,14,3.4,5,5,0,3,0,2,41,1,4,1,4
+64411,7,2,1,37,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18745.208345,19348.815401,1,92,7,7,2.1,3,3,0,0,2,1,37,2,5,5,NA
+64412,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,27553.988486,28260.692091,2,98,3,3,0.93,1,1,0,0,0,2,54,1,3,3,NA
+64413,7,2,2,48,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,2,5,NA,2,2,2,2,2,2,1,2,2,2,25778.164795,26907.837256,2,90,1,1,0.22,3,3,0,1,0,2,48,2,2,5,NA
+64414,7,2,2,1,23,3,3,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17516.090261,18614.694278,1,98,2,2,0.36,5,5,3,0,0,1,25,1,3,1,3
+64415,7,2,2,55,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18525.3583,18971.375925,1,92,14,14,3.9,4,4,0,0,0,2,55,2,5,1,5
+64416,7,2,1,6,NA,5,6,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11522.32071,1,97,7,7,1.48,5,5,1,2,0,1,40,2,5,1,4
+64417,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,135384.418391,141422.067719,1,98,15,15,5,3,3,0,0,0,1,48,1,4,1,4
+64418,7,2,2,17,NA,3,3,1,17,211,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,80091.55101,82618.226829,1,98,6,6,1.11,5,5,0,2,1,2,37,1,1,1,1
+64419,7,2,2,63,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,16352.915834,17178.789759,3,92,5,5,1.26,3,3,0,0,2,1,76,2,1,1,1
+64420,7,2,2,54,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,17928.412795,17976.980061,1,90,15,15,4.34,4,4,0,0,1,1,62,2,5,1,3
+64421,7,2,2,2,NA,4,4,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8754.193667,9419.610037,2,98,8,8,1.8,5,5,2,1,0,1,32,1,4,1,5
+64422,7,2,1,16,NA,2,2,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,15351.501195,16874.029415,2,90,1,1,0.22,3,3,0,1,0,2,48,2,2,5,NA
+64423,7,2,2,12,NA,4,4,1,12,151,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12826.497818,12890.123626,2,96,3,3,0.38,5,5,1,2,0,2,30,1,3,5,NA
+64424,7,2,1,0,6,3,3,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25469.602005,25029.287945,2,91,15,15,5,3,3,1,0,0,1,35,1,5,1,5
+64425,7,2,2,7,NA,5,6,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7722.982971,8635.133042,1,93,8,8,2.24,4,4,0,2,0,1,44,2,5,1,4
+64426,7,2,2,0,1,4,4,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4412.61884,4541.653777,1,93,7,7,1.97,4,4,1,2,0,2,33,1,4,3,NA
+64427,7,2,1,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105412.227726,111169.022023,2,101,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+64428,7,2,1,7,NA,5,6,1,7,86,NA,NA,2,1,2,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9101.455527,9700.372536,2,102,8,8,1.72,5,5,0,2,1,1,63,2,5,1,5
+64429,7,2,1,4,NA,5,6,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6185.185728,6767.562311,1,97,14,14,2.29,7,7,1,2,2,1,40,2,1,1,1
+64430,7,2,1,65,NA,5,7,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,7415.090784,7473.093956,2,95,12,12,NA,3,3,0,0,2,1,65,1,4,1,4
+64431,7,2,2,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,42468.064168,43146.583227,2,101,5,5,1.19,3,3,1,0,0,2,32,1,4,1,3
+64432,7,2,2,12,NA,4,4,1,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16598.888685,16552.117725,2,102,5,5,0.76,5,5,1,3,0,2,30,1,4,4,NA
+64433,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,1,2,NA,6882.452425,7271.66356,1,99,6,6,1.12,4,4,0,0,2,1,51,1,4,3,NA
+64434,7,2,2,7,NA,3,3,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,56541.371473,55790.525616,2,94,3,3,0.82,2,2,0,1,0,2,38,1,5,3,NA
+64435,7,2,1,16,NA,5,7,2,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9136.388281,9719.077424,3,91,8,8,2.24,4,4,0,2,0,1,45,1,4,1,4
+64436,7,2,2,34,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,27127.983961,27837.333201,2,90,14,14,3.45,4,4,1,1,0,2,34,2,5,6,NA
+64437,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,5,2,1,2,2,1,2,2,1,2,2,1,19520.240895,25185.107635,2,95,2,2,0.33,2,2,1,0,0,2,21,1,1,5,NA
+64438,7,2,2,44,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,25774.834017,34018.000767,1,100,8,8,3.3,2,2,0,1,0,2,44,1,4,3,NA
+64439,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,148039.171547,149225.244125,2,98,15,15,5,2,2,0,0,0,2,52,1,3,1,4
+64440,7,2,1,40,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,24506.160629,24417.630409,1,92,77,77,NA,2,2,0,0,1,1,40,2,5,5,NA
+64441,7,2,1,0,1,4,4,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7867.225786,8217.805417,3,92,6,6,0.93,5,5,2,1,0,2,37,1,5,1,3
+64442,7,1,1,61,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,8390.796678,0,3,92,7,7,2.45,2,2,0,0,1,2,55,1,1,1,1
+64443,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7567.81858,8250.001805,2,97,7,7,1.06,7,7,1,2,0,2,40,1,4,5,NA
+64444,7,2,1,18,NA,3,3,2,18,223,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,74123.161671,78732.269389,1,93,15,15,4.59,4,4,0,1,0,1,57,1,5,1,5
+64445,7,1,2,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11353.600279,0,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+64446,7,2,1,47,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,104871.724763,1,98,7,7,1.66,5,5,2,1,0,2,37,1,5,1,3
+64447,7,2,2,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,27934.372045,33663.467631,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+64448,7,2,1,0,0,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22215.410216,21831.35406,2,98,14,14,4.32,3,3,1,0,0,1,26,1,4,6,NA
+64449,7,2,2,18,NA,5,6,1,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10312.363668,10584.186706,2,102,10,10,3.62,3,3,0,0,0,1,51,2,5,1,5
+64450,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,9845.894687,11807.30791,2,94,14,14,3.58,4,4,1,0,1,1,80,1,3,2,NA
+64451,7,2,1,32,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18464.039593,21965.968723,1,101,6,6,2.51,2,1,0,0,0,1,32,1,4,6,NA
+64452,7,2,1,0,10,2,2,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7284.164858,7284.299119,1,92,6,6,1.67,3,3,1,0,0,1,27,1,3,6,NA
+64453,7,2,2,5,NA,4,4,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15449.848607,17265.123353,2,102,1,1,0.16,3,3,1,0,1,2,63,1,2,4,NA
+64454,7,2,2,4,NA,5,7,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13130.790087,14128.876607,2,102,14,14,3.25,5,5,1,1,0,2,32,1,4,1,3
+64455,7,2,1,6,NA,4,4,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12399.014378,12645.533348,2,96,6,6,1.35,3,3,1,1,0,2,25,1,3,5,NA
+64456,7,2,2,31,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,32097.38481,32019.876048,2,100,14,14,3.58,4,4,1,1,0,1,33,1,4,1,5
+64457,7,1,2,14,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20322.312754,0,2,91,6,6,0.93,5,5,1,2,0,2,50,2,1,5,NA
+64458,7,2,1,4,NA,2,2,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17533.373205,2,98,6,6,0.78,7,7,1,3,1,2,63,1,2,4,NA
+64459,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,129553.609875,132943.624501,2,95,10,10,4.49,2,2,0,0,1,1,62,NA,NA,1,3
+64460,7,2,1,10,NA,3,3,2,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,46081.129115,48091.57352,2,95,5,5,0.87,4,4,1,1,0,1,34,1,3,6,NA
+64461,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,24919.497762,25578.256222,1,101,1,1,0.1,4,4,1,1,0,2,52,1,4,3,NA
+64462,7,2,1,12,NA,4,4,1,13,157,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12147.046136,12703.852077,2,100,4,4,0.85,4,4,0,2,0,2,39,1,3,6,NA
+64463,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,52209.836905,57180.809983,1,98,13,13,NA,2,2,0,0,2,2,80,1,2,2,NA
+64464,7,2,1,0,7,5,6,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7997.590655,8653.844084,3,91,15,15,5,4,4,2,0,0,2,33,2,5,1,5
+64465,7,2,2,32,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,2,2,2,1,2,2,1,2,2,1,38184.257672,37153.966183,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+64466,7,2,2,23,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,18723.98095,18882.01405,2,95,1,1,0.03,3,3,1,0,0,1,23,1,3,6,NA
+64467,7,2,1,4,NA,4,4,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10510.490567,11159.309176,1,92,77,77,NA,5,5,1,2,0,2,41,1,3,5,NA
+64468,7,2,2,12,NA,5,7,2,12,147,NA,NA,2,1,4,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8301.172828,8622.168806,1,94,15,15,4.2,5,5,1,2,0,1,47,1,5,1,5
+64469,7,2,1,47,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,17787.524589,17730.790674,2,100,8,8,4.96,1,1,0,0,0,1,47,1,5,5,NA
+64470,7,2,2,20,NA,5,7,2,NA,NA,2,NA,2,2,3,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,55392.206282,55887.450369,3,91,6,6,2.04,2,2,0,0,0,1,24,2,4,5,NA
+64471,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,61994.231866,64386.409549,2,92,15,15,5,3,3,1,0,0,1,48,1,5,1,5
+64472,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,31460.11615,32394.500316,1,97,3,3,0.73,3,3,0,0,0,2,50,1,4,1,3
+64473,7,2,1,79,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11869.786782,12478.026352,2,101,6,6,2.04,2,2,0,0,2,2,74,1,3,1,3
+64474,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,23594.223469,25276.966347,1,97,15,15,5,4,4,0,1,0,1,40,1,4,1,4
+64475,7,2,1,62,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,1,NA,2,2,2,2,2,2,1,2,2,1,8197.936864,8932.691175,3,90,8,8,3.21,2,2,0,0,2,2,80,2,3,2,NA
+64476,7,2,2,58,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,1,4,NA,2,2,2,2,2,2,NA,NA,NA,NA,26272.35217,26409.360251,2,102,4,4,0.65,5,5,1,0,0,2,58,2,1,4,NA
+64477,7,2,1,49,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,19895.710643,19832.252596,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+64478,7,2,1,10,NA,4,4,2,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8655.162127,8668.652185,2,95,6,6,1.36,3,3,0,1,1,2,62,1,4,5,NA
+64479,7,2,2,17,NA,1,1,1,17,205,2,NA,2,2,5,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,20117.170449,20520.192725,1,94,2,2,0.27,5,5,0,4,0,2,47,2,1,4,NA
+64480,7,2,1,4,NA,5,6,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10276.262805,11525.953064,1,97,15,15,5,4,4,2,0,0,1,40,2,5,1,5
+64481,7,2,2,19,NA,3,3,2,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,35205.804094,37301.699975,2,101,2,1,0.32,3,1,0,0,0,2,19,NA,NA,NA,NA
+64482,7,2,1,2,NA,5,6,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10498.222836,11004.769407,1,100,15,15,5,4,4,2,0,0,1,39,2,5,1,5
+64483,7,2,2,5,NA,1,1,1,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16462.187772,17500.018071,3,92,5,5,0.81,5,5,3,0,0,2,23,1,4,5,NA
+64484,7,2,2,26,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,15265.136017,16765.388266,1,93,15,15,5,2,2,0,0,0,1,29,2,5,1,5
+64485,7,2,1,32,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,2,2,2,2,37658.482129,37374.26166,1,100,3,3,0.39,5,5,1,2,0,1,32,2,1,6,NA
+64486,7,2,1,9,NA,4,4,1,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11443.206518,11526.18825,1,100,12,12,NA,5,5,0,3,0,1,39,1,5,1,3
+64487,7,2,1,7,NA,3,3,1,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18812.486733,19704.440218,1,98,6,6,0.81,6,6,0,4,0,2,34,NA,NA,1,2
+64488,7,2,2,39,NA,4,4,2,NA,NA,2,NA,2,2,5,NA,3,4,2,1,2,2,1,2,2,NA,NA,NA,NA,35601.750356,47964.629837,1,93,4,4,1.09,2,2,1,0,0,2,39,2,3,4,NA
+64489,7,2,2,65,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,9991.888445,10532.363744,3,90,9,9,2.93,3,3,0,0,2,1,71,2,5,1,4
+64490,7,2,1,8,NA,1,1,1,8,104,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17882.621856,18280.794545,3,92,12,12,NA,6,6,1,3,0,2,33,1,5,1,4
+64491,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,87028.709207,89819.695129,1,98,8,8,2.46,3,3,1,0,0,1,29,1,4,6,NA
+64492,7,2,1,0,5,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20854.290322,20493.76497,2,94,14,14,4.05,3,3,1,0,0,2,37,1,5,1,5
+64493,7,2,1,17,NA,4,4,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13513.882801,1,96,15,15,4.9,4,4,0,1,0,1,47,1,3,1,5
+64494,7,2,2,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,28546.083602,28843.236835,2,95,9,9,4.1,2,2,0,0,0,2,19,1,4,NA,NA
+64495,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,166234.629208,1,95,10,10,4.76,2,2,0,0,0,1,53,1,2,1,3
+64496,7,1,1,30,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,25120.174741,0,2,102,14,14,4.86,3,3,1,0,0,1,30,1,5,1,5
+64497,7,2,1,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,25495.045769,28642.112646,1,94,5,5,1.39,2,2,0,0,2,1,60,1,1,5,NA
+64498,7,2,2,47,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15747.833197,16088.766331,3,91,15,15,5,3,3,0,1,0,1,47,2,5,1,5
+64499,7,2,1,63,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10004.038848,10164.290775,2,102,9,9,3.24,3,3,0,0,1,1,63,1,4,1,4
+64500,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,105593.259211,109935.078529,2,92,15,9,5,2,1,0,0,0,2,29,1,5,6,NA
+64501,7,2,1,66,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,1,NA,2,2,2,2,2,2,2,2,1,2,9068.437099,9213.701881,2,93,15,15,4.84,6,6,1,1,2,1,66,2,4,1,3
+64502,7,2,1,14,NA,4,4,2,14,177,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10366.393886,10567.129261,1,90,9,9,1.65,7,7,0,4,0,1,36,1,4,1,4
+64503,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,13555.744544,2,90,9,9,3.02,3,3,0,0,2,2,70,1,4,1,2
+64504,7,2,2,57,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,16165.962054,15723.538094,2,99,12,4,1.34,6,1,0,0,0,2,57,1,5,2,NA
+64505,7,2,1,18,NA,4,4,1,18,218,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13731.625553,14361.066702,1,100,1,1,0.04,4,4,1,1,0,2,51,1,3,3,NA
+64506,7,2,1,9,NA,3,3,2,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21087.869274,22686.932895,1,101,4,4,1.16,2,2,0,1,0,2,51,1,4,3,NA
+64507,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,46023.826844,47769.922841,1,91,9,9,3.24,3,3,0,0,1,1,70,1,1,2,NA
+64508,7,2,1,14,NA,4,4,2,14,171,NA,NA,2,2,2,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9987.254512,10059.992052,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+64509,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,36283.627734,36608.028102,1,102,5,4,1.74,5,1,1,1,0,2,24,1,4,5,NA
+64510,7,2,2,10,NA,1,1,1,10,123,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13028.403003,13395.598637,2,96,6,6,1.11,5,5,0,3,0,2,32,2,3,1,2
+64511,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,9,9,4.15,2,2,0,0,2,2,64,1,4,1,5
+64512,7,2,1,7,NA,4,4,2,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7886.48532,7943.675078,1,99,14,14,3.8,4,4,1,1,0,1,48,2,5,1,5
+64513,7,1,2,80,NA,2,2,NA,NA,NA,2,NA,2,1,9,NA,1,2,NA,2,2,2,2,2,2,NA,NA,NA,NA,17318.187297,0,2,90,77,77,NA,1,1,0,0,1,2,80,2,1,2,NA
+64514,7,2,2,31,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,6,2,2,2,2,2,2,2,1,2,2,1,29176.121289,29479.238307,2,90,4,4,0.81,3,3,0,0,0,1,39,2,3,5,NA
+64515,7,2,2,41,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,NA,NA,NA,NA,36924.381422,38397.364281,2,102,7,7,2.16,3,3,0,2,0,2,41,1,5,3,NA
+64516,7,2,2,2,NA,3,3,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37236.564417,41097.653079,2,95,7,7,2.91,2,2,1,0,0,1,32,1,5,2,NA
+64517,7,2,2,4,NA,3,3,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51483.624552,52160.136719,1,91,8,8,3.57,2,2,1,0,0,2,33,1,5,3,NA
+64518,7,2,1,14,NA,1,1,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,24805.109913,25184.264697,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+64519,7,1,2,1,18,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37915.354974,0,2,94,12,12,NA,5,5,1,0,2,2,39,1,5,3,NA
+64520,7,2,2,64,NA,2,2,2,NA,NA,2,NA,2,1,NA,NA,3,1,NA,1,1,2,1,2,2,1,2,2,NA,12026.225854,13435.778737,1,90,14,14,5,2,2,0,0,2,1,65,2,2,1,3
+64521,7,2,1,15,NA,4,4,2,15,182,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,5,5,1.18,3,3,0,1,0,2,55,1,4,5,NA
+64522,7,2,1,13,NA,5,7,1,13,163,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5535.564809,5914.423708,2,92,15,15,4.59,4,4,0,2,0,2,45,2,5,1,5
+64523,7,2,2,8,NA,4,4,2,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10888.493631,11627.08662,1,101,1,1,0.21,3,3,0,2,0,2,32,1,4,5,NA
+64524,7,2,1,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25372.225163,26225.545107,2,93,6,2,0.72,4,1,0,0,1,1,69,NA,NA,1,NA
+64525,7,2,2,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,45673.879644,47551.913663,1,94,5,5,1.47,2,2,0,0,0,1,24,1,4,1,4
+64526,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,139800.409559,143196.722449,1,100,8,8,1.95,4,4,0,2,1,2,49,1,5,6,NA
+64527,7,1,2,42,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,NA,NA,NA,NA,NA,NA,NA,29650.79971,0,2,90,NA,NA,NA,2,2,0,0,0,1,40,NA,NA,1,5
+64528,7,2,2,7,NA,4,4,2,7,89,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8579.490652,8729.153641,2,97,13,13,NA,6,6,2,2,0,2,24,1,2,6,NA
+64529,7,2,1,18,NA,3,3,1,18,219,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,112494.70924,119489.826838,1,94,5,5,1.04,4,4,1,1,0,1,18,1,2,NA,NA
+64530,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,181786.280703,1,95,10,10,4.76,2,2,0,0,0,1,53,1,2,1,3
+64531,7,2,2,2,NA,5,6,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5248.47937,5499.505789,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+64532,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,14340.013944,13947.561844,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+64533,7,2,1,13,NA,4,4,2,13,157,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12418.38217,12987.625827,2,99,6,6,1.57,3,3,0,2,0,2,31,1,3,77,NA
+64534,7,2,2,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,3,1,2,2,1,2,2,1,2,2,1,19658.218913,19871.634013,1,99,2,2,0.31,4,4,1,0,1,2,67,1,3,3,NA
+64535,7,2,2,7,NA,4,4,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6491.294105,6989.429429,2,99,6,6,1.11,5,5,1,2,0,2,41,1,2,5,NA
+64536,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,68852.695662,70965.028494,1,101,15,15,5,3,3,0,0,2,1,75,1,2,1,2
+64537,7,1,1,7,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8749.381325,0,2,100,15,15,5,4,3,0,2,0,1,42,1,3,5,NA
+64538,7,2,2,11,NA,1,1,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,16986.005478,17733.622754,2,102,6,6,1,6,6,1,3,0,1,35,2,3,1,3
+64539,7,2,2,7,NA,3,3,2,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,80369.555824,80552.420473,1,97,15,15,4.07,5,5,0,3,0,1,36,1,5,1,5
+64540,7,2,1,69,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,1,2,1,2,2,1,2,2,NA,11992.012141,12184.108862,2,102,99,99,NA,2,2,0,0,2,2,67,2,5,1,5
+64541,7,2,2,0,10,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27492.029044,26745.284482,1,97,10,10,2.95,4,4,2,0,0,1,28,1,5,1,4
+64542,7,2,2,5,NA,1,1,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13366.393396,13791.68675,2,94,77,77,NA,4,4,2,0,0,1,26,2,2,1,4
+64543,7,2,2,0,7,3,3,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12997.670925,13008.434462,1,99,10,10,2.48,5,5,2,1,0,1,33,1,5,1,5
+64544,7,2,1,69,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,7688.593855,7926.541218,2,100,14,14,4.59,3,3,0,0,2,1,69,2,5,1,5
+64545,7,2,1,15,NA,2,2,1,15,184,NA,NA,2,2,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17555.907575,18699.509115,2,93,8,8,2,4,4,1,1,0,1,50,2,4,1,4
+64546,7,1,2,6,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14300.71869,0,2,94,4,4,0.72,4,4,1,1,0,1,30,2,1,1,3
+64547,7,2,1,2,NA,1,1,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10803.555682,10931.27688,2,94,9,9,2.1,5,5,1,2,0,1,31,2,4,1,4
+64548,7,2,2,59,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,17950.494975,18045.41616,1,92,2,2,0.24,5,5,0,2,0,1,35,2,4,1,3
+64549,7,2,1,44,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,42123.732489,42281.342391,1,102,7,7,1.7,4,4,0,0,2,1,44,1,4,4,NA
+64550,7,2,2,62,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,3,12449.239856,12885.71781,1,96,7,7,2.64,2,2,0,0,2,1,64,2,5,1,5
+64551,7,2,2,10,NA,2,2,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14414.529053,14504.545241,2,96,14,14,3.36,4,4,1,1,0,2,28,1,2,6,NA
+64552,7,2,1,76,NA,2,2,2,NA,NA,1,2,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,13725.398968,14221.420409,2,90,7,7,2.52,2,2,0,0,2,2,71,1,4,1,4
+64553,7,2,2,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,13422.679076,14021.98734,2,92,6,6,2.31,2,2,0,0,2,2,65,1,4,5,NA
+64554,7,2,2,1,17,3,3,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,43715.161102,44289.593043,1,98,15,15,5,3,3,1,0,0,1,33,1,5,1,5
+64555,7,2,2,1,20,3,3,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20272.436775,20538.823422,2,94,77,77,NA,2,2,1,0,0,1,24,1,4,77,NA
+64556,7,2,2,0,4,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9767.083234,10416.172562,3,92,2,2,0.4,3,3,1,0,0,1,21,1,2,6,NA
+64557,7,2,1,3,NA,4,4,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11324.865632,11670.771889,2,96,5,5,1.13,3,3,1,1,0,2,31,1,3,5,NA
+64558,7,2,1,62,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11764.405491,12074.424659,1,97,14,14,3.93,3,3,0,1,2,2,63,1,4,1,4
+64559,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,72551.269339,74475.92188,1,95,7,7,2.45,2,2,0,0,2,2,70,1,3,1,3
+64560,7,1,2,13,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,21282.11341,0,1,90,6,6,1.44,3,3,0,1,0,1,44,2,1,1,3
+64561,7,2,1,6,NA,2,2,2,6,83,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8927.426533,9245.241527,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+64562,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,23235.97926,24326.785264,2,95,6,6,1.19,4,4,0,1,0,1,44,1,3,1,2
+64563,7,2,2,0,7,2,2,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7849.042868,8059.930457,2,98,6,6,1.07,5,5,3,0,0,2,24,1,3,1,3
+64564,7,2,2,54,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,19302.748944,20091.820859,3,92,15,15,5,3,3,0,1,0,1,55,2,5,1,4
+64565,7,1,1,54,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,20286.317046,0,2,99,99,99,NA,1,1,0,0,0,1,54,1,3,5,NA
+64566,7,2,1,7,NA,4,4,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8294.996898,8761.908989,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+64567,7,2,1,37,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,38835.309696,39871.800261,1,100,15,15,4.34,4,4,2,0,0,2,35,1,5,1,5
+64568,7,2,2,5,NA,1,1,1,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10493.785765,10940.90082,1,103,5,5,0.71,6,6,2,2,0,2,31,2,2,1,2
+64569,7,2,1,14,NA,4,4,1,14,177,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9188.45337,9407.445906,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+64570,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,49428.481088,50236.061312,1,101,2,2,0.72,1,1,0,0,1,2,65,1,4,2,NA
+64571,7,2,1,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,124091.929364,132249.317489,1,95,15,15,5,3,3,1,0,0,1,26,1,3,1,4
+64572,7,2,1,50,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15693.68983,16353.841376,1,91,77,77,NA,4,4,0,2,0,1,50,2,5,1,5
+64573,7,2,1,7,NA,4,4,1,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9022.8939,9451.941588,2,100,5,5,0.88,5,5,2,1,0,2,30,1,4,6,NA
+64574,7,2,1,17,NA,4,4,2,17,207,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11834.781205,12063.950506,2,90,6,6,1.12,4,4,0,1,1,1,63,2,1,1,1
+64575,7,2,2,6,NA,2,2,2,6,72,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13895.77426,15584.232002,2,91,99,99,NA,6,6,1,3,0,2,20,2,2,5,NA
+64576,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,38666.703155,42427.769217,2,94,15,15,5,1,1,0,0,1,1,80,1,5,2,NA
+64577,7,2,1,0,4,3,3,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12008.205501,11800.609728,1,92,4,4,1.22,2,2,1,0,0,2,30,1,4,5,NA
+64578,7,2,1,1,12,1,1,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12567.081957,12360.030976,1,97,7,7,2.31,2,2,1,0,0,1,22,1,4,5,NA
+64579,7,2,2,3,NA,4,4,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10683.855206,11939.151167,1,96,3,3,0.43,4,4,1,1,0,2,39,2,4,1,3
+64580,7,2,1,7,NA,1,1,1,7,88,NA,NA,2,7,77,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11367.678664,11216.859778,2,96,77,77,NA,7,7,3,2,0,2,33,2,2,6,NA
+64581,7,2,2,31,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,14179.938483,16215.179647,3,90,10,10,4.63,2,2,0,0,0,2,31,1,5,1,4
+64582,7,2,1,59,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,1,1,2,2,1,2,2,1,16628.326744,17078.450103,2,102,8,8,2.01,4,4,0,0,0,1,59,2,4,1,4
+64583,7,2,1,16,NA,5,6,2,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8305.829479,8595.334823,1,93,15,15,5,3,3,0,2,0,2,48,2,5,3,NA
+64584,7,2,1,41,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12471.410981,12474.00514,2,103,77,77,NA,5,5,0,2,0,2,39,2,5,1,5
+64585,7,2,2,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,3,1,2,2,1,2,2,NA,NA,NA,NA,25189.042335,25118.259708,1,100,8,8,1.95,4,4,0,2,0,2,42,1,4,1,4
+64586,7,2,2,25,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,1,1,2,2,2,2,2,2,2,NA,NA,NA,NA,50177.882654,49959.335916,1,100,4,4,0.78,4,4,0,0,1,1,33,2,1,1,1
+64587,7,2,1,19,NA,4,4,1,19,239,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,2,1,0.18,2,1,0,0,0,1,19,NA,NA,NA,NA
+64588,7,2,2,3,NA,5,6,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8171.700571,8311.029296,1,92,7,7,1.65,4,4,2,0,0,1,24,1,4,1,3
+64589,7,2,1,13,NA,2,2,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14081.782012,14782.02856,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+64590,7,2,1,6,NA,4,4,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13423.881856,14062.200951,2,97,7,7,1.38,5,5,0,1,1,2,79,1,5,5,NA
+64591,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,20075.522681,20011.491118,3,92,4,4,1.22,2,2,0,0,0,1,51,1,2,1,3
+64592,7,2,2,29,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,6,2,2,2,1,1,2,1,1,2,2,NA,45207.136555,47234.971464,1,91,7,7,2.1,3,3,0,1,0,2,29,2,3,6,NA
+64593,7,2,1,47,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19686.178677,19752.591494,2,94,15,15,5,5,5,0,2,1,1,47,2,5,1,5
+64594,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21399.459455,20960.973241,1,90,15,15,4.34,4,4,0,0,1,1,62,2,5,1,3
+64595,7,2,1,4,NA,3,3,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,27813.351627,32589.867729,2,97,1,1,0.21,4,4,2,0,0,2,34,2,1,1,2
+64596,7,2,2,12,NA,1,1,1,12,150,NA,NA,2,2,4,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20419.465237,21192.774678,2,102,6,3,0.54,6,4,0,4,0,2,43,2,1,5,NA
+64597,7,2,2,16,NA,3,3,2,16,203,NA,NA,1,1,NA,11,NA,NA,NA,1,2,1,1,2,1,1,2,2,1,23708.623398,23934.71279,2,97,2,2,0.38,4,4,0,2,2,2,64,2,1,1,NA
+64598,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,98514.948291,98181.677236,1,99,15,15,5,2,2,0,0,2,1,62,1,5,1,4
+64599,7,2,1,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,29756.291619,30015.261296,2,101,8,8,2.43,3,3,0,1,0,1,35,1,4,6,NA
+64600,7,2,2,14,NA,4,4,2,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11478.437608,11446.094627,1,96,10,10,3.04,4,4,0,1,0,2,43,1,5,1,4
+64601,7,2,1,6,NA,5,6,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8556.838894,9269.764719,2,95,15,15,5,3,3,0,1,0,2,34,2,5,1,NA
+64602,7,2,2,59,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,22224.73066,22340.630739,2,94,14,14,5,1,1,0,0,0,2,59,1,4,2,NA
+64603,7,2,2,40,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,20303.639991,21936.687597,1,97,15,15,4.77,4,4,1,1,0,2,40,1,5,1,5
+64604,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,2,3,NA,2,2,2,1,2,2,2,2,2,2,23200.373382,24548.135184,2,93,5,5,0.89,4,4,0,2,0,1,42,NA,NA,6,NA
+64605,7,2,2,0,6,3,3,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21671.775435,21083.121886,1,98,6,6,1.34,4,4,2,0,0,2,25,1,3,1,4
+64606,7,2,2,59,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,23644.678283,24188.238174,2,93,5,5,1.32,2,2,0,0,0,2,59,2,4,2,NA
+64607,7,2,2,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,14447.262849,14051.875602,3,90,15,15,5,5,5,1,0,1,1,38,2,3,1,4
+64608,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,104371.641146,109271.336207,1,90,15,15,5,3,3,0,0,0,1,59,1,5,1,5
+64609,7,2,1,64,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,8385.499814,8451.09383,2,92,12,12,NA,2,1,0,0,1,2,58,1,3,5,NA
+64610,7,2,1,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,141773.363283,145979.183499,1,97,15,15,5,4,4,0,0,1,1,67,NA,NA,2,NA
+64611,7,2,1,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17206.320427,17271.69718,2,100,14,14,3.06,5,5,1,0,0,1,50,1,5,1,5
+64612,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9013.911777,9371.113947,1,97,4,4,0.46,7,7,3,3,0,2,31,1,3,1,NA
+64613,7,2,1,25,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,49741.714519,50662.492276,2,91,7,7,3.76,1,1,0,0,0,1,25,1,5,5,NA
+64614,7,2,1,7,NA,3,3,1,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,71470.369236,87471.572436,2,101,8,8,2.81,3,3,0,2,0,1,48,1,3,3,NA
+64615,7,2,2,14,NA,3,3,2,14,179,NA,NA,1,1,NA,9,NA,NA,NA,1,1,1,NA,NA,NA,1,2,2,1,23708.623398,23934.71279,2,97,2,2,0.38,4,4,0,2,2,2,64,2,1,1,NA
+64616,7,2,1,21,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,32384.468407,33958.290597,2,100,14,14,3.58,4,4,0,1,0,1,46,2,5,1,5
+64617,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,9053.837749,9198.868668,2,99,77,77,NA,4,4,1,1,1,2,38,2,4,1,4
+64618,7,2,1,1,21,1,1,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8481.734412,8750.218705,1,103,5,5,0.74,5,5,1,1,0,2,40,99,3,1,1
+64619,7,2,1,16,NA,4,4,2,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13969.457688,14694.403205,1,90,14,14,3.25,4,4,0,2,0,2,33,2,3,1,3
+64620,7,2,1,36,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14221.330587,14963.406508,3,90,12,12,NA,4,4,0,0,1,1,62,2,4,3,NA
+64621,7,2,1,38,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,39053.240727,39737.089727,1,100,14,14,4.71,3,3,0,1,0,1,38,1,5,1,5
+64622,7,2,1,13,NA,1,1,2,13,165,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20398.562455,20710.36162,2,94,13,13,NA,5,5,0,3,0,1,32,2,2,1,1
+64623,7,2,1,2,NA,2,2,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8488.185756,9094.478438,2,99,77,77,NA,4,4,1,1,1,2,38,2,4,1,4
+64624,7,2,1,1,15,1,1,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10078.126531,10467.748183,2,97,NA,2,0.36,6,4,3,1,0,2,25,1,4,6,NA
+64625,7,2,1,69,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,2,2,2,1,8491.292032,8823.40317,1,96,7,7,1.39,5,5,0,2,2,1,69,2,2,1,2
+64626,7,2,1,0,4,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9081.731172,9425.042696,1,101,5,5,0.74,6,6,1,3,0,1,38,1,4,1,4
+64627,7,2,2,17,NA,5,6,1,18,216,2,NA,2,2,5,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9269.277563,9333.801929,2,102,5,5,1.08,3,3,0,1,0,2,46,2,1,5,NA
+64628,7,2,2,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27524.153939,27114.967247,3,92,12,12,NA,3,2,0,0,0,1,45,1,3,1,3
+64629,7,2,1,14,NA,3,3,2,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,119111.433099,126517.990149,2,94,7,7,2.38,2,2,0,1,0,1,39,1,4,3,NA
+64630,7,2,1,0,3,3,3,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20370.716701,21140.779334,1,91,15,15,5,5,5,3,0,0,1,45,1,5,1,5
+64631,7,2,2,1,17,5,6,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7029.864692,7462.832472,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+64632,7,2,1,21,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,51858.383222,54820.448996,2,91,10,10,4.63,2,2,0,0,0,1,55,2,3,3,NA
+64633,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,110095.623149,1,94,10,10,4.3,2,2,0,0,0,1,27,1,5,1,5
+64634,7,2,2,74,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,16361.152596,17584.911061,1,100,1,1,0.36,1,1,0,0,1,2,74,1,2,2,NA
+64635,7,2,1,29,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19510.698389,19365.075974,1,102,7,7,1.9,4,4,1,1,0,1,29,1,4,1,3
+64636,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,2,1,0.02,2,1,0,0,0,1,20,1,4,5,NA
+64637,7,2,1,77,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,1,2,2,2,2,2,NA,16591.871479,16938.772121,3,91,77,77,NA,4,4,0,0,2,1,54,1,4,1,2
+64638,7,2,1,8,NA,4,4,1,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10410.106675,10617.081899,2,96,5,5,1.08,3,3,0,1,0,2,41,1,3,1,NA
+64639,7,2,1,58,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,25963.141347,26172.595903,1,92,9,9,3.7,2,2,0,0,0,1,58,1,2,1,4
+64640,7,2,1,80,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,1,1,NA,2,2,2,2,2,2,1,2,2,NA,18949.267372,20024.848444,2,98,4,4,1.15,2,2,0,0,2,1,80,1,1,1,1
+64641,7,2,1,4,NA,2,2,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17533.373205,2,98,8,8,1.48,7,7,3,0,0,1,26,1,3,1,3
+64642,7,2,1,15,NA,2,2,1,15,183,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,24585.624844,25010.051033,3,91,5,5,0.89,4,4,0,2,2,1,61,2,3,1,4
+64643,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22560.963402,22680.264479,1,98,6,6,1.65,2,2,0,1,0,2,52,2,5,1,NA
+64644,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,93796.829073,95761.252302,1,100,6,6,1.78,3,3,1,1,0,2,35,1,5,4,NA
+64645,7,2,1,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5942.817425,6352.518414,2,97,5,5,0.84,5,5,2,1,0,2,27,1,3,1,3
+64646,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,32860.812334,35527.111698,1,91,7,7,2.68,2,2,0,0,2,1,80,1,4,1,4
+64647,7,2,1,4,NA,2,2,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13504.027725,14468.59111,2,93,8,8,2,4,4,1,1,0,1,50,2,4,1,4
+64648,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,37080.526463,37974.333878,1,103,15,15,5,2,2,0,0,0,1,36,2,5,1,5
+64649,7,2,2,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,2,NA,NA,NA,NA,15326.318384,16292.539752,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+64650,7,2,2,10,NA,3,3,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22371.648216,23759.450609,1,95,5,5,1.08,3,3,0,1,0,1,53,1,4,1,4
+64651,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,28454.541725,29098.608791,3,91,3,3,1.24,1,1,0,0,0,1,58,1,4,5,NA
+64652,7,2,2,10,NA,5,6,1,10,125,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7905.246022,8589.222558,1,100,3,3,0.73,2,2,0,1,0,2,38,2,5,3,NA
+64653,7,2,2,1,18,4,4,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9287.278834,9993.215624,2,102,5,3,0.63,5,4,2,1,0,1,24,1,4,6,NA
+64654,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,151649.038926,165350.159672,1,101,7,7,2.31,2,2,0,0,0,1,44,1,3,1,2
+64655,7,2,2,9,NA,1,1,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15510.382876,18634.445505,1,100,13,13,NA,4,4,1,1,0,1,28,2,1,1,1
+64656,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,14314.968597,14503.241546,1,96,15,15,5,4,3,0,0,1,2,54,2,4,1,5
+64657,7,2,2,4,NA,3,3,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,71121.657525,76575.027332,1,92,9,4,1,7,3,2,1,0,1,45,1,4,2,NA
+64658,7,2,2,51,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,1,2,25483.560748,27318.705448,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+64659,7,2,2,11,NA,4,4,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7646.649777,8233.445923,2,99,4,4,1,3,3,0,1,0,2,38,1,3,5,NA
+64660,7,2,2,4,NA,2,2,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13366.393396,14209.054666,2,94,7,7,1.34,5,5,2,1,0,1,32,2,1,1,NA
+64661,7,2,1,29,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,31312.870743,38059.589922,2,90,8,8,2.24,4,4,1,1,0,2,29,1,4,6,NA
+64662,7,2,1,10,NA,3,3,1,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,66003.625505,68276.88064,1,101,8,8,1.85,5,5,0,3,0,1,41,1,3,1,4
+64663,7,2,2,33,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21522.871343,21589.047039,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+64664,7,2,2,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,40760.712736,41570.695949,1,98,4,4,1.26,2,2,0,0,1,2,80,1,4,2,NA
+64665,7,2,2,6,NA,3,3,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24070.467912,23750.822126,1,92,4,4,0.5,6,6,0,3,0,2,41,1,4,1,NA
+64666,7,2,2,11,NA,4,4,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10332.067017,10608.478853,1,100,12,12,NA,5,5,0,3,0,1,39,1,5,1,3
+64667,7,2,1,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,26052.523863,2,101,3,3,0.68,2,2,0,0,0,1,58,1,1,6,NA
+64668,7,1,1,21,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,52698.05363,0,3,92,2,2,0.4,3,3,1,0,0,1,21,1,2,6,NA
+64669,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,35475.142583,37174.132552,2,95,6,6,2.95,1,1,0,0,1,2,60,1,3,3,NA
+64670,7,2,2,2,NA,3,3,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,55441.113009,61189.845638,1,92,6,6,1.62,3,3,1,0,0,2,26,1,5,1,5
+64671,7,2,2,13,NA,3,3,1,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,117872.104347,120084.841085,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+64672,7,2,1,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16715.026676,2,100,7,7,1.38,5,5,1,0,0,2,45,1,2,3,NA
+64673,7,2,1,12,NA,5,6,1,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5388.361335,5758.757236,3,91,6,6,1.22,5,5,1,2,0,2,37,1,4,1,2
+64674,7,2,2,39,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,1,2,2,2,2,2,2,2,NA,NA,NA,NA,38161.026403,39476.245254,1,100,7,7,1.74,4,4,0,2,0,2,39,2,1,1,3
+64675,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,159455.333031,1,95,15,15,5,4,4,0,2,0,2,42,1,5,1,5
+64676,7,2,2,56,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,4,6,NA,2,2,2,2,2,2,1,2,1,2,19969.163208,20990.960204,2,93,10,10,3.67,3,3,0,0,0,2,56,2,4,6,NA
+64677,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19210.136544,18684.400763,1,96,12,12,NA,1,1,0,0,0,2,56,1,4,3,NA
+64678,7,2,2,0,4,4,4,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7333.056164,7413.124496,2,101,5,5,1.08,3,3,1,0,0,1,31,1,4,6,NA
+64679,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,17978.142628,18905.276914,1,91,7,7,1.57,4,4,0,3,0,2,38,2,2,3,NA
+64680,7,2,2,35,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,21116.677917,21908.928919,1,92,14,14,3.47,4,4,0,2,0,1,37,1,5,1,5
+64681,7,2,1,15,NA,3,3,2,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,68148.957861,67253.324127,1,93,7,7,2.16,3,3,0,1,0,2,50,1,5,3,NA
+64682,7,2,1,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,133542.212862,160359.69013,1,94,14,14,2.96,5,5,0,3,0,2,39,1,4,1,3
+64683,7,1,2,26,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,6,3,1,2,2,1,2,2,NA,NA,NA,NA,109522.19868,0,1,90,9,1,0,2,1,0,0,0,2,26,1,5,6,NA
+64684,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,1,2,1,2,2,1,2,2,1,16995.648055,19983.260181,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+64685,7,2,1,12,NA,2,2,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13752.835112,15116.811136,3,90,7,7,1.48,5,5,0,1,0,1,43,2,1,6,NA
+64686,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6226.488588,6570.976462,2,99,6,6,1.03,6,6,3,0,0,1,33,1,3,6,NA
+64687,7,2,2,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,20247.768461,19251.812222,2,93,4,4,0.56,5,5,2,1,0,1,27,1,2,6,NA
+64688,7,2,1,1,18,1,1,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11853.772636,11869.789876,2,96,4,4,0.81,4,4,1,1,0,1,36,2,1,6,NA
+64689,7,2,2,42,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,2,5,2,2,2,2,1,2,2,2,2,2,2,27654.660303,28156.17371,2,103,4,4,0.79,3,3,0,0,0,2,42,2,2,5,NA
+64690,7,2,2,11,NA,4,4,2,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8147.287486,8590.325322,2,90,2,2,0.38,4,4,1,2,0,2,32,1,4,5,NA
+64691,7,2,1,0,10,2,2,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,2,2,1,NA,NA,NA,NA,5357.080288,5657.49929,1,103,12,12,NA,6,6,2,1,0,2,27,2,2,1,3
+64692,7,1,2,59,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,13728.308948,0,2,90,10,10,3.51,3,3,0,0,1,2,59,1,4,1,NA
+64693,7,1,2,46,NA,2,2,NA,NA,NA,2,NA,2,2,4,NA,2,4,NA,2,2,2,2,2,2,NA,NA,NA,NA,23968.560941,0,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+64694,7,2,1,23,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,44887.234615,46900.157613,2,93,9,9,2.6,4,4,0,0,0,2,58,2,4,4,NA
+64695,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,11608.998717,12267.891619,3,90,14,14,3.47,4,4,1,1,0,2,38,2,5,1,5
+64696,7,2,1,11,NA,4,4,2,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.422451,8641.637123,1,99,14,14,4.86,3,3,0,1,0,1,42,1,5,1,5
+64697,7,2,1,8,NA,4,4,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11443.206518,11987.342507,1,100,6,6,1.65,2,2,0,1,0,2,42,1,4,5,NA
+64698,7,2,1,13,NA,3,3,1,13,166,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23685.067681,25157.846578,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+64699,7,2,1,16,NA,4,4,1,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18123.994406,21384.995218,2,101,8,8,2.81,3,3,0,1,0,1,35,1,1,1,2
+64700,7,1,1,24,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,108410.783716,0,1,91,8,8,2.51,3,3,1,0,0,2,24,1,4,1,3
+64701,7,2,1,57,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,3,NA,2,2,2,1,2,2,2,2,1,2,27131.416371,32184.468102,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+64702,7,2,2,4,NA,3,3,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,31376.988784,34630.493438,1,101,7,7,1.82,4,4,2,0,0,2,27,1,2,1,3
+64703,7,2,2,22,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,32537.532358,33640.063825,2,90,5,5,1.19,3,3,0,0,0,2,50,2,4,4,NA
+64704,7,2,1,62,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,11937.570805,12597.633777,2,96,8,8,1.33,7,7,2,1,1,1,62,2,1,1,1
+64705,7,2,2,72,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,13242.661868,13437.555164,1,99,5,5,1.69,2,2,0,0,2,1,79,1,1,1,4
+64706,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20332.409486,19927.598485,2,93,6,6,1.47,3,3,0,0,0,2,47,1,4,5,NA
+64707,7,2,1,10,NA,1,1,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,17882.621856,17720.218058,3,92,4,4,0.67,4,4,0,3,0,2,36,2,1,5,NA
+64708,7,2,2,11,NA,1,1,2,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15002.25457,15643.939501,1,91,6,6,1.35,3,3,0,2,0,2,38,1,4,3,NA
+64709,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9221.19173,9652.555988,2,95,3,3,0.75,2,2,0,0,2,1,60,1,2,1,2
+64710,7,2,1,3,NA,5,7,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8981.553859,10073.795326,3,91,15,15,4.47,4,4,2,0,0,1,33,1,5,1,5
+64711,7,2,2,35,NA,5,7,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,18346.384255,19018.034723,2,96,15,15,5,4,4,1,1,0,2,35,2,5,1,5
+64712,7,2,1,6,NA,1,1,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14820.807433,14827.373008,2,102,5,5,0.89,4,4,1,2,0,2,36,2,5,3,NA
+64713,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22224.73066,22340.630739,2,94,15,15,5,2,2,0,0,1,1,77,1,5,1,4
+64714,7,2,2,17,NA,4,4,2,17,204,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13661.047334,13622.554377,2,97,5,5,0.76,5,5,1,1,0,2,47,1,4,5,NA
+64715,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,4,2,0.83,2,1,0,0,0,1,24,1,4,5,NA
+64716,7,2,1,1,19,3,3,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46257.816906,54201.886729,2,94,14,14,3.36,4,4,2,0,0,1,31,1,3,1,5
+64717,7,2,1,1,13,4,4,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,11283.202594,2,101,5,5,0.89,4,4,1,1,1,2,38,1,4,77,NA
+64718,7,2,1,18,NA,4,4,1,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14848.504688,14956.646891,1,98,2,2,0.45,2,1,0,0,0,1,19,1,4,NA,NA
+64719,7,2,2,39,NA,5,6,2,NA,NA,1,2,2,1,7,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,18480.909695,18518.646173,1,93,9,9,5,1,1,0,0,0,2,39,2,5,3,NA
+64720,7,2,1,29,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,21548.249649,21044.90278,1,100,8,8,1.61,6,6,1,3,0,1,29,1,5,6,NA
+64721,7,2,1,56,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,17206.320427,17151.440282,2,100,5,5,1.08,3,3,0,0,0,1,38,1,2,5,NA
+64722,7,2,2,33,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,1,1,2,2,2,2,2,2,2,1,2,2,NA,38218.668882,37187.448906,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+64723,7,2,2,6,NA,4,4,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8292.876947,8466.609309,1,102,1,1,0,5,5,0,3,0,2,41,1,4,1,4
+64724,7,2,2,3,NA,3,3,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50908.326714,52512.144621,1,99,15,15,5,4,4,1,1,0,2,42,1,5,1,5
+64725,7,2,2,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,101005.054511,105662.333954,2,91,15,8,4.48,2,1,0,0,0,2,55,1,5,6,NA
+64726,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18486.334367,18427.371573,2,95,8,8,1.85,5,5,1,2,0,1,55,1,2,1,3
+64727,7,2,1,50,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,1,2,22446.308035,22401.210337,2,94,77,77,NA,4,4,0,0,0,1,28,2,1,3,NA
+64728,7,2,1,23,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,3,5,NA,2,2,2,1,2,2,2,2,2,2,38474.772527,42632.210531,2,93,7,5,1.79,3,1,0,0,0,1,25,2,4,5,NA
+64729,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,2,NA,1,2,1,NA,NA,NA,NA,NA,NA,NA,14314.616082,14811.078253,2,92,NA,NA,NA,2,1,0,0,1,2,58,2,4,5,NA
+64730,7,2,1,9,NA,2,2,2,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9390.522479,10327.334743,2,90,1,1,0.19,4,4,0,1,0,2,44,1,2,5,NA
+64731,7,2,2,34,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,36904.965687,36815.84758,2,93,9,9,3.14,3,3,0,2,0,2,34,2,5,3,NA
+64732,7,2,1,17,NA,4,4,1,17,215,2,NA,2,1,4,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16261.995423,16380.43213,2,96,6,6,1.7,2,2,0,1,0,1,25,2,4,5,NA
+64733,7,2,2,30,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,51753.495707,50822.503524,1,100,8,8,3.17,2,2,0,0,0,1,31,2,4,1,5
+64734,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12331.419303,12882.003985,2,95,5,5,1.32,2,2,0,0,2,1,66,1,2,1,4
+64735,7,2,2,6,NA,3,3,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49543.011606,52616.361829,1,94,15,15,5,6,6,0,4,0,1,38,1,5,1,4
+64736,7,2,1,6,NA,5,6,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8376.521179,8870.870608,1,92,12,12,NA,4,4,1,1,0,1,33,2,4,1,4
+64737,7,2,1,19,NA,4,4,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,2,2,0.73,2,1,0,0,0,1,20,1,4,5,NA
+64738,7,2,1,15,NA,3,3,2,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71458.892941,70519.759062,2,91,15,15,5,4,4,0,2,0,2,48,1,5,1,5
+64739,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,25026.664203,25574.319716,1,97,15,15,5,4,4,0,1,0,1,40,1,4,1,4
+64740,7,2,1,45,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,2,1,2,1,3,16903.372311,16842.307696,1,97,9,9,1.78,6,6,0,1,1,1,45,2,3,1,3
+64741,7,2,2,44,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,25189.042335,25070.255719,1,100,14,14,5,3,3,0,1,1,2,44,1,4,5,NA
+64742,7,2,1,56,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16419.180608,2,100,4,4,1.74,1,1,0,0,0,1,56,1,3,3,NA
+64743,7,2,1,10,NA,4,4,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8017.552697,8398.795399,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+64744,7,2,2,5,NA,3,3,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,29420.847299,31676.739048,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+64745,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20820.576198,20899.685598,2,96,7,7,1.49,5,5,2,1,0,1,51,1,5,1,3
+64746,7,2,1,29,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18523.956321,18232.779525,2,99,15,15,4.34,4,4,0,0,0,1,59,2,4,1,5
+64747,7,1,1,5,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9787.724348,0,1,96,10,10,3.51,3,3,1,0,0,1,25,1,4,1,5
+64748,7,2,2,0,4,4,4,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5576.185193,5739.245437,2,96,6,6,1.35,3,3,1,1,0,2,25,1,3,5,NA
+64749,7,2,1,2,NA,5,6,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9239.758777,10363.400393,2,91,14,14,3.47,4,4,1,1,0,2,36,2,3,1,5
+64750,7,2,1,18,NA,1,1,1,18,226,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,32326.52031,34735.818434,2,98,13,13,NA,5,5,0,2,0,1,48,2,1,1,2
+64751,7,2,1,9,NA,3,3,2,9,118,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61920.455064,68552.408117,2,94,12,12,NA,5,5,1,1,0,1,37,1,4,1,3
+64752,7,2,2,62,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16352.915834,17093.606152,3,92,8,8,2.97,2,2,0,0,2,2,62,1,4,1,4
+64753,7,2,2,68,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,9716.805546,12994.252166,2,90,77,77,NA,1,1,0,0,1,2,68,2,1,4,NA
+64754,7,2,1,36,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,14204.262514,14001.792163,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+64755,7,2,1,3,NA,1,1,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14415.164987,15444.808928,1,103,77,77,NA,4,4,1,0,1,1,20,1,3,6,NA
+64756,7,2,1,72,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,2,2,2,1,2,2,2,2,2,NA,13654.270555,14323.606702,2,93,10,10,3.04,4,4,0,0,2,1,72,2,3,1,2
+64757,7,2,2,9,NA,5,7,2,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,67349.005531,67425.922822,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+64758,7,2,1,33,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20071.705576,20986.552878,3,91,14,14,5,2,2,0,0,0,2,27,2,5,1,5
+64759,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,1,2,1,2,2,1,1,2,NA,52279.532372,58506.425352,2,101,5,5,1.63,2,2,0,0,2,1,80,1,1,1,1
+64760,7,2,1,4,NA,3,3,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,77702.196479,85091.48102,1,95,9,9,2.68,4,4,2,0,0,2,27,1,4,1,4
+64761,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,35276.751365,1,94,7,7,1.65,5,4,0,0,0,1,46,1,4,1,4
+64762,7,2,1,17,NA,4,4,1,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,10,10,3.89,3,3,0,1,0,2,49,1,4,1,3
+64763,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,17701.770315,2,95,5,2,0.63,3,1,0,0,0,1,31,1,4,5,NA
+64764,7,2,1,36,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,24555.036413,24478.369844,2,94,8,8,3.4,2,2,0,0,0,1,36,1,2,1,5
+64765,7,2,1,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,78529.577822,80778.70531,1,101,7,7,1.55,5,5,1,2,0,2,31,1,4,1,2
+64766,7,2,2,3,NA,1,1,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11859.546176,12772.78418,1,102,5,5,0.62,7,7,1,3,0,1,49,2,2,1,1
+64767,7,2,2,7,NA,2,2,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15510.382876,16516.802792,1,100,5,5,0.78,6,5,1,2,0,2,40,2,1,5,NA
+64768,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,38616.556866,1,94,6,6,1.21,4,4,2,0,0,1,27,1,2,1,2
+64769,7,2,1,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19093.004278,19397.753966,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+64770,7,2,1,11,NA,5,6,2,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5855.595238,6345.238788,1,91,15,15,3.25,7,7,1,2,0,2,31,1,5,1,5
+64771,7,2,1,64,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,11937.570805,12505.355675,2,96,3,3,0.24,7,7,2,3,1,2,40,1,3,3,NA
+64772,7,2,1,50,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,2,NA,2,2,2,2,2,2,NA,NA,NA,NA,31872.125984,32482.275435,2,96,4,4,1.56,1,1,0,0,0,1,50,2,1,2,NA
+64773,7,2,2,16,NA,1,1,1,16,203,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19836.724169,20428.617367,1,98,15,15,5,5,5,0,1,1,2,55,1,5,1,5
+64774,7,2,2,5,NA,1,1,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16648.051651,2,98,5,5,0.59,7,7,2,1,2,2,71,1,2,1,1
+64775,7,2,2,6,NA,5,6,1,7,84,NA,NA,1,1,NA,1,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,6402.995556,7222.354698,2,92,7,7,1.61,4,4,0,2,0,1,51,2,3,1,3
+64776,7,2,2,29,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,2,2,2,2,2,2,2,NA,NA,NA,NA,50915.06085,54061.945895,3,92,3,3,0.52,5,5,2,1,0,2,29,2,1,1,3
+64777,7,2,2,52,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15790.702799,16017.473382,2,90,14,14,5,2,2,0,0,1,2,52,2,5,1,NA
+64778,7,1,1,22,NA,5,6,NA,NA,NA,2,NA,2,1,99,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,13367.406737,0,1,92,15,15,4.44,5,5,0,0,1,1,65,NA,NA,1,5
+64779,7,2,2,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,26465.930618,27659.054945,2,100,7,7,1.79,4,4,0,1,0,2,51,1,3,3,NA
+64780,7,2,2,18,NA,4,4,1,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13697.127402,14256.437303,2,100,4,4,1.16,2,2,0,0,1,2,18,1,2,NA,NA
+64781,7,2,1,15,NA,2,2,2,15,185,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,19820.949231,20163.121943,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+64782,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,29250.663295,29731.562834,1,94,2,2,0.81,1,1,0,0,0,1,50,1,4,3,NA
+64783,7,2,1,0,1,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4461.618312,4741.503802,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+64784,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,20135.920214,21074.978603,2,97,5,5,0.76,5,5,1,1,0,2,47,1,4,5,NA
+64785,7,2,1,76,NA,1,1,1,NA,NA,2,NA,2,1,99,NA,1,1,NA,2,2,2,2,2,2,2,2,2,NA,21815.897449,22383.010849,3,92,5,5,1.26,3,3,0,0,2,1,76,2,1,1,1
+64786,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,113128.964375,115356.428049,1,94,15,15,4.95,4,4,0,0,2,1,72,1,3,1,3
+64787,7,2,1,10,NA,2,2,2,10,129,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,9390.522479,10327.334743,2,90,1,1,0.06,3,3,0,2,0,2,32,2,2,77,NA
+64788,7,2,1,5,NA,4,4,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12996.965152,13155.4937,1,101,6,6,1.72,2,2,1,0,0,2,29,1,4,5,NA
+64789,7,2,1,67,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,7736.56115,7645.782314,1,99,15,15,5,2,2,0,0,2,1,67,1,5,1,5
+64790,7,2,1,2,NA,3,3,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46703.291366,50234.137371,1,93,15,15,5,3,3,1,0,0,1,39,NA,NA,1,NA
+64791,7,2,2,26,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,6,2,2,2,2,NA,NA,NA,NA,NA,NA,NA,31196.446669,31060.57243,2,99,12,3,0.52,5,3,0,1,0,1,30,2,2,4,NA
+64792,7,2,2,40,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,35815.777398,37277.17285,1,91,14,14,3.9,4,4,0,1,0,1,41,1,2,1,4
+64793,7,2,2,14,NA,2,2,2,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23968.380373,25111.880337,2,91,14,14,4.19,3,3,0,1,0,1,55,2,3,1,5
+64794,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,20443.961017,19891.057859,2,99,6,6,1.13,4,4,1,1,0,1,33,1,3,6,NA
+64795,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,9772.038079,10324.658831,1,95,3,3,0.78,3,3,0,0,2,1,80,1,4,1,3
+64796,7,2,1,1,15,5,6,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5492.796032,5818.035599,2,100,4,4,0.5,6,6,2,1,0,1,30,2,4,1,3
+64797,7,2,1,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21055.122405,22540.415493,1,93,15,15,5,3,3,1,0,0,1,33,1,5,1,3
+64798,7,2,2,6,NA,3,3,2,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,62595.719575,66478.781231,1,95,6,6,1.35,3,3,0,1,0,1,42,1,4,1,4
+64799,7,2,1,28,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,38502.344077,41392.592866,1,100,13,13,NA,4,4,1,1,0,1,28,2,1,1,1
+64800,7,2,2,52,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,12449.932013,12483.65832,3,90,10,10,3.67,3,3,0,1,0,2,52,2,3,5,NA
+64801,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,29167.119125,32047.917266,1,101,6,6,1.52,3,3,0,1,1,1,62,1,2,1,3
+64802,7,2,1,42,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,24874.121286,25386.96888,1,102,8,8,4.78,1,1,0,0,0,1,42,1,3,5,NA
+64803,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19440.629552,20463.14283,1,93,6,6,1.16,4,4,2,0,0,2,33,1,5,1,4
+64804,7,2,2,9,NA,3,3,2,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,73810.484644,74865.697805,1,94,10,10,2.67,5,5,0,3,0,1,40,1,5,1,2
+64805,7,2,1,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,19008.083201,19380.210545,2,101,2,2,0.73,1,1,0,0,0,1,38,1,2,5,NA
+64806,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,40157.007559,43267.510233,2,98,8,8,3.4,2,2,0,0,2,1,80,1,4,1,4
+64807,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,66503.043118,67175.236045,2,98,14,14,3.25,5,5,2,1,0,1,37,1,5,1,5
+64808,7,2,1,44,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16651.742047,16721.380189,1,100,15,15,5,4,4,0,1,0,1,44,2,5,1,5
+64809,7,2,2,26,NA,4,4,2,NA,NA,2,NA,2,1,2,NA,4,1,3,1,2,2,1,2,2,NA,NA,NA,NA,20146.149642,19228.641128,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+64810,7,1,1,28,NA,5,6,NA,NA,NA,2,NA,2,2,1,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,11321.172632,0,1,96,3,3,0.54,4,4,0,1,0,1,28,2,5,5,NA
+64811,7,2,2,16,NA,5,6,1,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8663.507259,9422.028242,1,102,9,9,2.39,5,5,0,1,1,1,55,2,5,1,5
+64812,7,2,2,17,NA,4,4,2,17,215,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16317.790515,16843.623891,1,101,6,6,1.43,4,4,0,1,2,2,72,1,2,1,NA
+64813,7,2,2,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19944.119297,19741.288195,2,98,2,2,0.52,1,1,0,0,0,2,55,1,4,3,NA
+64814,7,2,2,1,22,4,4,2,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,7960.486003,2,95,9,9,1.78,6,6,2,0,0,2,48,1,3,1,2
+64815,7,2,2,11,NA,1,1,1,11,137,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15352.601806,16028.326912,2,102,4,4,0.61,5,5,0,3,0,1,34,2,3,1,3
+64816,7,2,1,21,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,21763.209029,22385.504537,2,92,4,1,0,4,1,0,0,0,1,21,1,4,5,NA
+64817,7,2,1,1,20,4,4,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6454.74783,2,100,14,1,0,3,1,1,0,1,1,62,1,5,1,5
+64818,7,2,1,8,NA,5,6,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,7030.880662,7583.419516,3,91,14,14,3.58,4,4,1,1,0,1,39,2,5,1,5
+64819,7,2,2,2,NA,4,4,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,8250.113235,2,100,9,9,3.24,3,3,1,0,0,1,32,1,3,1,4
+64820,7,2,1,7,NA,1,1,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19774.151841,21259.203461,3,92,7,7,1.65,4,4,1,1,0,1,27,1,3,1,3
+64821,7,2,1,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,11281.447612,11722.687225,2,92,8,8,4.59,1,1,0,0,1,1,62,1,3,4,NA
+64822,7,2,1,53,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,29181.414565,30161.390695,1,94,2,2,0.63,2,1,0,0,0,1,53,1,3,6,NA
+64823,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,23799.136983,23147.811167,1,92,15,15,4.44,5,5,0,3,0,2,43,1,5,6,NA
+64824,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,33364.852884,34296.975056,1,97,2,2,0.76,1,1,0,0,1,1,62,1,5,3,NA
+64825,7,2,2,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,150482.742079,150600.121666,2,98,15,15,5,2,2,0,0,1,2,52,1,4,1,4
+64826,7,2,1,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7800.5318,8105.625946,2,96,3,3,1.01,1,1,0,0,1,1,61,1,3,3,NA
+64827,7,2,2,8,NA,4,4,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11334.095519,11753.9565,2,96,4,4,0.65,5,5,0,3,0,1,30,1,4,1,2
+64828,7,2,2,58,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,35505.352567,36934.11174,3,92,5,5,1.39,2,2,0,0,0,1,56,2,1,1,1
+64829,7,2,2,11,NA,2,2,2,11,134,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12985.951695,13541.394178,1,90,15,15,5,4,4,0,2,0,2,43,1,5,1,5
+64830,7,2,1,15,NA,1,1,1,15,181,NA,NA,1,1,NA,9,NA,NA,NA,2,1,1,2,2,1,1,2,2,1,15506.325263,15357.347514,2,103,2,2,0.42,3,3,0,2,0,2,51,2,2,5,NA
+64831,7,2,1,24,NA,5,7,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,10559.047286,11105.574109,2,94,5,5,2.2,2,1,0,0,0,1,23,NA,NA,5,NA
+64832,7,2,1,32,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,3,6,NA,1,2,2,1,2,1,2,2,2,2,40003.013263,41663.413523,1,91,7,7,2.1,3,3,0,1,0,2,29,2,3,6,NA
+64833,7,2,2,37,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,4,1,2,2,2,2,1,2,2,2,2,2,2,42456.72357,44069.75885,1,92,5,5,0.87,4,4,0,2,0,1,42,2,1,1,4
+64834,7,2,1,0,3,2,2,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,5271.338128,5219.242818,2,99,12,6,0.9,7,6,1,3,0,2,20,2,2,5,NA
+64835,7,2,1,39,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,1,2,1,2,2,1,2,2,NA,25120.174741,26325.85923,2,102,3,3,0.76,3,3,0,1,1,2,66,1,2,3,NA
+64836,7,2,2,0,2,2,2,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5803.542897,5681.443153,2,90,5,5,0.94,4,4,2,1,0,2,33,1,3,3,NA
+64837,7,2,2,11,NA,5,6,1,11,143,NA,NA,2,1,3,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5710.045626,5965.417422,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+64838,7,2,2,18,NA,4,4,1,18,218,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,10128.026158,10853.158449,2,103,2,1,0.43,2,1,0,0,0,1,20,1,3,6,NA
+64839,7,2,1,37,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,39017.692919,2,98,14,14,3.25,5,5,2,1,0,1,37,1,5,1,5
+64840,7,2,1,10,NA,4,4,2,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8655.162127,8668.652185,2,95,6,6,0.86,6,6,0,4,0,2,32,1,4,6,NA
+64841,7,2,1,8,NA,1,1,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,12622.023337,12821.760042,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+64842,7,2,1,2,NA,1,1,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13968.423539,13738.28453,2,102,7,7,1.57,4,4,2,0,0,2,34,2,2,1,5
+64843,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,12764.594076,12653.781126,2,90,6,6,0.96,5,5,0,1,0,1,55,1,4,6,NA
+64844,7,2,1,4,NA,4,4,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7431.820906,7890.591472,1,99,6,6,0.96,5,5,1,2,0,2,35,1,4,1,2
+64845,7,2,1,0,3,1,1,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6298.658963,6480.002411,2,94,9,9,2.29,5,5,2,1,0,2,33,2,3,1,1
+64846,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,12977.791943,13288.853946,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+64847,7,2,2,11,NA,4,4,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11784.279565,12220.817194,2,96,8,8,2.46,4,4,0,1,0,1,46,1,4,1,4
+64848,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,9535.353518,9981.414158,2,97,4,4,1.02,2,2,0,0,2,2,80,1,1,2,NA
+64849,7,2,1,0,5,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20370.716701,20998.185689,1,91,14,14,3.06,5,5,2,0,0,2,30,1,5,1,5
+64850,7,2,1,19,NA,3,3,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,99014.954203,98621.869511,1,92,10,10,3.4,3,3,0,0,0,1,56,1,4,1,5
+64851,7,2,2,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,20212.648666,20286.466668,2,95,4,3,1.1,2,1,0,0,0,2,47,1,3,4,NA
+64852,7,2,1,2,NA,4,4,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8009.966208,8832.297541,2,96,7,7,1.79,4,4,2,0,0,2,49,1,3,1,3
+64853,7,2,1,0,11,1,1,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,6999.189812,7438.261811,2,98,6,6,0.59,7,7,2,2,1,2,52,2,1,1,1
+64854,7,2,2,69,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,10561.745159,14124.187136,2,90,6,6,1.73,2,2,0,0,2,2,69,1,2,1,2
+64855,7,1,1,8,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9720.482616,0,2,91,4,4,0.65,5,5,1,3,0,1,43,2,3,5,NA
+64856,7,2,1,34,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,1,5,NA,2,2,2,2,2,2,NA,NA,NA,NA,30626.581617,30395.433124,2,90,6,6,0.96,5,5,1,1,0,1,39,2,2,1,NA
+64857,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,189736.955264,189051.893543,1,98,4,4,1.34,1,1,0,0,0,2,54,1,5,3,NA
+64858,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,36148.01469,38158.744241,1,101,3,3,0.66,2,2,0,0,1,2,65,1,2,3,NA
+64859,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,133853.800452,138128.446231,1,94,8,8,2.43,3,3,0,0,0,2,46,1,3,1,NA
+64860,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,23605.367258,23717.233847,2,97,7,7,1.89,3,3,0,0,0,1,50,1,2,1,2
+64861,7,2,2,26,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,NA,NA,NA,NA,19266.853809,20089.582382,2,102,8,8,1.72,5,5,0,2,1,1,63,2,5,1,5
+64862,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,22911.854766,1,95,5,5,0.92,5,5,1,2,0,2,30,1,4,1,4
+64863,7,1,2,34,NA,3,3,NA,NA,NA,2,NA,2,2,2,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,81658.419251,0,2,99,15,15,5,2,1,0,0,0,2,34,2,5,5,NA
+64864,7,2,1,12,NA,4,4,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,18413.211403,2,101,3,3,0.54,3,3,0,2,0,2,36,1,3,5,NA
+64865,7,2,2,2,NA,4,4,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6677.461889,6849.81851,2,90,5,1,0,3,1,1,1,0,2,48,1,5,5,NA
+64866,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,17794.144581,16918.878285,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+64867,7,2,1,78,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,12856.852517,14031.201295,2,98,5,5,1.24,3,3,0,0,1,2,58,1,2,5,NA
+64868,7,2,1,5,NA,1,1,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17973.290893,3,92,3,3,0.54,4,4,3,0,0,2,22,1,3,5,NA
+64869,7,2,2,11,NA,5,6,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7751.448366,8179.286646,1,96,15,15,4.34,4,4,1,1,0,1,36,2,5,1,5
+64870,7,2,2,80,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,2,NA,1,1,1,1,2,2,1,2,1,NA,18698.205673,19635.336647,1,97,9,9,1.78,6,6,0,1,1,1,45,2,3,1,3
+64871,7,2,2,49,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,141912.982157,152670.471787,1,97,14,14,3.36,4,4,0,2,0,2,49,1,5,1,5
+64872,7,2,2,2,NA,1,1,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12871.484115,13281.030392,2,102,5,5,0.89,4,4,1,2,0,2,36,2,5,3,NA
+64873,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,111065.717962,115110.76456,2,91,15,15,5,4,4,0,2,0,1,53,1,5,1,4
+64874,7,1,1,80,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,8168.05279,0,2,98,3,3,0.56,4,4,0,0,2,2,79,1,1,1,1
+64875,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,99606.074294,100835.770786,1,93,15,15,5,2,2,0,0,0,2,34,1,5,1,5
+64876,7,2,1,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,28680.660607,28606.985896,3,91,6,3,1.33,2,1,0,0,0,1,40,1,3,5,NA
+64877,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19260.892847,19199.459573,2,97,1,1,0.09,2,1,0,0,0,1,46,1,3,5,NA
+64878,7,2,1,12,NA,3,3,2,12,150,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19197.94644,18945.641357,1,98,6,6,1.73,3,3,0,1,0,2,39,1,4,1,1
+64879,7,2,2,8,NA,4,4,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9153.600624,9398.485171,1,100,8,8,1.61,6,6,1,3,0,1,29,1,5,6,NA
+64880,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,153565.050575,157855.235487,1,97,15,15,5,2,2,0,0,1,2,49,1,5,1,3
+64881,7,2,1,33,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15014.015332,15213.152707,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+64882,7,2,1,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,160284.827389,161788.081948,2,102,14,14,5,2,2,0,0,2,2,65,1,5,1,5
+64883,7,2,1,18,NA,2,2,2,18,218,2,NA,2,2,1,10,NA,NA,NA,2,2,2,1,2,2,2,2,2,2,13752.835112,15116.811136,3,90,7,7,1.48,5,5,0,1,0,1,43,2,1,6,NA
+64884,7,2,1,8,NA,4,4,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7908.091112,7920.416775,2,93,8,8,1.67,5,5,1,1,0,2,31,1,4,5,NA
+64885,7,2,1,0,7,4,4,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6275.847063,6684.003207,2,100,10,10,2.75,5,5,1,1,1,1,27,1,3,1,5
+64886,7,2,2,59,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,23476.411085,23902.152524,3,91,4,4,0.81,3,3,0,0,1,1,64,2,1,1,1
+64887,7,2,1,13,NA,3,3,2,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,32477.57544,34497.087834,1,95,7,7,1.66,5,5,0,3,0,1,34,1,2,1,4
+64888,7,2,2,2,NA,4,4,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8072.012312,8280.364646,3,91,8,8,2.24,4,4,2,0,0,1,39,2,3,1,3
+64889,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,20933.43123,22068.787492,2,95,6,6,1.19,4,4,0,1,0,1,44,1,3,1,2
+64890,7,2,1,29,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,15173.157442,14818.726738,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+64891,7,2,2,11,NA,2,2,1,11,138,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,14446.475406,15838.541371,1,103,7,7,1.03,7,7,0,3,0,1,50,2,1,1,1
+64892,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,17171.250195,2,100,5,5,1.08,3,3,0,1,0,2,50,1,4,3,NA
+64893,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,76027.409363,76707.146234,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+64894,7,2,2,6,NA,2,2,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15583.587534,16935.930722,1,93,14,14,3.06,5,5,0,2,0,1,46,2,1,1,4
+64895,7,2,1,67,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7380.991723,2,100,14,14,3.58,4,4,0,1,1,2,55,1,5,1,4
+64896,7,2,2,0,0,4,4,2,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4706.214557,5182.816301,1,96,6,6,1.21,4,4,2,0,0,1,24,1,4,1,3
+64897,7,2,1,42,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,12254.763576,14641.804715,2,90,4,4,0.81,3,3,0,1,0,2,41,2,2,6,NA
+64898,7,2,1,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,17036.36313,16982.025069,1,99,2,2,0.48,2,2,0,0,0,2,44,1,3,1,3
+64899,7,2,2,13,NA,5,6,1,13,157,NA,NA,2,2,2,7,NA,NA,NA,1,1,1,1,2,1,1,2,1,NA,8868.843265,9252.179416,2,92,8,8,2.43,3,3,0,1,1,2,58,NA,5,1,5
+64900,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,42894.724338,43561.362107,1,98,3,3,0.93,2,2,0,0,0,1,21,1,4,5,NA
+64901,7,2,2,18,NA,4,4,1,18,216,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10143.901078,10335.966318,2,95,2,2,0.67,2,2,0,0,1,2,61,1,3,3,NA
+64902,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,21490.337905,2,97,3,2,0.83,2,1,0,0,0,1,30,1,4,5,NA
+64903,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23530.130278,1,95,5,5,1.84,3,1,0,0,0,1,35,1,3,6,NA
+64904,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,34802.051557,36349.694696,1,95,6,4,1.7,2,1,0,0,0,1,53,1,2,6,NA
+64905,7,2,2,1,12,3,3,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,41219.757096,41761.398587,1,93,15,15,5,3,3,1,0,0,1,35,1,5,1,5
+64906,7,2,1,80,NA,5,7,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,1,NA,13312.080419,14392.211707,1,102,10,10,3.22,4,4,0,0,2,2,29,2,5,5,NA
+64907,7,1,1,41,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,126789.52929,0,1,101,15,15,5,4,4,0,2,0,2,40,1,4,1,3
+64908,7,2,2,60,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,13057.178942,13648.591881,1,102,6,6,2.94,1,1,0,0,1,2,60,1,4,3,NA
+64909,7,2,1,74,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,12468.859946,13204.521198,2,96,7,7,1.33,6,6,0,3,1,1,74,1,1,1,NA
+64910,7,2,2,15,NA,3,3,2,15,182,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71837.483011,75155.181458,1,91,14,14,3.06,5,5,0,3,0,2,46,1,5,1,5
+64911,7,2,2,15,NA,5,6,2,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5956.736263,6113.749553,2,100,15,15,5,3,3,0,1,0,1,48,2,5,1,5
+64912,7,2,2,9,NA,4,4,2,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8226.044997,8398.377256,2,95,1,1,0,4,4,2,1,0,2,27,1,4,5,NA
+64913,7,2,1,12,NA,3,3,2,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26824.630008,26493.112081,1,95,1,1,0.17,2,2,0,1,0,2,47,1,2,3,NA
+64914,7,2,1,31,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,3,17165.91562,17929.203991,2,96,15,7,3.67,3,1,0,0,0,1,31,2,5,1,NA
+64915,7,2,1,4,NA,4,4,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8626.000813,9278.769273,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+64916,7,2,1,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15787.238477,16796.740962,2,98,4,3,1.01,2,1,0,0,0,1,46,NA,NA,77,NA
+64917,7,2,1,5,NA,5,6,2,5,67,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8197.191196,8439.736714,1,93,7,7,2.32,3,3,1,0,0,1,36,2,5,1,5
+64918,7,2,1,1,16,3,3,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24594.444896,28818.16319,1,98,5,5,1.05,3,3,1,0,0,1,24,1,3,1,3
+64919,7,2,1,10,NA,5,6,2,10,127,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,9720.482616,10818.978947,2,91,12,12,NA,7,6,0,4,2,2,72,2,1,2,NA
+64920,7,2,2,8,NA,4,4,2,8,103,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8395.64512,8728.346696,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+64921,7,2,2,16,NA,4,4,2,16,202,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,5,5,0.92,5,5,0,3,0,2,54,1,3,2,NA
+64922,7,2,1,9,NA,5,6,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8376.521179,8870.870608,1,92,15,15,5,4,4,0,2,0,1,55,1,5,1,5
+64923,7,2,2,64,NA,4,4,2,NA,NA,2,NA,2,2,5,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9113.905743,12222.082956,3,90,8,8,3.3,2,2,0,0,1,2,64,2,2,1,NA
+64924,7,2,2,10,NA,5,7,1,10,129,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,12942.575479,2,101,7,7,1.88,4,4,0,2,0,2,36,1,4,1,5
+64925,7,2,2,0,4,2,2,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7534.765808,7789.750955,1,98,3,3,0.37,5,5,2,1,0,1,44,2,4,1,3
+64926,7,2,1,14,NA,4,4,2,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13352.786991,13379.186543,2,97,7,7,1.06,7,7,1,2,0,2,40,1,4,5,NA
+64927,7,2,2,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,7498.263904,2,100,3,3,0.39,7,7,3,3,0,2,30,1,2,5,NA
+64928,7,2,1,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,1,2,NA,14073.595908,15970.731967,1,92,6,6,1.3,4,4,0,1,1,1,25,1,1,1,3
+64929,7,2,1,19,NA,4,4,2,19,228,2,NA,1,1,NA,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10791.290138,11351.304534,3,91,2,2,0.25,4,4,0,2,0,2,35,1,3,5,NA
+64930,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,13219.758853,13936.470139,2,97,4,4,1.29,2,2,0,0,2,1,74,1,3,3,NA
+64931,7,2,2,59,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26668.458882,27266.525973,2,102,6,6,2.04,2,2,0,0,1,1,64,1,3,1,4
+64932,7,2,1,6,NA,3,3,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,86609.650237,90490.601456,2,102,14,14,4.93,3,3,0,1,0,1,37,1,5,1,5
+64933,7,2,2,41,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,31301.615973,33816.788039,1,90,15,15,4.77,4,4,1,1,0,2,41,1,5,1,2
+64934,7,2,2,16,NA,5,6,2,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,5607.756021,6010.481547,3,91,6,6,1.81,3,3,0,1,0,2,47,2,3,1,3
+64935,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,73820.224093,75002.443492,2,95,9,9,2.22,5,5,1,0,0,1,55,1,4,1,5
+64936,7,2,2,6,NA,2,2,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17458.526997,17628.076413,1,94,2,2,0.26,4,4,2,1,0,2,25,1,4,5,NA
+64937,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,37456.985636,43452.233213,2,98,6,6,1.7,2,2,0,0,2,2,80,1,2,1,2
+64938,7,2,1,40,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,27938.918808,28342.234566,1,100,7,7,3.4,1,1,0,0,0,1,40,1,5,5,NA
+64939,7,2,1,19,NA,4,4,2,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,1,1,0.04,2,1,0,0,0,1,19,1,4,NA,NA
+64940,7,2,1,13,NA,3,3,2,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,91343.020442,91081.271456,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+64941,7,2,2,2,NA,1,1,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,12710.400836,2,98,2,2,0.27,4,4,2,1,0,2,32,2,2,5,NA
+64942,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,7101.739553,7433.956549,2,100,3,3,1.19,1,1,0,0,1,1,69,1,2,2,NA
+64943,7,2,1,1,20,5,6,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7638.291796,7864.300119,1,93,14,14,4.86,3,3,1,0,0,1,30,2,5,1,5
+64944,7,2,2,18,NA,4,4,2,18,225,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15259.822784,15553.106132,1,90,5,5,0.74,5,5,0,2,0,2,18,1,4,NA,NA
+64945,7,1,1,37,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,105412.227726,0,2,101,8,8,1.72,5,5,0,3,0,1,37,1,3,1,3
+64946,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,5866.209951,5912.09729,2,95,5,5,1.05,3,3,0,0,2,1,60,1,1,1,4
+64947,7,2,1,6,NA,5,6,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7491.978458,7984.984584,2,100,15,15,5,4,4,1,1,0,1,36,2,5,1,5
+64948,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8679.600111,2,95,5,5,1.92,1,1,0,0,1,2,61,1,4,2,NA
+64949,7,2,2,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,110941.813533,112262.474161,1,97,15,15,4.77,4,4,0,0,0,1,56,1,4,1,4
+64950,7,2,2,6,NA,2,2,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11210.83392,12007.401767,2,90,6,6,1.34,4,4,1,2,0,2,36,2,3,77,NA
+64951,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,107912.705683,113084.898879,3,91,4,4,1.02,2,2,0,0,0,1,22,1,5,1,5
+64952,7,2,2,8,NA,4,4,2,8,102,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7120.704736,7311.203604,1,99,8,8,1.76,5,5,0,2,1,1,37,1,4,1,3
+64953,7,2,2,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,30863.871606,31440.435679,1,101,3,3,1.12,1,1,0,0,0,2,44,1,4,1,NA
+64954,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,1,3,NA,1,2,1,1,2,2,NA,NA,NA,NA,10964.859884,11022.841433,3,90,7,7,1.82,4,4,1,0,0,2,54,2,1,3,NA
+64955,7,2,1,3,NA,4,4,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11342.022131,11810.675983,2,102,15,15,3.82,5,5,1,2,0,1,34,1,3,1,4
+64956,7,2,1,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,27572.205373,28421.693812,1,100,15,15,5,3,3,0,0,0,2,33,1,5,1,4
+64957,7,1,2,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11623.462338,0,1,100,3,3,0.73,3,3,1,1,0,2,32,1,3,5,NA
+64958,7,2,2,8,NA,1,1,1,8,107,NA,NA,1,1,NA,3,NA,NA,NA,2,1,1,1,2,2,1,2,2,1,16217.354723,16799.750785,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+64959,7,2,2,6,NA,2,2,2,6,82,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17962.96045,18326.284291,1,97,15,15,4.52,6,6,0,4,0,2,41,1,5,1,5
+64960,7,2,2,6,NA,3,3,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13450.606713,13706.553337,3,91,5,5,1.07,4,4,0,2,0,2,36,1,5,1,4
+64961,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,141773.363283,142016.391545,1,97,15,15,4.77,4,4,0,0,0,1,56,1,4,1,4
+64962,7,2,2,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,39483.840194,39476.565757,2,102,14,14,3.25,5,5,1,1,0,2,32,1,4,1,3
+64963,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,20666.038321,20600.123288,1,96,14,14,5,1,1,0,0,0,1,55,1,5,5,NA
+64964,7,2,1,80,NA,3,3,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,2,1,2,1,NA,35161.248998,42165.766203,3,91,15,15,3.33,6,6,0,2,2,1,80,2,3,1,3
+64965,7,2,1,26,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,71402.235366,73020.331081,2,97,15,15,4.97,5,5,1,0,0,1,48,1,4,1,3
+64966,7,2,1,6,NA,3,3,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57305.501166,60591.443404,1,94,15,15,5,3,3,0,1,0,1,46,1,5,1,5
+64967,7,1,2,58,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,24905.670199,0,2,101,1,1,0.15,3,3,0,2,0,2,58,1,3,5,NA
+64968,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16567.527819,16240.172481,1,96,15,15,5,4,4,0,1,0,1,56,1,4,1,5
+64969,7,2,1,18,NA,3,3,1,18,224,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24849.884345,24917.808193,3,91,5,5,0.87,4,4,0,2,0,2,38,1,2,3,NA
+64970,7,2,1,12,NA,2,2,1,12,149,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15626.107676,15463.700675,2,93,9,9,1.94,6,6,0,3,0,2,37,NA,NA,3,NA
+64971,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,6358.062034,6381.990744,1,99,8,8,3.4,2,2,0,0,1,1,60,1,3,3,NA
+64972,7,2,1,61,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7289.557268,8219.094942,3,90,1,1,0,2,2,0,0,1,1,61,2,3,1,3
+64973,7,2,1,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,35869.019314,36329.101667,3,92,4,4,1.13,2,2,0,0,2,1,64,1,3,1,4
+64974,7,2,2,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,27585.470618,27304.927199,2,102,7,7,2.65,2,2,1,0,0,2,42,1,4,5,NA
+64975,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,23016.024704,24471.525432,1,96,7,7,2.78,2,2,0,0,0,1,48,1,2,6,NA
+64976,7,2,1,69,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7380.991723,2,100,10,10,2.33,6,6,0,2,2,2,35,1,2,5,NA
+64977,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15732.436891,17625.53878,1,97,2,2,0.72,1,1,0,0,1,2,63,1,3,5,NA
+64978,7,2,2,56,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,24548.478709,25991.798892,1,93,5,5,1.43,2,2,0,0,1,1,60,2,5,1,4
+64979,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18822.975485,18307.835382,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+64980,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,33147.414266,37148.276517,2,94,99,99,NA,1,1,0,0,1,2,80,1,4,2,NA
+64981,7,2,1,46,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,1,1,2,2,1,19436.026093,20775.484483,2,97,5,5,0.8,5,5,1,2,0,1,46,2,4,1,2
+64982,7,2,1,16,NA,3,3,2,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,66448.116716,66629.743791,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+64983,7,2,2,76,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,17836.372654,19170.472552,2,96,6,6,1.77,2,2,0,0,2,1,77,1,2,1,2
+64984,7,2,2,17,NA,3,3,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,76360.13568,92040.479005,1,99,NA,NA,NA,4,4,0,1,0,1,50,NA,NA,1,NA
+64985,7,2,1,65,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,7410.50521,7700.344649,2,96,6,6,2.75,1,1,0,0,1,1,65,1,2,2,NA
+64986,7,1,2,28,NA,5,6,NA,NA,NA,2,NA,2,1,4,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,16937.04417,0,1,95,3,3,0.43,4,4,0,1,2,1,65,2,5,1,3
+64987,7,2,1,17,NA,4,4,1,17,210,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18413.211403,2,101,1,1,0.27,3,3,0,2,0,2,36,1,3,5,NA
+64988,7,2,2,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8897.78821,9699.858422,1,96,7,7,1,7,7,2,1,1,2,53,1,4,1,3
+64989,7,2,1,11,NA,2,2,2,11,138,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13217.721247,13515.808466,2,91,8,8,2.97,3,2,0,2,0,2,33,2,4,5,NA
+64990,7,1,1,2,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7390.005875,0,1,91,15,15,5,5,5,2,1,0,1,40,1,5,1,5
+64991,7,2,2,10,NA,5,6,2,10,128,NA,NA,1,1,NA,5,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6198.268014,6618.822195,3,90,15,15,3.23,6,6,0,2,0,1,50,2,2,1,2
+64992,7,2,1,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,15176.622228,16064.120023,1,101,3,3,1.12,1,1,0,0,1,1,76,1,5,2,NA
+64993,7,1,1,57,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,16287.780872,0,2,100,15,14,5,2,1,0,0,0,1,57,1,5,6,NA
+64994,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,106239.028397,111331.003215,2,92,10,5,1.96,2,1,0,0,0,2,27,2,5,1,NA
+64995,7,2,2,68,NA,3,3,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,35700.429895,37686.262589,1,93,2,2,0.41,2,2,0,0,2,2,68,2,1,1,1
+64996,7,2,1,0,6,3,3,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19091.539058,20438.314938,2,95,8,8,2.17,4,4,1,1,0,1,43,1,4,1,5
+64997,7,2,2,15,NA,2,2,2,15,184,NA,NA,1,1,NA,66,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13824.001771,15649.805677,2,90,2,2,0.3,3,3,0,1,0,2,51,2,2,5,NA
+64998,7,2,1,54,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,144858.963765,145378.942103,2,97,9,9,5,1,1,0,0,0,1,54,1,5,5,NA
+64999,7,2,1,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,19434.054198,2,100,5,5,1.63,3,2,0,1,0,2,50,1,2,5,NA
+65000,7,2,1,4,NA,2,2,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12403.412256,12420.172189,2,90,3,3,0.54,4,4,1,2,0,2,33,2,1,4,NA
+65001,7,2,2,13,NA,5,7,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8777.486283,9116.900706,1,91,15,15,5,5,5,0,3,0,1,40,1,5,1,5
+65002,7,2,1,68,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,NA,NA,NA,1,2,2,1,140267.560043,144186.249663,2,91,12,NA,NA,2,1,0,0,2,2,68,1,4,6,NA
+65003,7,2,1,9,NA,3,3,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17738.769196,18719.457495,1,98,4,4,1,3,3,0,1,1,1,65,1,2,1,NA
+65004,7,2,2,25,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,2,2,2,2,2,2,2,NA,NA,NA,NA,42557.597671,44940.417695,1,100,13,13,NA,4,4,1,1,0,1,28,2,1,1,1
+65005,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,73204.401173,96856.987278,2,91,12,12,NA,2,2,0,0,2,2,71,1,2,1,NA
+65006,7,2,2,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,25221.447441,25652.65048,1,100,14,14,3.93,3,3,0,1,0,2,47,1,5,4,NA
+65007,7,2,2,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,18801.993237,20649.846581,2,96,14,14,5,2,2,0,0,0,1,30,2,5,1,5
+65008,7,1,1,80,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11740.600601,0,3,91,13,13,NA,3,3,0,0,2,2,80,1,3,1,1
+65009,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21491.090123,20964.324934,1,97,6,6,1.41,3,3,0,1,0,2,51,1,4,5,NA
+65010,7,2,1,6,NA,4,4,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10469.725162,10967.571132,1,100,15,15,3.87,6,6,1,3,0,2,39,1,4,1,4
+65011,7,2,1,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18289.793332,19321.216647,1,99,6,6,0.96,5,5,1,2,0,2,35,1,4,1,2
+65012,7,2,2,68,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,2,2,NA,1,2,1,1,2,1,1,2,1,3,12312.400687,12851.340698,1,103,2,2,0.45,1,1,0,0,1,2,68,2,2,2,NA
+65013,7,2,2,7,NA,2,2,2,7,87,NA,NA,2,1,1,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9872.244853,10294.506103,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+65014,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,166234.629208,1,95,9,9,4.01,2,2,0,0,1,1,60,1,3,1,3
+65015,7,2,1,19,NA,4,4,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,99,1,0.09,4,1,0,0,0,1,18,2,4,NA,NA
+65016,7,2,1,11,NA,3,3,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22651.436723,23515.701302,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+65017,7,2,1,4,NA,4,4,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10859.969359,11974.89205,1,101,2,2,0.47,3,3,1,0,0,1,35,1,2,6,NA
+65018,7,2,2,14,NA,2,2,2,14,176,NA,NA,2,1,1,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18254.385443,19735.623608,2,91,12,12,NA,5,5,0,1,1,2,43,2,3,6,NA
+65019,7,2,2,9,NA,4,4,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11076.064101,11269.278002,2,102,15,15,4.2,5,5,1,2,0,2,29,NA,NA,1,NA
+65020,7,2,1,62,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,8609.250304,11228.904188,2,90,2,2,0.73,1,1,0,0,1,1,62,2,1,4,NA
+65021,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,96524.78948,102108.384344,1,97,7,7,1.87,4,4,1,1,0,1,35,1,2,1,4
+65022,7,2,2,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,1,2,2,1,2,2,1,13358.458751,14155.588359,2,92,15,15,5,3,1,0,0,0,2,33,NA,NA,5,NA
+65023,7,2,2,13,NA,4,4,2,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,6,6,0.86,6,6,0,4,0,2,32,1,4,6,NA
+65024,7,2,1,9,NA,2,2,1,9,109,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16281.509392,17100.217351,2,91,6,6,0.93,5,5,1,2,0,1,34,1,2,1,3
+65025,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,22249.799905,2,97,5,5,1.08,3,3,0,0,0,1,38,1,4,5,NA
+65026,7,2,2,0,11,4,4,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5058.520291,5113.753371,1,100,7,7,1.65,4,4,2,0,0,2,24,1,4,1,3
+65027,7,2,2,23,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,4,5,2,2,2,2,1,2,2,2,2,2,2,35424.746838,35270.456492,2,93,4,4,0.56,5,5,0,0,0,2,49,2,2,5,NA
+65028,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,15682.233511,17550.107712,1,101,3,3,0.95,2,2,0,0,2,1,80,1,2,1,NA
+65029,7,2,2,6,NA,2,2,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19936.606751,20692.800636,1,94,7,7,1.74,4,4,0,2,0,1,44,1,5,1,5
+65030,7,2,2,5,NA,4,4,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8041.669581,8652.926173,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+65031,7,2,1,16,NA,2,2,1,16,199,NA,NA,2,2,1,8,NA,NA,NA,2,2,2,2,2,2,1,2,2,2,22124.028915,23090.48094,1,100,5,1,0,6,1,1,2,0,2,40,2,1,5,NA
+65032,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,72094.421241,74006.954437,2,95,6,6,1.95,2,2,0,0,2,1,80,1,1,1,3
+65033,7,2,2,7,NA,4,4,1,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9453.111053,10094.338553,1,100,8,8,1.95,4,4,0,2,0,2,42,1,4,1,4
+65034,7,2,2,16,NA,4,4,2,17,204,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12161.822321,12177.990347,2,95,5,5,1.05,3,3,0,1,1,1,63,1,2,1,3
+65035,7,1,1,19,NA,1,1,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,18042.255087,0,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+65036,7,2,2,49,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,14814.740715,14686.129879,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+65037,7,1,1,18,NA,3,3,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,26749.020961,0,1,101,4,4,0.79,3,3,0,0,0,2,47,1,5,3,NA
+65038,7,2,1,13,NA,2,2,1,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21898.969807,22012.999264,2,102,15,12,NA,5,4,0,3,0,1,42,2,4,6,NA
+65039,7,2,2,6,NA,5,6,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8067.514021,8614.897055,1,90,14,14,3.33,5,5,1,2,0,1,41,1,5,1,5
+65040,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18710.568399,18832.614147,2,92,12,12,NA,2,1,0,0,1,2,58,1,3,5,NA
+65041,7,2,2,11,NA,5,6,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8290.163782,8692.019106,1,92,14,14,3.69,4,4,0,2,0,1,47,2,4,4,NA
+65042,7,2,1,14,NA,5,7,2,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15861.375368,15958.829994,1,95,7,7,1.57,4,4,0,2,0,1,39,1,3,1,3
+65043,7,2,2,7,NA,1,1,1,7,92,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15841.451259,16252.614023,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+65044,7,2,2,15,NA,5,6,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10142.281747,10534.471105,3,91,15,15,5,4,4,0,2,0,1,44,2,5,1,5
+65045,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,NA,10479.637868,11291.375185,1,92,2,2,0.87,1,1,0,0,1,1,80,1,4,5,NA
+65046,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,13704.691347,15557.045236,1,90,15,15,5,2,2,0,0,2,1,74,1,3,1,3
+65047,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,140129.484883,1,101,14,14,3.3,4,4,0,2,0,2,42,1,4,1,3
+65048,7,2,1,61,NA,1,1,1,NA,NA,2,NA,2,2,9,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,10596.142548,10802.656005,1,94,7,7,1.52,4,4,0,2,2,1,61,2,1,1,5
+65049,7,2,1,24,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,37911.437415,38428.199561,2,103,7,7,2.64,2,2,0,0,0,2,21,2,3,1,3
+65050,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,39565.288792,43332.356399,1,99,10,10,4.89,2,2,0,0,2,2,63,1,5,5,NA
+65051,7,2,2,80,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,1,2,NA,2,2,2,1,2,2,1,2,2,NA,17318.187297,23904.945555,2,90,3,3,0.92,1,1,0,0,1,2,80,2,1,2,NA
+65052,7,2,1,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,109309.268477,109028.475475,3,91,15,15,5,2,2,0,1,0,1,42,1,5,2,NA
+65053,7,2,2,0,4,1,1,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7565.515117,7406.345541,1,100,6,6,1.57,3,3,1,0,0,1,39,1,3,1,5
+65054,7,2,1,10,NA,3,3,1,10,127,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,32654.748828,36152.216038,1,94,5,5,0.87,4,4,0,1,0,1,40,1,5,1,5
+65055,7,1,1,33,NA,5,6,NA,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,2,1,2,1,NA,NA,NA,NA,15014.015332,0,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+65056,7,2,1,76,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,8992.410435,9337.125921,2,90,9,9,3.02,3,3,0,0,2,2,70,1,4,1,2
+65057,7,2,2,3,NA,5,6,2,3,44,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,3864.413878,4049.242646,1,99,6,6,1.07,6,6,2,1,2,1,44,2,5,4,NA
+65058,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,23338.32018,25560.39495,1,99,77,77,NA,2,2,0,0,2,1,80,1,5,1,4
+65059,7,2,2,0,1,4,4,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4128.726485,4173.807313,2,93,6,6,1.08,4,4,2,0,0,1,25,1,3,6,NA
+65060,7,2,1,0,6,4,4,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6275.847063,6487.671462,2,93,9,9,2.86,4,4,1,1,0,1,30,1,4,6,NA
+65061,7,2,1,38,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19091.246741,19659.303383,1,91,10,10,3.22,4,4,1,1,0,1,38,2,5,1,5
+65062,7,2,1,10,NA,4,4,2,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8836.464036,8942.399437,1,96,15,15,5,5,5,0,3,0,2,47,1,5,1,5
+65063,7,2,1,28,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19137.192683,18862.909907,1,96,14,14,5,2,2,0,0,0,2,47,2,4,5,NA
+65064,7,2,1,7,NA,1,1,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13665.416457,13541.311863,1,94,2,2,0.27,5,5,0,4,0,2,47,2,1,4,NA
+65065,7,2,2,34,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,77299.255327,80009.772488,2,92,10,10,4.89,2,2,0,0,0,2,34,2,5,1,5
+65066,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,33913.235726,1,95,7,7,2.16,3,3,0,0,1,1,45,1,3,1,4
+65067,7,2,2,42,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,118432.300444,124617.656629,2,93,9,9,3.77,2,2,0,0,0,2,42,2,4,1,5
+65068,7,2,1,0,8,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5572.446681,5657.975893,1,99,10,10,3.51,3,3,1,0,0,1,27,1,4,1,4
+65069,7,2,1,62,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,11397.665899,11580.241952,1,101,3,3,0.41,5,5,0,2,1,2,36,2,4,4,NA
+65070,7,2,1,3,NA,2,2,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11186.576454,11318.825779,2,90,3,3,0.46,5,5,3,0,0,2,22,1,2,5,NA
+65071,7,2,2,79,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,55250.133125,58713.117248,1,91,14,14,3.25,4,4,0,0,1,1,50,1,2,1,3
+65072,7,2,2,27,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,48991.867549,51378.468052,1,93,14,14,5,2,2,0,0,0,2,59,2,5,5,NA
+65073,7,2,2,4,NA,3,3,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,52402.97499,54053.880354,1,91,15,15,4.59,4,4,2,0,0,1,35,1,5,1,5
+65074,7,2,1,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,21924.03349,22615.591521,2,98,10,10,4.76,2,2,0,0,0,1,42,1,2,6,NA
+65075,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108335.731552,113413.419502,1,98,15,15,4.34,4,4,0,2,0,1,51,1,5,1,5
+65076,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16859.368198,16397.96736,1,99,8,8,1.99,5,5,1,0,0,1,55,1,5,1,2
+65077,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,5,1,NA,2,2,2,2,2,2,2,2,2,2,9068.437099,9213.701881,2,93,77,77,NA,2,2,0,0,1,2,50,NA,NA,1,5
+65078,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,51218.356583,59416.206008,2,98,2,2,0.77,1,1,0,0,1,2,80,1,1,2,NA
+65079,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,29733.812317,30162.048345,1,101,4,4,0.99,2,2,0,1,0,2,35,1,3,5,NA
+65080,7,2,1,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,7005.52791,7142.750358,2,99,6,6,2.24,1,1,0,0,1,1,74,1,4,2,NA
+65081,7,2,1,8,NA,2,2,1,8,101,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,12577.115885,12876.06354,2,96,6,6,1.25,4,4,1,1,0,1,31,2,3,1,3
+65082,7,2,2,14,NA,1,1,1,14,173,NA,NA,1,1,NA,8,NA,NA,NA,2,1,1,1,2,2,1,2,2,1,20830.737445,21782.111761,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+65083,7,2,2,0,2,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7798.643057,7634.568742,1,102,6,6,1.73,3,3,1,0,0,2,24,2,5,1,5
+65084,7,2,2,26,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18299.168537,17535.171386,2,100,5,5,0.95,4,4,0,0,1,2,53,1,3,5,NA
+65085,7,2,1,51,NA,4,4,1,NA,NA,2,NA,2,2,5,NA,3,1,NA,1,2,1,1,2,1,1,2,1,NA,18061.358948,18950.803173,2,93,4,4,0.69,4,4,0,0,0,1,23,2,3,5,NA
+65086,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,98850.665857,102087.416196,1,103,15,15,5,3,3,0,1,0,1,46,1,5,1,5
+65087,7,2,2,74,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,2,NA,2,2,2,1,2,2,1,2,2,NA,17318.187297,19970.708273,2,90,7,7,1.57,4,4,0,0,1,2,20,1,2,5,NA
+65088,7,2,2,37,NA,3,3,2,NA,NA,2,NA,2,2,1,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,95214.22557,102645.939709,1,97,15,1,0.4,5,1,1,1,0,2,38,NA,NA,1,5
+65089,7,2,2,3,NA,4,4,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9630.497627,10362.522874,1,96,13,13,NA,5,5,1,1,0,1,42,1,3,5,NA
+65090,7,2,2,18,NA,5,7,1,18,218,2,NA,2,2,2,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6391.016092,6494.382638,1,100,99,99,NA,6,6,0,1,0,1,53,2,2,1,3
+65091,7,2,1,33,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23952.480361,1,95,5,5,1.03,4,4,0,2,0,1,33,1,3,1,3
+65092,7,2,1,8,NA,2,2,2,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8613.834494,9046.977066,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+65093,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,6,6,1.67,3,3,0,0,0,2,22,1,4,5,NA
+65094,7,2,1,10,NA,4,4,1,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,14062.200951,2,101,6,6,0.96,5,5,0,4,0,2,36,1,4,4,NA
+65095,7,2,2,41,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,4,1,1,2,2,2,2,2,2,2,2,1,2,33716.655399,34130.121207,1,100,7,7,1.3,5,5,0,3,0,1,43,2,2,1,4
+65096,7,2,2,7,NA,1,1,1,8,96,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15962.145468,16535.37648,2,98,3,3,0.33,7,7,2,3,0,1,40,2,1,1,1
+65097,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,28280.669788,29879.976389,1,99,14,14,5,2,2,0,0,2,2,79,1,3,1,5
+65098,7,2,2,68,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,12230.621635,1,96,7,7,1.39,5,5,0,2,2,1,69,2,2,1,2
+65099,7,2,2,1,18,4,4,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5987.067673,6442.151602,2,93,4,4,0.56,5,5,2,1,0,1,27,1,2,6,NA
+65100,7,2,2,2,NA,5,6,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5520.445386,5614.569811,2,100,15,15,5,4,4,1,1,0,1,41,2,5,1,5
+65101,7,2,1,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,10310.165525,10913.082896,1,93,3,3,0.92,1,1,0,0,1,1,75,1,5,3,NA
+65102,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,17884.885732,18259.455804,2,95,3,3,0.52,3,3,1,0,0,1,37,1,4,1,4
+65103,7,2,1,12,NA,4,4,2,12,149,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10453.50644,10655.928666,1,90,14,14,2.96,5,5,1,2,0,1,31,1,5,1,4
+65104,7,2,2,8,NA,3,3,2,9,108,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,80369.555824,80552.420473,1,97,15,15,3.89,5,5,0,2,0,1,50,1,4,6,NA
+65105,7,2,2,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,24654.107413,23441.410215,1,100,10,10,2.59,5,5,0,1,0,2,40,1,5,1,NA
+65106,7,2,1,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,20880.649884,21300.208451,1,96,14,6,2.69,2,1,0,0,0,2,29,1,5,6,NA
+65107,7,2,1,14,NA,1,1,2,14,174,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,20398.562455,21727.336109,2,94,5,5,0.67,6,6,1,3,0,1,37,2,3,1,4
+65108,7,2,2,8,NA,3,3,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55469.656717,57246.428971,1,98,9,9,2.15,5,5,0,3,0,2,32,1,3,1,4
+65109,7,2,1,3,NA,5,6,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10273.602479,11522.969217,2,98,9,9,3.83,2,2,1,0,0,2,29,2,4,5,NA
+65110,7,2,2,23,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,16929.836231,18593.694637,2,101,4,2,0.55,2,1,0,0,0,2,23,2,4,5,NA
+65111,7,2,1,14,NA,3,3,2,14,177,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18645.590959,18737.183314,2,97,9,9,1.45,7,7,1,2,2,2,45,1,3,5,NA
+65112,7,2,2,60,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,12592.413049,13033.910742,1,93,8,8,4.13,1,1,0,0,1,2,60,2,4,3,NA
+65113,7,2,1,43,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,11558.146957,12085.615817,3,90,6,6,1.3,4,4,0,2,0,2,37,2,4,1,3
+65114,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,27375.405353,30621.081524,3,91,5,5,0.87,4,4,0,2,0,2,38,1,2,3,NA
+65115,7,2,2,19,NA,4,4,1,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,2,1,0.23,4,1,0,0,0,2,19,1,4,NA,NA
+65116,7,2,1,0,10,2,2,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4884.343512,4884.433539,3,90,7,7,2.1,3,3,1,0,0,1,34,2,3,1,2
+65117,7,2,1,16,NA,4,4,2,16,203,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11351.725436,12116.15399,2,95,14,14,4.58,3,3,0,1,1,1,61,1,4,1,5
+65118,7,2,1,8,NA,2,2,2,8,99,NA,NA,2,1,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10872.115681,10826.020253,1,99,77,77,NA,3,3,0,1,0,1,52,1,5,1,5
+65119,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,66503.043118,66707.517935,2,98,8,8,1.8,5,5,2,1,0,1,32,1,4,1,5
+65120,7,2,1,8,NA,2,2,1,8,100,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14570.588291,14577.04302,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+65121,7,2,1,3,NA,2,2,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,15745.774489,15931.923312,2,91,2,2,0.19,5,5,3,0,0,1,24,2,1,1,3
+65122,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114993.808573,120122.111367,1,98,8,8,2.62,3,3,0,0,0,1,50,NA,NA,3,NA
+65123,7,2,2,13,NA,4,4,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19222.393687,19147.000359,1,92,9,7,1.74,7,4,2,1,0,1,45,1,4,2,NA
+65124,7,2,2,28,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,30253.427014,31766.413225,2,90,6,6,1.62,3,3,1,0,0,2,28,1,5,1,4
+65125,7,2,2,40,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,2,3,2,2,2,2,2,2,2,2,2,2,2,25713.328161,27565.019075,2,103,5,5,0.65,6,6,1,0,1,2,61,2,1,2,NA
+65126,7,2,2,63,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10598.2543,1,99,15,15,5,2,2,0,0,2,2,63,2,5,1,5
+65127,7,1,2,17,NA,2,2,NA,NA,NA,2,NA,2,1,3,12,NA,NA,NA,2,2,2,1,2,2,NA,NA,NA,NA,26657.121865,0,1,97,15,15,5,4,4,0,2,0,1,51,1,5,1,NA
+65128,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26503.609729,2,101,1,1,0.09,2,1,0,0,0,1,23,1,5,5,NA
+65129,7,2,2,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,23759.65375,25262.180522,3,92,4,4,1.22,2,2,0,0,0,1,51,1,2,1,3
+65130,7,1,2,38,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,95214.22557,0,1,97,15,15,5,5,5,2,0,1,1,43,1,5,1,5
+65131,7,2,1,24,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39031.957066,40864.300461,1,101,5,5,1.24,3,3,0,0,1,2,61,1,4,1,3
+65132,7,2,2,33,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,6,2,2,2,2,2,2,2,2,2,2,2,38737.690941,37692.46666,1,97,4,4,0.72,5,5,2,1,0,2,33,2,1,6,NA
+65133,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,99275.150567,104459.98751,2,95,3,3,0.93,2,2,0,0,0,1,45,1,4,1,5
+65134,7,2,2,2,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6689.921427,7247.312894,1,96,15,15,4.81,5,5,1,1,0,2,35,1,5,1,5
+65135,7,2,1,55,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16499.662173,16440.055989,3,91,15,15,5,2,2,0,0,0,2,46,1,5,1,5
+65136,7,2,1,7,NA,4,4,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10311.165779,10291.779514,2,98,3,3,0.54,3,3,1,1,0,2,29,1,2,1,NA
+65137,7,2,2,8,NA,3,3,2,8,103,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,48532.852397,48387.04619,1,98,14,14,3.9,4,4,0,3,0,2,31,1,4,1,NA
+65138,7,2,2,0,11,5,7,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4867.693222,4920.842696,2,97,2,2,0.43,4,4,3,0,0,2,25,1,4,5,NA
+65139,7,2,1,61,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,14488.953694,16384.525762,3,92,4,1,0.11,7,1,0,3,1,1,61,1,3,3,NA
+65140,7,2,2,11,NA,5,6,2,11,136,NA,NA,2,2,4,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6198.268014,6649.703491,3,90,14,14,3.47,4,4,1,1,0,2,38,2,5,1,5
+65141,7,2,1,21,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,39084.166385,39616.913732,1,97,4,4,0.65,4,4,0,1,0,2,45,2,2,3,NA
+65142,7,2,1,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,18076.30431,2,95,1,1,0.03,3,3,1,0,0,1,23,1,3,6,NA
+65143,7,2,1,62,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,10555.964373,11135.911352,2,92,6,5,2.2,3,1,0,0,2,1,80,NA,NA,2,NA
+65144,7,2,1,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,87072.438071,86848.766907,1,102,8,8,1.91,5,5,1,2,0,2,38,1,5,1,4
+65145,7,2,2,57,NA,1,1,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,28713.036659,29755.292291,1,97,10,10,3.59,3,3,0,0,0,2,57,1,3,1,NA
+65146,7,2,1,14,NA,2,2,2,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15991.147079,16786.340864,2,90,6,6,1.34,4,4,1,2,0,2,36,2,3,77,NA
+65147,7,1,2,36,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,97803.500399,0,1,95,14,14,3.8,4,4,1,1,0,1,36,1,4,1,5
+65148,7,2,2,12,NA,1,1,1,12,145,NA,NA,2,2,3,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18515.058419,19067.51542,2,96,5,5,0.89,4,4,1,1,0,2,36,2,4,6,NA
+65149,7,2,1,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,19508.889464,19600.270833,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+65150,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,25964.813959,25700.75257,2,101,7,7,2.52,2,2,0,0,0,2,53,1,4,1,2
+65151,7,2,2,26,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,44119.608456,48674.237788,2,98,7,7,2.16,3,3,1,0,0,2,26,1,3,1,3
+65152,7,2,1,13,NA,4,4,2,13,162,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16890.963304,17218.04077,1,91,10,10,2.56,5,5,0,3,0,1,51,2,5,1,4
+65153,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,40859.270352,44024.169267,2,101,14,14,5,1,1,0,0,1,1,80,1,5,5,NA
+65154,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,4,1,0.4,4,1,0,0,0,1,22,1,5,5,NA
+65155,7,2,2,8,NA,5,6,1,8,100,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6273.782555,6554.366499,2,94,15,15,5,5,5,0,2,1,1,47,2,5,1,5
+65156,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,31053.116279,31557.850777,2,97,5,5,1.84,2,1,0,0,0,2,45,1,2,4,NA
+65157,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,51644.110977,57877.507418,1,102,6,6,2.48,1,1,0,0,1,2,80,1,4,3,NA
+65158,7,2,2,4,NA,5,6,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,6683.092466,6676.033575,3,91,13,13,NA,3,3,1,0,0,2,41,2,1,1,3
+65159,7,2,2,0,4,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,11331.751026,1,95,1,1,0.21,4,4,1,0,1,2,75,1,1,2,NA
+65160,7,2,2,17,NA,4,4,2,17,211,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12209.74498,12781.910285,2,90,5,5,1.08,3,3,1,1,0,2,23,1,2,5,NA
+65161,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,18344.917534,19717.054857,2,101,3,3,0.9,2,2,0,0,1,1,57,1,2,5,NA
+65162,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,83819.702285,89179.486894,1,99,9,9,5,1,1,0,0,0,1,32,1,3,5,NA
+65163,7,2,1,70,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,69210.206708,72962.448849,1,98,12,12,NA,2,2,0,0,2,1,70,1,2,1,3
+65164,7,2,1,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,20953.00978,22152.088593,2,97,2,2,0.3,4,4,0,2,0,1,42,1,2,6,NA
+65165,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10561.526228,11375.629073,2,95,7,7,2.31,2,2,0,0,2,2,63,1,3,1,3
+65166,7,2,1,17,NA,4,4,2,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12462.601191,12584.643654,2,97,4,4,0.81,4,4,1,1,0,2,51,1,3,4,NA
+65167,7,2,2,17,NA,4,4,2,17,208,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9608.885901,9632.551122,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+65168,7,2,1,16,NA,2,2,1,17,204,NA,NA,2,2,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15626.107676,15463.700675,2,93,9,9,1.94,6,6,0,3,0,2,37,NA,NA,3,NA
+65169,7,2,2,59,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12649.084278,13261.522577,3,90,1,1,0,2,2,0,0,1,1,61,2,3,1,3
+65170,7,2,1,4,NA,5,6,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7580.437211,8294.186048,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+65171,7,2,2,13,NA,3,3,2,13,157,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,99340.784743,108314.70799,2,91,15,15,5,4,4,0,2,0,1,53,1,5,1,4
+65172,7,2,2,34,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,89807.047643,91549.325071,3,91,7,7,1.74,4,4,0,2,0,1,45,2,2,1,4
+65173,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,NA,NA,NA,1,2,2,1,12969.776823,13038.360257,2,90,3,3,0.65,5,3,1,2,0,1,44,2,5,1,5
+65174,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,85610.546667,92292.669073,2,91,14,14,4.19,3,3,0,1,0,2,31,1,4,1,3
+65175,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,16049.689005,2,100,5,5,1.63,3,2,0,1,0,2,50,1,2,5,NA
+65176,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19130.246369,18737.157388,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+65177,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,120604.496044,126250.391527,2,92,10,10,3.51,3,3,0,0,0,1,24,1,4,5,NA
+65178,7,2,2,0,10,3,3,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7569.605114,7776.819156,2,102,6,6,1.01,5,5,2,0,0,2,18,1,3,NA,NA
+65179,7,2,1,48,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22433.902709,22559.455212,1,100,15,15,5,2,2,0,0,0,1,48,2,5,1,5
+65180,7,2,2,14,NA,4,4,2,14,172,NA,NA,2,2,3,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10694.834447,10900.381844,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+65181,7,1,1,3,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58618.419318,0,2,94,14,14,2.87,5,5,2,1,0,1,37,1,3,1,4
+65182,7,2,1,45,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,2,6,NA,2,2,2,1,2,2,2,2,1,2,34128.967046,33628.177065,2,93,3,3,0.43,4,4,0,0,0,1,45,2,2,6,NA
+65183,7,2,1,62,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,8623.181934,10090.425838,2,103,4,4,1.34,3,1,0,0,1,1,62,2,3,1,NA
+65184,7,2,2,50,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11446.604914,11655.034159,2,92,77,77,NA,4,4,0,0,0,1,27,2,2,5,NA
+65185,7,2,1,6,NA,5,7,2,6,80,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9502.15317,9616.069144,2,100,9,9,2.46,4,4,0,2,0,2,36,2,4,1,3
+65186,7,2,2,0,2,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4418.651245,4685.491283,2,95,7,7,1.41,5,5,2,0,0,2,53,1,3,3,NA
+65187,7,2,1,11,NA,4,4,1,11,141,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9418.975084,9571.535533,2,93,5,5,0.92,4,4,1,1,0,1,27,2,2,5,NA
+65188,7,2,2,59,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14068.752668,14242.311751,1,93,15,15,5,5,5,1,0,1,1,61,2,4,1,4
+65189,7,2,1,63,NA,2,2,1,NA,NA,2,NA,77,NA,NA,NA,3,77,NA,1,2,2,1,2,2,1,2,2,1,9250.428657,10460.65091,2,92,99,99,NA,1,1,0,0,1,1,63,77,3,77,NA
+65190,7,2,2,62,NA,3,3,2,NA,NA,2,NA,2,1,7,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,44636.780791,48652.73082,2,91,6,6,1.78,3,3,0,0,1,2,62,2,3,3,NA
+65191,7,2,2,30,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,13124.243834,13151.042447,1,93,15,6,2.3,6,1,0,0,0,1,34,2,5,5,NA
+65192,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16677.13986,16814.569762,1,97,15,15,5,4,4,0,0,0,1,51,2,5,1,5
+65193,7,2,2,3,NA,4,4,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16749.124902,17181.448234,2,101,4,4,1.16,2,2,1,0,0,2,28,1,4,5,NA
+65194,7,2,1,31,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13936.822202,14121.672299,1,93,15,5,1.84,6,1,0,0,0,1,34,2,5,5,NA
+65195,7,2,1,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13232.135,13189.930654,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+65196,7,2,2,1,22,3,3,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,41956.615141,45173.707461,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+65197,7,2,1,6,NA,5,7,1,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15279.821652,15716.743409,1,102,6,6,1.34,4,4,2,1,0,2,27,1,4,3,NA
+65198,7,2,1,32,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,34624.133414,2,94,7,7,1.34,5,5,2,1,0,1,32,2,1,1,NA
+65199,7,2,2,51,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17852.668137,18282.490034,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+65200,7,2,1,10,NA,5,6,2,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7832.194045,8303.616222,1,96,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+65201,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,56666.803206,58405.284869,1,101,15,15,5,3,3,0,0,2,1,79,1,4,1,4
+65202,7,2,1,45,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,52941.648658,52164.811575,2,102,5,5,1.08,3,3,0,0,0,1,55,2,1,5,NA
+65203,7,2,2,7,NA,3,3,2,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,70999.269152,75403.63644,1,93,15,15,5,4,4,0,2,0,1,51,1,3,1,5
+65204,7,2,1,15,NA,4,4,2,15,188,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12195.546462,12314.973739,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+65205,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,171848.340208,2,91,7,7,1.61,4,4,0,0,3,1,65,1,3,6,NA
+65206,7,2,2,6,NA,5,6,2,6,75,NA,NA,2,1,2,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10029.642884,10710.156898,2,91,14,14,3.69,4,4,1,1,0,1,53,1,4,1,5
+65207,7,2,2,11,NA,2,2,2,11,134,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,15583.587534,16935.930722,1,93,14,14,3.06,5,5,0,2,0,1,46,2,1,1,4
+65208,7,2,2,5,NA,3,3,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,85197.465687,87881.529962,1,92,15,15,5,4,4,2,0,0,2,46,1,5,1,5
+65209,7,2,2,71,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,28297.225791,31371.640749,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+65210,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,19333.302971,19445.46438,1,99,3,3,0.88,2,2,0,1,0,2,48,1,1,3,NA
+65211,7,2,2,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6293.31819,6860.614572,1,96,7,7,1,7,7,2,1,1,2,53,1,4,1,3
+65212,7,2,1,14,NA,5,6,1,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7291.654281,7756.692286,3,91,9,9,3.24,3,3,0,1,1,1,64,2,2,1,5
+65213,7,2,2,64,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15369.196003,16553.883322,1,100,15,15,5,2,2,0,0,2,2,64,1,3,1,3
+65214,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,74517.751389,77393.175383,2,94,10,10,2.91,4,4,0,2,0,2,38,1,4,1,4
+65215,7,2,1,1,14,3,3,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37534.976354,40372.682594,1,99,14,14,4.03,4,4,1,1,0,1,40,2,4,1,5
+65216,7,1,2,1,22,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9955.153132,0,2,94,4,4,0.72,4,4,1,1,0,1,30,2,1,1,3
+65217,7,2,2,22,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,60461.427433,62051.800421,2,92,2,2,0.4,3,3,0,0,0,1,50,2,4,1,4
+65218,7,2,1,74,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,9748.579573,13410.055152,3,90,13,3,0.79,3,2,0,0,2,1,74,2,1,1,NA
+65219,7,2,1,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6936.347746,7414.543244,1,98,10,10,2.59,5,5,2,1,0,1,45,1,5,1,5
+65220,7,2,1,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,1,2,NA,NA,NA,NA,9850.66662,10431.854777,2,98,3,3,1.1,1,1,0,0,1,1,80,1,1,2,NA
+65221,7,2,2,2,NA,3,3,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,45222.58045,46647.274385,1,98,15,15,4.56,4,4,2,0,0,2,33,1,4,1,4
+65222,7,2,2,7,NA,1,1,2,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12958.860039,13685.571339,1,99,15,15,5,3,3,0,1,0,2,34,1,4,1,4
+65223,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,99,99,NA,2,1,0,0,0,1,21,1,4,5,NA
+65224,7,1,1,58,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,16851.334496,0,2,95,3,3,0.95,2,2,0,0,1,2,65,1,2,3,NA
+65225,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16411.593279,16969.580129,2,103,15,15,5,2,2,0,0,0,2,39,2,5,5,NA
+65226,7,2,2,3,NA,3,3,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,71938.505792,79397.866058,3,91,8,8,1.95,4,4,2,0,0,2,30,1,5,1,4
+65227,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,19831.16853,19892.1428,1,103,3,3,0.37,5,5,1,2,0,2,30,1,4,5,NA
+65228,7,2,2,44,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,16237.004863,17542.96783,1,90,15,15,5,5,5,0,2,0,1,47,2,5,1,5
+65229,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,109181.566304,112638.448741,2,91,14,14,3.93,3,3,0,0,2,1,70,NA,NA,1,NA
+65230,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,25128.435397,27949.568291,2,94,5,5,1.3,3,3,0,1,0,1,43,1,3,6,NA
+65231,7,2,1,31,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,34997.800447,36560.756135,2,96,6,6,1.25,4,4,1,1,0,1,31,2,3,1,3
+65232,7,2,2,0,4,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8775.375504,8590.751882,2,102,8,8,2.24,4,4,1,1,0,1,40,1,3,1,3
+65233,7,2,1,30,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,47932.213152,49254.617856,1,92,14,14,3.9,4,4,2,0,0,2,29,1,4,1,4
+65234,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,1,2,1,2,2,NA,NA,NA,NA,26773.686592,29743.160504,2,98,99,99,NA,2,2,0,0,2,2,80,1,3,1,1
+65235,7,2,2,5,NA,2,2,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12541.254112,13845.88109,2,100,14,14,3.36,4,4,1,1,0,1,45,2,5,1,2
+65236,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,12980.451176,13849.150613,1,96,7,7,3.58,1,1,0,0,1,2,73,1,2,3,NA
+65237,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,53574.557692,55073.604958,1,90,4,1,0.27,2,1,0,0,0,2,25,1,5,6,NA
+65238,7,2,1,19,NA,1,1,1,19,228,2,NA,2,2,4,15,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,29234.272259,29869.33924,3,92,4,4,0.46,7,7,1,2,0,2,31,2,2,1,1
+65239,7,2,2,60,NA,4,4,2,NA,NA,2,NA,2,2,8,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,15732.436891,16737.04767,1,97,3,3,0.9,1,1,0,0,1,2,60,2,4,2,NA
+65240,7,2,1,73,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,1,1,2,1,1,2,1,NA,11066.512629,11628.392246,1,99,9,9,4.08,2,2,0,0,2,1,73,2,5,1,5
+65241,7,2,2,42,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,15147.212851,15611.778104,1,96,6,6,1.34,3,3,1,0,0,2,42,2,4,6,NA
+65242,7,2,1,5,NA,1,1,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,17865.135763,18076.339981,3,92,6,6,0.96,5,5,2,1,0,2,26,2,1,1,1
+65243,7,2,2,35,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,49102.007191,48391.207475,3,92,10,10,3.77,3,3,0,1,0,2,52,1,4,6,NA
+65244,7,2,2,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18490.479848,19120.175119,2,100,4,4,0.91,3,3,0,0,0,2,49,1,2,1,2
+65245,7,1,2,2,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9008.172545,0,1,97,15,15,5,3,3,1,0,0,1,28,1,3,6,NA
+65246,7,2,1,3,NA,3,3,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,95119.048777,111454.284969,1,100,6,6,1.78,3,3,1,1,0,2,35,1,5,4,NA
+65247,7,2,2,8,NA,4,4,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10221.991799,10600.655937,1,98,6,6,1.36,3,3,0,2,0,1,35,1,5,3,NA
+65248,7,2,2,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,14,14,5,2,2,0,0,2,1,68,1,4,1,4
+65249,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,53401.089129,55537.639072,2,101,99,2,0.73,3,1,0,0,0,2,22,1,4,5,NA
+65250,7,2,1,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,29413.309667,30038.439043,1,94,3,3,0.9,1,1,0,0,0,1,41,1,3,5,NA
+65251,7,2,2,10,NA,4,4,2,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9565.802332,9920.158544,1,96,14,14,2.58,6,6,2,2,0,1,40,2,4,1,4
+65252,7,2,2,6,NA,4,4,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9089.153301,9279.567325,1,93,1,1,0,2,2,0,1,0,2,38,1,4,3,NA
+65253,7,2,2,3,NA,5,6,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4919.743181,5055.947351,1,97,7,7,1.48,5,5,1,2,0,1,40,2,5,1,4
+65254,7,2,2,2,NA,4,4,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5899.406975,6225.79867,2,103,7,7,1.55,5,5,2,2,0,2,31,1,4,3,NA
+65255,7,2,1,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,24022.668025,24108.898567,1,99,10,10,5,1,1,0,0,0,1,52,1,5,3,NA
+65256,7,2,2,36,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85610.546667,92292.669073,2,91,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+65257,7,2,1,13,NA,3,3,2,13,163,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30100.326038,35344.542616,1,101,6,6,1.52,3,3,0,1,1,1,62,1,2,1,3
+65258,7,2,2,16,NA,1,1,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21818.047789,22469.060223,2,102,7,7,2.16,3,3,0,2,0,2,41,1,5,3,NA
+65259,7,2,2,5,NA,3,3,2,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,23388.579221,24855.504015,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+65260,7,2,2,58,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13354.133365,13424.749254,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+65261,7,2,2,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,30932.175051,34795.188535,2,101,7,7,3.21,1,1,0,0,0,2,41,1,5,5,NA
+65262,7,2,1,35,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,4,5,NA,1,2,2,1,2,1,1,2,2,1,20463.181443,21839.784829,1,93,7,7,2.38,2,2,0,0,0,2,46,2,3,5,NA
+65263,7,2,2,13,NA,2,2,1,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20460.442471,21235.303768,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+65264,7,2,1,40,NA,5,7,2,NA,NA,2,NA,2,2,3,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,26449.318243,30106.409363,1,90,77,77,NA,2,2,0,0,0,1,40,2,2,1,5
+65265,7,2,1,56,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,6,NA,2,2,2,1,2,2,NA,NA,NA,NA,24595.31055,24234.412281,1,97,3,3,0.5,5,5,0,2,0,1,56,2,2,6,NA
+65266,7,2,2,55,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,24870.513993,25871.320138,3,92,7,7,2.45,2,2,0,0,1,2,55,1,1,1,1
+65267,7,2,2,37,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,14553.261149,15099.267285,2,92,15,15,5,3,3,1,0,0,2,37,1,5,1,5
+65268,7,2,2,20,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,2,1,2,2,1,2,2,1,2,2,3,16929.836231,17652.770039,2,101,12,8,4.82,2,1,0,0,0,2,21,NA,NA,5,NA
+65269,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22233.683089,22579.222386,1,102,5,1,0.21,5,4,1,1,0,2,24,1,4,5,NA
+65270,7,2,1,24,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,34629.549705,1,94,5,5,1.47,2,2,0,0,0,1,24,1,4,1,4
+65271,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,36449.806171,39411.375474,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+65272,7,2,2,1,19,4,4,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7618.827213,8513.998744,2,97,2,2,0.34,2,2,1,0,0,2,20,1,3,5,NA
+65273,7,2,1,5,NA,1,1,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14098.200143,14544.470341,1,102,4,4,0.61,5,5,2,2,0,2,27,2,2,5,NA
+65274,7,1,1,25,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,15435.176007,0,2,99,4,4,0.78,4,4,0,2,0,2,45,1,3,5,NA
+65275,7,1,1,80,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,20611.860643,0,1,99,7,7,3.9,1,1,0,0,1,1,80,1,4,2,NA
+65276,7,2,2,11,NA,4,4,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11593.230877,12022.691286,2,96,8,8,1.72,5,5,0,3,0,1,39,1,5,1,4
+65277,7,2,2,2,NA,3,3,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,44626.8774,45213.2896,1,92,14,14,4.59,3,3,1,0,0,1,31,1,4,1,5
+65278,7,2,2,13,NA,1,1,2,13,157,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,18368.872199,20151.001259,2,94,6,6,1.34,4,4,0,2,0,1,37,2,4,1,2
+65279,7,2,2,6,NA,5,7,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19880.837381,19932.405693,1,95,3,3,0.45,4,4,2,1,0,2,26,1,3,4,NA
+65280,7,2,1,62,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,3,3,NA,2,2,2,1,2,2,NA,NA,NA,NA,14488.953694,16384.525762,3,92,1,1,0,6,6,0,3,1,1,62,2,3,3,NA
+65281,7,2,2,8,NA,3,3,2,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28912.545431,29050.529973,1,98,3,3,0.61,4,4,0,2,0,2,32,1,3,6,NA
+65282,7,2,1,2,NA,1,1,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12387.68972,12183.594345,1,94,6,6,1.78,3,3,1,0,0,2,31,2,5,1,1
+65283,7,2,2,31,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,29102.738194,28317.485179,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+65284,7,2,2,6,NA,5,6,2,6,77,NA,NA,2,2,1,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5795.227223,6217.308223,1,91,14,14,4.32,3,3,0,2,0,2,37,2,5,1,NA
+65285,7,2,1,44,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,2,1,2,2,1,2,2,2,34153.424332,35777.45113,1,100,8,8,2.17,4,4,1,1,0,2,40,2,2,1,2
+65286,7,2,1,30,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,1,1,2,2,1,20228.224986,20656.862173,2,102,15,15,3.82,5,5,0,1,2,1,60,2,2,1,1
+65287,7,2,1,1,15,5,7,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26781.430467,29328.277521,1,102,6,6,1.34,4,4,2,1,0,2,27,1,4,3,NA
+65288,7,2,2,41,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,37512.060155,37707.682357,1,92,14,14,5,2,2,0,1,0,2,41,1,5,3,NA
+65289,7,2,2,73,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,17474.843163,17732.021804,1,98,6,6,1.57,3,3,0,0,2,1,66,2,2,1,4
+65290,7,2,2,0,8,4,4,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4439.36229,4707.453058,2,100,5,5,0.88,5,5,2,1,0,2,30,1,4,6,NA
+65291,7,2,1,29,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,35669.2076,37942.468331,2,94,9,9,2.51,4,4,2,0,0,2,34,2,3,1,3
+65292,7,2,1,3,NA,5,6,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7769.861689,8391.242047,1,101,8,8,1.81,5,5,2,0,1,2,37,2,4,1,2
+65293,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,10038.743429,10812.549167,1,96,6,6,1.83,2,2,0,0,1,2,64,1,3,2,NA
+65294,7,2,2,15,NA,4,4,2,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11133.192774,11654.909373,3,91,2,2,0.25,4,4,0,2,0,2,35,1,3,5,NA
+65295,7,2,2,17,NA,1,1,1,17,212,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18674.868029,19048.995585,2,92,8,8,1.42,7,7,0,4,0,2,37,1,1,6,NA
+65296,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,38666.703155,42427.769217,2,94,9,9,3.97,2,2,0,0,2,1,80,1,5,1,5
+65297,7,2,1,72,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,1,1,2,2,NA,12375.169389,14759.280437,2,92,4,4,1.14,2,2,0,0,2,1,72,2,3,1,3
+65298,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140932.152825,151077.472396,1,97,14,14,3.36,4,4,0,2,0,2,49,1,5,1,5
+65299,7,2,1,29,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,94547.245282,99078.839738,2,94,15,10,5,2,1,0,0,0,1,29,1,4,6,NA
+65300,7,2,1,1,16,3,3,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50563.666669,55372.144903,1,95,9,9,2.68,4,4,2,0,0,2,27,1,4,1,4
+65301,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10604.379638,1,99,8,8,4.13,1,1,0,0,1,2,62,1,2,3,NA
+65302,7,2,1,11,NA,3,3,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21767.839187,23123.409471,1,101,5,5,1.28,3,3,0,2,0,2,44,1,5,3,NA
+65303,7,2,2,19,NA,5,6,2,19,239,2,NA,2,2,2,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7588.544207,7881.983727,3,91,4,4,0.69,5,5,0,2,0,1,45,2,4,1,1
+65304,7,2,1,43,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,30596.964094,35273.693641,2,102,14,14,5,1,1,0,0,0,1,43,1,4,3,NA
+65305,7,2,2,16,NA,5,7,2,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6386.337576,6452.948976,1,93,15,15,4.59,4,4,0,2,0,2,45,1,5,1,5
+65306,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,30802.731848,31491.045952,1,100,6,6,1.18,5,5,1,2,0,2,30,1,3,1,4
+65307,7,2,1,3,NA,3,3,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27608.061058,31148.453885,1,94,6,6,1.18,5,5,1,2,0,1,30,1,3,1,3
+65308,7,2,2,54,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,2,2,1,2,25483.560748,25945.701567,1,94,12,3,1.07,4,1,0,0,1,2,37,NA,NA,6,NA
+65309,7,1,1,77,NA,1,1,NA,NA,NA,1,1,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,14200.083364,0,2,98,3,3,1.1,1,1,0,0,1,1,77,1,2,2,NA
+65310,7,2,1,40,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,28721.124083,1,101,6,6,1.21,4,4,0,2,0,2,33,1,2,6,NA
+65311,7,2,2,7,NA,1,1,1,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15510.382876,16516.802792,1,100,8,8,2.17,4,4,1,1,0,2,40,2,2,1,2
+65312,7,2,1,2,NA,5,7,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26781.430467,29328.277521,1,102,6,6,1.34,4,4,2,1,0,2,27,1,4,3,NA
+65313,7,2,1,3,NA,4,4,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6946.177172,7233.19413,2,90,4,4,0.57,5,5,1,2,0,2,33,2,2,77,NA
+65314,7,2,2,16,NA,4,4,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12208.965913,12707.508076,2,100,6,6,0.99,5,5,0,3,0,2,40,1,3,1,3
+65315,7,2,1,7,NA,2,2,2,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12049.155217,12263.670489,2,90,14,14,3.58,4,4,1,1,0,1,37,1,3,1,4
+65316,7,2,1,54,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,26127.59163,27234.881102,1,100,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+65317,7,2,2,26,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,15267.012422,14516.051827,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+65318,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,51433.469947,56330.524019,1,98,5,5,1.97,1,1,0,0,1,2,80,1,4,2,NA
+65319,7,2,1,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11849.199361,13959.374637,1,100,4,4,1.16,2,2,0,0,2,1,73,1,3,1,3
+65320,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,109181.566304,114466.270601,2,91,15,3,0.98,7,1,0,0,1,1,49,NA,NA,5,NA
+65321,7,2,1,7,NA,2,2,1,7,90,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14820.807433,15173.085782,2,102,6,6,1.12,4,4,1,1,0,1,38,2,2,1,3
+65322,7,2,2,23,NA,2,2,2,NA,NA,2,NA,2,1,4,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,30253.427014,31766.413225,2,90,6,6,1.35,3,3,1,0,0,1,31,1,3,1,4
+65323,7,2,1,0,11,2,2,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6266.985765,6267.101277,1,93,15,15,5,3,3,1,0,0,2,32,2,5,1,5
+65324,7,2,2,0,3,1,1,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7011.218293,6988.118839,2,97,8,8,2.01,4,4,2,0,0,2,24,1,4,1,1
+65325,7,2,2,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,72443.10981,74665.593008,2,102,7,7,2.72,2,2,0,0,1,2,73,1,4,2,NA
+65326,7,2,2,44,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,1,1,2,1,2,2,1,2,2,NA,NA,NA,NA,12544.244874,13448.569073,1,102,5,5,0.92,5,5,1,2,0,2,44,2,1,1,2
+65327,7,2,1,38,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,22007.065507,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+65328,7,2,1,63,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,4,5,NA,2,2,2,2,2,2,2,2,2,2,10903.483462,11078.143343,1,93,2,2,0.43,2,2,0,0,2,2,80,2,1,2,NA
+65329,7,2,1,21,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,43287.255521,44006.168052,1,90,6,6,1.57,3,3,0,0,0,1,50,2,2,1,2
+65330,7,2,2,0,9,3,3,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8814.114917,8994.318513,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+65331,7,2,2,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16741.034883,16282.872546,2,95,2,2,0.81,1,1,0,0,0,2,54,1,4,5,NA
+65332,7,2,1,7,NA,1,1,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14880.007592,15211.324369,3,92,2,2,0.47,3,3,1,1,0,2,33,1,4,5,NA
+65333,7,2,2,2,NA,5,6,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,7029.864692,7462.832472,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+65334,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,2,3,NA,2,2,2,2,2,2,2,2,2,2,13676.984152,18290.186018,2,91,2,2,0.75,1,1,0,0,1,2,60,2,2,3,NA
+65335,7,2,1,55,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14288.99518,14503.461604,1,102,9,9,2.39,5,5,0,1,1,1,55,2,5,1,5
+65336,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,124037.944076,128061.498173,1,100,15,15,5,4,4,0,1,0,1,50,1,4,1,4
+65337,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,28478.57859,28745.66908,1,98,3,3,1.25,1,1,0,0,1,1,63,1,4,5,NA
+65338,7,2,2,22,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16239.242782,17454.103497,2,101,99,1,0.22,3,1,0,0,0,2,22,1,4,5,NA
+65339,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,4,6,NA,2,2,2,1,2,2,2,2,2,2,9911.173561,10104.337319,2,92,15,10,5,2,1,0,0,1,2,54,2,5,3,NA
+65340,7,2,2,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,71351.478679,72494.161504,2,97,15,15,4.97,5,5,1,0,0,1,48,1,4,1,3
+65341,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,116464.874823,118336.754883,2,94,14,14,5,3,3,0,0,0,1,42,1,5,1,5
+65342,7,2,2,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6306.491784,7047.470907,2,90,5,5,1.08,3,3,1,1,0,2,23,1,2,5,NA
+65343,7,2,2,4,NA,3,3,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,40290.055403,42817.035801,1,99,15,15,5,5,5,3,0,0,2,34,1,5,1,5
+65344,7,2,1,60,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,9745.303498,10208.81789,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+65345,7,2,2,1,13,4,4,2,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7734.994032,8078.467013,2,95,1,1,0,4,4,2,1,0,2,27,1,4,5,NA
+65346,7,2,2,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18490.479848,18110.536811,2,100,14,14,3.06,5,5,1,0,0,1,50,1,5,1,5
+65347,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,17983.231494,18657.922524,3,91,10,10,3.67,3,3,1,0,0,2,30,2,4,1,4
+65348,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,99120.116925,101722.54619,2,98,15,15,5,3,3,0,1,0,1,56,1,5,1,5
+65349,7,2,1,19,NA,2,2,1,19,231,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,17555.907575,18699.509115,2,93,3,3,0.52,5,5,0,2,0,1,41,2,4,1,4
+65350,7,2,1,6,NA,4,4,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11321.293503,11517.688596,1,98,6,6,1.36,3,3,0,2,0,1,35,1,5,3,NA
+65351,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,21171.267805,24852.610883,1,97,5,5,1.79,1,1,0,0,0,1,36,1,3,3,NA
+65352,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11240.290931,11199.684593,2,92,12,77,NA,7,2,0,0,2,1,53,2,3,1,3
+65353,7,2,2,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,18490.479848,18110.536811,2,100,15,15,4.97,5,5,0,2,1,2,42,1,5,1,5
+65354,7,2,1,13,NA,3,3,2,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,127790.772987,128099.355719,1,97,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+65355,7,2,1,37,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19799.565045,19517.338151,1,90,5,5,0.74,5,5,0,2,0,2,18,1,4,NA,NA
+65356,7,2,1,8,NA,3,3,1,8,103,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24713.905595,26080.214484,1,98,5,5,0.74,5,5,0,3,0,1,35,1,2,6,NA
+65357,7,2,2,7,NA,4,4,1,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8504.389189,8822.229593,2,93,5,5,0.74,5,5,1,2,0,2,28,1,2,6,NA
+65358,7,2,2,45,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,115926.402585,116948.004168,1,91,10,10,3.8,3,3,0,0,0,1,45,NA,NA,1,4
+65359,7,2,1,14,NA,2,2,2,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25622.388537,25620.13505,1,97,15,15,4.52,6,6,0,4,0,2,41,1,5,1,5
+65360,7,2,2,17,NA,3,3,2,17,205,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,111142.989658,114400.666347,1,95,NA,NA,NA,5,5,0,2,0,2,37,1,3,1,NA
+65361,7,2,1,11,NA,4,4,1,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8447.917731,9106.89532,1,102,15,15,5,3,3,0,1,0,1,41,1,5,1,5
+65362,7,2,2,11,NA,2,2,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,15148.721588,15796.67129,2,91,2,2,0.22,4,4,0,3,0,2,45,2,5,4,NA
+65363,7,2,1,4,NA,1,1,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,16797.750213,2,98,14,14,3.91,4,4,1,1,0,1,36,2,3,1,5
+65364,7,2,2,8,NA,1,1,2,8,98,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,9872.244853,10294.506103,2,90,6,6,1.15,5,5,0,2,0,2,47,2,1,1,5
+65365,7,2,2,17,NA,4,4,1,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11078.202838,10933.134393,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+65366,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,1,2,2,2,2,2,2,6449.12882,6755.867756,2,93,8,8,2.97,2,2,0,0,1,1,60,2,3,1,3
+65367,7,2,1,10,NA,2,2,2,10,127,NA,NA,2,2,2,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,16281.509392,17100.217351,2,91,4,4,0.43,7,7,0,1,1,1,41,2,1,4,NA
+65368,7,2,1,23,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27681.749998,29590.732776,2,98,3,3,0.54,3,3,1,0,0,1,23,1,3,1,2
+65369,7,2,1,3,NA,3,3,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,71085.311148,83293.12191,2,94,14,14,3.36,4,4,2,0,0,1,31,1,3,1,5
+65370,7,2,2,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,112992.533921,121615.449738,1,94,6,6,1.57,3,3,0,1,0,2,28,1,4,1,4
+65371,7,2,1,10,NA,4,4,1,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12552.995979,12770.757918,2,96,4,4,0.65,5,5,0,3,0,1,30,1,4,1,2
+65372,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,4,3,1,2,2,1,2,2,1,2,2,1,27367.658704,37250.756368,1,91,6,6,2.04,2,2,1,0,0,2,31,1,5,4,NA
+65373,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,154825.466557,160454.355913,1,91,15,15,5,4,4,0,1,0,1,45,1,5,1,5
+65374,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,32415.779658,36870.322177,2,91,4,4,1.02,2,2,0,0,2,1,80,1,4,1,2
+65375,7,2,2,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,150482.742079,154420.406935,2,98,15,15,5,2,2,0,0,0,2,52,1,3,1,4
+65376,7,1,1,2,24,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,0,2,98,5,5,1.63,2,2,1,0,0,2,31,1,1,3,NA
+65377,7,2,1,19,NA,4,4,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13276.485807,13770.209619,1,96,4,4,1.29,2,2,0,0,0,2,48,1,4,3,NA
+65378,7,2,2,3,NA,5,6,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5022.237557,1,91,15,15,5,4,4,1,1,0,1,43,2,5,1,5
+65379,7,2,2,12,NA,3,3,1,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39616.634313,40360.331753,2,101,3,3,0.6,3,3,0,2,0,1,39,1,4,4,NA
+65380,7,2,2,17,NA,5,6,1,17,205,2,NA,2,2,1,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9884.956101,9995.989819,1,94,99,1,0.32,6,1,0,3,0,2,45,NA,NA,6,NA
+65381,7,2,2,9,NA,4,4,1,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9453.111053,10094.338553,1,100,6,6,1.39,4,4,0,3,0,2,29,1,4,5,NA
+65382,7,1,1,4,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6946.177172,0,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+65383,7,2,1,15,NA,1,1,2,16,193,NA,NA,2,2,2,9,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,20398.562455,20202.582308,2,94,77,77,NA,3,3,0,1,0,2,42,2,2,6,NA
+65384,7,2,2,72,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,20267.042371,20898.557176,2,102,7,7,1.68,5,5,0,0,3,1,70,2,4,1,4
+65385,7,2,2,12,NA,5,6,2,12,149,NA,NA,2,1,99,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11975.458482,12414.350614,1,97,14,14,2.29,7,7,1,2,2,1,40,2,1,1,1
+65386,7,2,1,6,NA,1,1,1,6,83,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,19735.224235,20204.314213,2,102,8,8,2.24,4,4,1,1,0,1,35,2,3,1,1
+65387,7,1,2,34,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,3,3,1,2,2,1,2,2,NA,NA,NA,NA,71034.153987,0,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+65388,7,2,1,33,NA,4,4,2,NA,NA,2,NA,2,1,3,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,23454.081246,24179.640416,1,91,99,99,NA,3,3,1,0,0,1,33,2,5,5,NA
+65389,7,2,1,32,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,13593.59406,16516.502952,2,90,77,77,NA,4,3,1,0,0,2,30,2,2,5,NA
+65390,7,2,2,2,NA,5,6,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6796.893869,7396.552454,2,93,15,15,5,3,3,1,0,0,1,41,2,5,1,5
+65391,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,11389.795225,13662.741278,2,92,8,8,1.91,5,5,0,2,1,2,47,2,1,1,3
+65392,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,17635.020067,18381.689068,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+65393,7,2,1,78,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,15844.527135,16445.651972,1,101,4,4,1.22,2,2,0,0,2,2,77,1,4,1,3
+65394,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,28175.708676,28476.609384,1,91,4,4,1.7,1,1,0,0,1,2,71,1,4,2,NA
+65395,7,2,1,77,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,14537.797299,15440.503889,3,91,2,2,0.83,1,1,0,0,1,1,77,1,5,5,NA
+65396,7,2,1,54,NA,5,6,1,NA,NA,2,NA,2,7,4,NA,5,3,NA,1,2,1,1,2,1,1,2,1,NA,12983.367248,13800.313434,2,101,77,77,NA,4,1,0,0,0,1,39,NA,NA,5,NA
+65397,7,1,1,65,NA,5,6,NA,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12579.986433,0,1,95,3,3,0.43,4,4,0,1,2,1,65,2,5,1,3
+65398,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,9,NA,4,2,NA,1,2,2,1,2,2,1,1,2,NA,18693.365067,19341.691824,1,92,12,12,NA,1,1,0,0,1,2,80,2,4,2,NA
+65399,7,2,1,59,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18753.573091,18839.996658,2,99,15,15,4.34,4,4,0,0,0,1,59,2,4,1,5
+65400,7,2,1,16,NA,1,1,1,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22768.423624,22886.980387,3,92,7,7,1.41,5,5,1,2,0,1,40,1,3,1,4
+65401,7,2,1,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,31291.360507,35666.138476,2,91,4,4,1.4,1,1,0,0,0,1,55,1,4,5,NA
+65402,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,99283.360764,105284.943086,1,94,15,15,5,4,3,0,0,1,1,33,1,2,5,NA
+65403,7,2,1,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,31291.360507,35666.138476,2,91,3,3,1.16,1,1,0,0,0,1,52,1,1,4,NA
+65404,7,2,2,27,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,5,5,2,1,2,2,1,2,2,1,2,2,3,16929.836231,18593.694637,2,101,8,6,2.85,2,1,0,0,0,2,27,2,5,5,NA
+65405,7,2,1,17,NA,1,1,1,17,211,2,NA,1,1,NA,12,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,18635.323223,19040.145288,1,103,6,6,1.57,3,3,0,1,0,2,50,2,3,4,NA
+65406,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,3,1,0.22,4,1,0,0,0,1,20,1,4,5,NA
+65407,7,2,1,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18790.641284,22550.069226,2,100,6,6,0.99,5,5,0,3,0,2,40,1,3,1,3
+65408,7,2,2,19,NA,2,2,2,19,233,2,NA,2,2,4,10,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,12680.621719,14355.413798,2,90,3,3,0.46,5,5,0,2,2,1,75,2,1,1,2
+65409,7,2,1,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7701.757497,8492.447039,2,90,2,2,0.38,4,4,1,2,0,2,32,1,4,5,NA
+65410,7,2,2,71,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,2,NA,1,2,1,1,2,2,1,2,1,NA,13838.805939,14318.765975,1,103,15,15,3.7,5,5,0,2,1,1,55,1,5,1,5
+65411,7,2,2,16,NA,5,6,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8391.252153,8615.174176,1,92,8,8,2.3,4,4,0,1,0,2,41,NA,NA,1,3
+65412,7,2,1,41,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18898.73153,19305.900504,1,100,8,8,2.62,3,3,0,1,0,1,41,2,5,1,5
+65413,7,2,2,1,17,2,2,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8214.128831,8731.974448,1,99,8,8,1.91,5,5,2,0,1,2,38,2,4,1,4
+65414,7,2,2,6,NA,5,6,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8290.163782,8692.019106,1,92,15,15,5,4,4,0,2,0,1,55,1,5,1,5
+65415,7,2,2,1,22,3,3,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14349.194039,14956.025029,1,103,6,6,1.11,5,5,1,1,1,1,29,1,3,1,3
+65416,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18088.213601,18580.673153,1,98,12,5,2.15,2,1,0,0,0,1,23,2,5,5,NA
+65417,7,2,2,75,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,NA,29145.675285,31446.34406,3,92,10,10,2.82,4,4,0,1,1,1,36,1,3,1,5
+65418,7,2,2,7,NA,4,4,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7282.523598,7776.514874,2,99,6,6,1.11,5,5,0,4,0,2,34,1,4,5,NA
+65419,7,2,1,19,NA,3,3,1,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,33505.877646,33253.482687,2,101,5,3,1.1,2,1,0,0,0,1,19,1,4,NA,NA
+65420,7,2,2,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,22306.465066,21209.244743,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+65421,7,2,2,70,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,27103.875166,29389.100868,1,95,4,4,0.65,4,4,0,0,1,2,70,1,1,2,NA
+65422,7,2,1,7,NA,4,4,1,7,94,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9535.948,10279.797103,2,93,4,4,0.56,5,5,2,1,0,1,27,1,2,6,NA
+65423,7,2,1,50,NA,1,1,2,NA,NA,2,NA,2,2,7,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,21506.056514,21429.79108,2,95,6,6,2.24,1,1,0,0,0,1,50,2,1,4,NA
+65424,7,2,1,2,NA,5,6,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8821.037035,9893.758146,1,102,15,15,4.59,4,4,1,1,0,1,35,1,5,1,5
+65425,7,2,2,2,NA,5,7,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21940.920626,22868.807624,1,95,6,6,1.15,5,5,2,1,0,1,29,1,4,6,NA
+65426,7,2,2,4,NA,3,3,2,4,58,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,40064.649797,41758.993816,1,93,10,10,2.48,5,5,2,1,0,1,40,2,5,1,5
+65427,7,2,2,64,NA,3,3,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,36910.075958,37362.049791,2,97,2,2,0.38,4,4,0,2,2,2,64,2,1,1,NA
+65428,7,2,2,8,NA,5,6,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9007.62445,9504.796896,2,102,15,15,3.92,5,5,1,2,0,1,34,2,5,1,5
+65429,7,2,1,17,NA,2,2,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16033.31661,16386.200415,2,90,5,5,0.8,5,5,0,3,0,2,40,2,1,5,NA
+65430,7,2,2,34,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,1,2,2,2,2,2,2,2,2,2,2,2,35353.005268,36099.35979,2,94,9,9,2.51,4,4,2,0,0,2,34,2,3,1,3
+65431,7,2,1,73,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,NA,8497.912951,8664.367847,2,100,4,4,1.47,1,1,0,0,1,1,73,1,4,4,NA
+65432,7,1,2,70,NA,4,4,NA,NA,NA,2,NA,2,2,6,NA,4,2,NA,1,2,1,1,2,1,NA,NA,NA,NA,12344.929687,0,1,93,2,2,0.78,1,1,0,0,1,2,70,2,4,2,NA
+65433,7,2,2,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,34073.955911,34748.968506,2,92,14,14,4.03,4,4,1,1,1,2,30,1,5,4,NA
+65434,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,3,15494.204758,16562.601332,2,95,15,15,5,3,3,0,1,0,2,34,2,5,1,NA
+65435,7,2,2,4,NA,4,4,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8340.858072,8802.325948,2,103,7,7,1.55,5,5,2,2,0,2,31,1,4,3,NA
+65436,7,2,1,28,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15196.92397,16091.373745,2,101,7,3,1.1,3,1,0,0,0,1,21,2,4,5,NA
+65437,7,1,1,73,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,14077.240235,0,1,97,5,5,1.84,1,1,0,0,1,1,73,1,4,2,NA
+65438,7,2,2,3,NA,4,4,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8833.042831,9629.276723,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+65439,7,2,2,15,NA,2,2,2,15,180,NA,NA,2,1,3,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16189.692833,16766.382859,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+65440,7,2,1,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7380.991723,2,100,8,8,2.67,3,3,0,0,1,1,61,1,3,1,4
+65441,7,2,2,10,NA,3,3,1,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22308.590534,22137.463018,1,95,7,2,0.35,5,4,1,2,0,1,26,1,4,6,NA
+65442,7,2,1,2,NA,4,4,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5942.817425,6188.375425,2,97,13,13,NA,6,6,2,2,0,2,24,1,2,6,NA
+65443,7,2,2,37,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,1,2,1,2,1,1,2,1,1,2,1,3,17978.142628,18308.053591,1,91,14,14,4.32,3,3,0,2,0,2,37,2,5,1,NA
+65444,7,2,1,4,NA,1,1,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12870.245769,13452.024092,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+65445,7,2,1,1,22,2,2,1,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8742.6471,9019.39043,2,100,99,99,NA,6,6,1,1,2,1,37,2,3,1,3
+65446,7,2,1,65,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,8168.47072,10568.054811,2,90,6,6,1.73,2,2,0,0,2,2,69,1,2,1,2
+65447,7,2,1,44,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18841.134943,20530.600583,2,95,14,14,5,2,2,0,0,0,1,44,1,3,1,4
+65448,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10764.448363,1,99,13,13,NA,3,3,0,0,2,1,67,1,2,1,2
+65449,7,2,2,2,NA,4,4,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7630.869112,8210.900286,2,95,6,6,0.97,6,6,2,2,0,1,37,1,3,1,4
+65450,7,2,2,49,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,34954.173075,37266.073044,2,98,6,6,1.21,4,4,1,0,0,2,49,2,2,6,NA
+65451,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,87322.7576,94138.522454,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+65452,7,2,2,16,NA,4,4,2,16,203,NA,NA,2,2,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10694.834447,10900.381844,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+65453,7,2,2,67,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,12823.794396,13219.948623,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+65454,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,11329.574648,11407.369464,1,99,10,10,4.76,2,2,1,0,0,2,36,2,5,3,NA
+65455,7,2,2,14,NA,3,3,2,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,101168.631125,108085.531312,1,99,6,6,1.52,4,4,0,2,0,2,43,1,3,5,NA
+65456,7,2,2,12,NA,1,1,2,13,156,NA,NA,2,2,3,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,16594.391299,17940.930507,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+65457,7,2,1,25,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13367.406737,13987.969236,1,92,15,15,4.44,5,5,0,0,1,1,65,NA,NA,1,5
+65458,7,2,1,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,152458.779794,153888.636628,2,94,15,15,5,2,2,0,0,2,1,63,1,5,1,5
+65459,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,7537.914984,2,95,1,1,0.26,2,2,1,0,0,2,20,1,2,77,NA
+65460,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,2,2,NA,2,2,2,1,2,2,1,2,2,1,7608.893707,8232.851326,2,100,5,5,2.11,1,1,0,0,1,2,64,2,2,2,NA
+65461,7,2,1,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,23775.734331,24432.76962,2,96,5,5,1.08,3,3,0,0,0,1,50,1,3,1,4
+65462,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,149120.841984,149985.960772,1,98,9,9,5,1,1,0,0,0,2,49,1,5,3,NA
+65463,7,2,2,6,NA,4,4,2,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7814.742747,8587.431439,2,95,7,7,1.55,5,5,0,3,0,1,30,1,4,1,4
+65464,7,2,2,29,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,18601.70604,17686.717051,1,90,14,14,2.96,5,5,1,2,0,1,31,1,5,1,4
+65465,7,2,2,7,NA,5,6,1,7,89,NA,NA,2,1,3,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11141.059365,11755.98595,1,98,10,10,1.89,7,7,3,2,0,1,50,1,5,1,5
+65466,7,2,1,7,NA,4,4,1,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12221.817539,12310.445459,2,100,10,10,2.75,5,5,1,1,1,1,27,1,3,1,5
+65467,7,2,1,0,6,5,6,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9148.090461,9086.623516,1,92,6,6,1.47,3,3,1,0,0,2,32,2,3,1,3
+65468,7,2,1,7,NA,4,4,2,7,85,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8655.162127,8808.105516,2,95,4,4,0.65,4,4,1,2,0,2,27,1,3,5,NA
+65469,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,180467.973037,1,95,77,77,NA,3,3,0,0,2,1,80,NA,NA,1,NA
+65470,7,2,1,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14321.363328,13945.949794,2,96,77,77,NA,7,7,3,2,0,2,33,2,2,6,NA
+65471,7,1,2,80,NA,5,6,NA,NA,NA,2,NA,2,2,7,NA,5,2,NA,1,1,1,1,2,1,NA,NA,NA,NA,10831.995402,0,3,90,4,4,0.92,3,3,0,0,1,2,56,2,2,1,2
+65472,7,2,1,3,NA,2,2,1,3,38,NA,NA,2,2,2,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13504.027725,14468.59111,2,93,7,7,1.52,4,4,1,1,0,1,44,2,4,1,NA
+65473,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,9015.10987,2,95,2,2,0.81,1,1,0,0,1,2,60,1,2,2,NA
+65474,7,2,2,63,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10644.199654,11088.440242,2,98,7,7,2.72,2,2,0,0,2,1,63,1,4,1,4
+65475,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,15520.204559,18173.553405,1,96,15,15,5,6,6,1,1,1,2,44,1,3,1,3
+65476,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,38151.592121,38761.146216,1,101,1,1,0.21,3,3,0,2,0,2,32,1,4,5,NA
+65477,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,3,3,NA,1,2,2,1,2,2,1,2,2,2,26609.95229,27262.621072,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+65478,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,9680.216878,10112.428208,1,96,10,10,5,1,1,0,0,1,2,61,1,4,2,NA
+65479,7,2,1,51,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21283.272729,21364.140181,1,100,15,15,3.7,5,5,0,3,0,1,51,1,5,1,5
+65480,7,2,1,10,NA,4,4,2,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8988.052978,9133.633722,2,95,8,8,1.85,5,5,1,2,0,1,55,1,2,1,3
+65481,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,12782.405209,13767.697696,1,100,2,2,0.54,1,1,0,0,1,2,62,1,3,2,NA
+65482,7,1,1,78,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,81678.388584,0,1,92,9,9,3.97,2,2,0,0,2,2,67,1,3,1,5
+65483,7,1,2,52,NA,3,3,NA,NA,NA,2,NA,2,1,8,NA,5,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,119276.206757,0,1,103,15,15,5,2,2,0,1,0,2,52,2,5,3,NA
+65484,7,2,1,1,14,5,7,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6328.720733,6765.026101,1,91,15,15,4.01,5,5,1,2,0,2,34,1,5,1,5
+65485,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,30407.489838,32596.441724,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+65486,7,2,2,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,10346.035773,10598.2543,1,99,7,6,1.84,3,2,0,0,2,1,70,1,2,1,4
+65487,7,2,2,1,18,5,6,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8165.183174,1,97,14,14,4.45,3,3,1,0,0,2,35,2,5,1,5
+65488,7,2,1,38,NA,3,3,2,NA,NA,2,NA,2,1,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15425.274863,16733.462521,1,90,7,7,2.1,3,3,1,0,0,2,40,2,5,1,4
+65489,7,2,1,18,NA,4,4,2,18,216,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10558.572325,11042.564542,2,99,4,4,0.41,7,7,0,2,0,2,36,1,3,5,NA
+65490,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,1,1,2,2,1,2,2,NA,NA,NA,NA,22225.098465,28674.927734,2,97,1,1,0.27,2,2,1,0,0,2,20,1,2,5,NA
+65491,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,24654.107413,23891.769846,1,100,5,5,0.85,5,5,0,2,0,2,54,1,2,2,NA
+65492,7,2,2,65,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,11342.714991,11512.583626,1,99,6,6,1.07,6,6,2,1,2,1,44,2,5,4,NA
+65493,7,2,1,9,NA,5,7,2,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9720.482616,10484.39038,2,91,15,15,3.7,5,5,1,2,0,1,50,NA,NA,1,5
+65494,7,2,1,3,NA,3,3,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,88790.489317,95503.197037,2,91,15,15,5,3,3,1,0,0,1,40,1,4,6,NA
+65495,7,2,2,5,NA,1,1,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11859.546176,12772.78418,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+65496,7,2,1,5,NA,1,1,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16613.593777,17139.487274,1,92,14,14,3.15,5,5,1,2,0,1,34,1,4,1,4
+65497,7,2,1,42,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,116464.874823,129540.216925,2,94,3,3,0.54,4,4,0,1,0,2,48,1,3,1,3
+65498,7,2,2,39,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,4,2,1,2,2,1,2,2,1,2,2,1,16369.013285,16419.342576,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+65499,7,2,1,19,NA,3,3,2,19,231,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19277.921327,19518.221274,2,97,7,7,1.89,3,3,0,0,0,1,50,1,2,1,2
+65500,7,2,1,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,17787.524589,17931.023329,2,100,8,8,4.82,1,1,0,0,0,1,46,1,3,3,NA
+65501,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,53634.754806,54437.113731,1,98,5,1,0,3,1,0,0,0,1,32,1,5,5,NA
+65502,7,2,1,1,16,4,4,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9438.902193,9727.203655,2,102,4,4,0.72,4,4,2,0,0,1,48,1,3,1,3
+65503,7,2,2,44,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,1,2,2,2,2,2,2,2,2,2,2,2,33767.584626,34595.8104,2,102,6,4,1.02,6,2,0,4,0,2,43,2,1,5,NA
+65504,7,2,1,7,NA,1,1,1,7,86,NA,NA,2,2,2,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13870.762641,14200.45921,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+65505,7,2,1,55,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17839.845235,18404.710221,3,92,15,15,5,3,3,0,1,0,1,55,2,5,1,4
+65506,7,2,1,50,NA,1,1,1,NA,NA,2,NA,99,NA,NA,NA,2,5,NA,2,2,2,1,2,2,1,2,2,2,30839.213846,30386.695922,1,95,4,4,0.68,5,5,0,1,0,2,38,2,3,4,NA
+65507,7,2,2,13,NA,2,2,2,13,158,NA,NA,2,1,3,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15442.648697,16179.397194,3,90,4,4,0.63,5,5,0,3,0,1,45,2,4,1,4
+65508,7,2,1,31,NA,2,2,2,NA,NA,1,1,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,32770.630289,33645.258285,2,95,14,14,4.45,3,3,1,0,0,2,29,1,5,1,5
+65509,7,2,2,10,NA,4,4,2,10,130,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9235.947079,9749.775473,1,96,7,7,1.39,5,5,0,2,2,1,69,2,2,1,2
+65510,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,44238.530111,44780.242841,1,95,3,3,0.87,2,2,0,0,2,2,65,1,2,1,3
+65511,7,2,1,7,NA,1,1,1,7,86,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14820.807433,14905.891142,2,102,7,7,1.53,5,5,0,3,0,1,43,2,2,1,4
+65512,7,2,2,39,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,3,1,1,2,2,2,2,2,2,2,2,2,2,35353.005268,38359.582487,2,94,4,4,0.81,3,3,0,1,0,1,49,2,3,1,3
+65513,7,2,1,32,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,47932.213152,49921.729758,1,92,10,10,3.04,4,4,1,1,0,1,32,1,3,1,2
+65514,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,43425.032766,48500.713195,1,96,15,15,5,2,2,0,0,2,2,80,1,5,1,5
+65515,7,2,2,14,NA,4,4,2,14,173,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17185.945299,17434.901758,2,91,2,2,0.26,4,4,0,1,0,1,20,1,3,5,NA
+65516,7,2,1,0,9,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,7527.69611,7949.840792,1,92,99,99,NA,5,5,1,0,0,1,46,2,3,1,3
+65517,7,2,2,25,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,4,1,2,1,2,2,1,2,2,2,2,2,2,39426.061521,41875.604468,2,94,8,8,2.7,3,3,1,0,0,1,27,1,3,1,4
+65518,7,2,1,45,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16052.801806,16001.600848,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+65519,7,2,1,13,NA,5,6,2,13,165,NA,NA,2,2,1,6,NA,NA,NA,1,1,1,1,2,1,1,2,1,1,10346.302718,11892.421636,2,91,99,99,NA,7,4,0,4,0,1,36,2,9,1,2
+65520,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,44274.069981,46208.106563,2,101,7,7,2.58,2,2,0,0,0,2,36,1,5,1,3
+65521,7,2,1,17,NA,3,3,1,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26457.098276,26381.28385,2,98,3,3,0.38,5,5,0,4,0,2,39,1,4,5,NA
+65522,7,2,2,71,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,1,2,NA,11550.700389,12323.715655,2,93,2,2,0.54,1,1,0,0,1,2,71,1,2,2,NA
+65523,7,2,2,11,NA,4,4,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8362.256577,9003.967662,2,100,8,8,1.8,5,5,0,3,0,2,43,1,3,1,3
+65524,7,2,1,63,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,1,1,2,1,2,2,1,2,10596.142548,10856.489537,1,94,7,7,1.48,5,5,0,0,1,2,52,2,1,1,1
+65525,7,2,2,69,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,11224.764345,11466.33634,1,101,5,5,1.84,1,1,0,0,1,2,69,1,5,2,NA
+65526,7,2,1,4,NA,4,4,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12032.669734,13267.985975,2,96,6,6,1.48,4,4,1,1,0,2,25,1,4,5,NA
+65527,7,2,1,11,NA,4,4,2,11,142,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7730.47951,9212.541007,1,99,7,7,1.53,5,5,0,3,0,1,39,1,3,1,3
+65528,7,2,1,0,0,4,4,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,5360.999096,5929.781839,2,90,8,6,1.46,4,3,1,1,0,2,21,1,5,6,NA
+65529,7,2,2,1,18,5,7,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22159.470641,22857.583467,1,95,3,3,0.45,4,4,2,1,0,2,26,1,3,4,NA
+65530,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,136880.768184,145646.064425,1,94,5,5,1.04,4,4,1,1,0,1,18,1,2,NA,NA
+65531,7,2,1,11,NA,1,1,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11881.117946,11763.87702,1,102,15,15,4.47,4,4,0,2,0,2,30,1,4,1,4
+65532,7,2,1,18,NA,4,4,2,18,224,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11107.552941,11616.709768,2,99,4,4,1,3,3,0,1,0,2,38,1,3,5,NA
+65533,7,2,1,4,NA,4,4,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11302.271106,11769.28244,3,92,6,6,0.93,5,5,2,1,0,2,37,1,5,1,3
+65534,7,2,2,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,27381.645976,28428.806364,2,95,15,1,0.18,5,1,0,0,0,1,47,1,5,1,3
+65535,7,2,2,0,10,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8383.207272,8612.693254,1,91,6,6,1.03,5,5,3,0,0,2,37,1,5,6,NA
+65536,7,2,2,61,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,15876.871857,17178.834476,2,102,4,4,0.67,4,4,0,0,2,2,20,1,1,NA,NA
+65537,7,2,1,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,31707.924183,33437.457992,1,97,3,3,0.73,3,3,0,0,0,2,50,1,4,1,3
+65538,7,2,2,9,NA,3,3,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,47428.012402,47285.525443,2,98,10,10,4.42,2,2,0,1,0,2,41,1,4,3,NA
+65539,7,2,1,27,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13367.406737,13987.969236,1,92,15,15,4.44,5,5,0,0,1,1,65,NA,NA,1,5
+65540,7,2,1,9,NA,3,3,1,9,115,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74331.764009,78594.005469,2,91,9,9,2.6,4,4,0,2,0,1,53,1,2,1,5
+65541,7,2,2,9,NA,4,4,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,12444.673315,2,97,7,7,1.72,5,5,1,2,0,1,32,1,4,1,4
+65542,7,2,1,2,NA,3,3,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37959.146468,40828.920669,1,94,15,15,5,3,3,1,0,0,1,35,1,5,1,5
+65543,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,108373.053289,112114.199141,3,92,15,15,5,3,3,0,0,0,1,56,NA,NA,1,4
+65544,7,2,2,19,NA,4,4,2,19,234,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19113.842115,19208.656277,1,97,1,1,0.09,4,4,0,1,0,2,44,2,2,1,3
+65545,7,2,1,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,116462.885745,124577.022727,1,93,15,15,5,2,2,0,0,0,1,28,1,5,6,NA
+65546,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,25052.373156,24265.266353,1,92,6,6,1.31,3,3,0,0,1,2,80,1,3,4,NA
+65547,7,2,2,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,24832.705563,25238.431199,2,100,2,2,0.73,1,1,0,0,1,2,63,1,4,2,NA
+65548,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,99120.116925,103753.216485,2,98,14,14,4.16,3,3,0,0,0,1,49,1,5,1,4
+65549,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,12291.154515,13189.875012,1,92,5,5,1.84,1,1,0,0,1,1,80,1,3,2,NA
+65550,7,2,1,31,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,34997.800447,36838.864542,2,96,14,14,3.36,4,4,1,1,0,2,28,1,2,6,NA
+65551,7,2,2,8,NA,3,3,2,9,108,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60197.256541,63931.531988,2,94,14,14,2.63,6,6,1,3,0,1,39,1,4,1,4
+65552,7,2,2,13,NA,3,3,1,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,37065.780724,38522.476457,1,98,5,5,0.74,5,5,0,3,0,1,35,1,2,6,NA
+65553,7,2,2,42,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,2,4,2,2,2,2,2,2,2,NA,NA,NA,NA,32229.130119,41089.02125,2,90,13,2,0.46,2,1,0,0,1,2,80,NA,NA,77,NA
+65554,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,34973.413194,1,95,5,5,1.19,3,3,1,1,0,1,47,1,2,3,NA
+65555,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,53634.754806,56026.668478,1,98,5,2,0.45,3,1,0,0,0,1,32,1,5,5,NA
+65556,7,2,1,5,NA,4,4,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10234.881417,10547.495238,2,97,2,2,0.33,4,4,2,1,0,2,34,1,2,5,NA
+65557,7,2,2,30,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,5,5,2,2,2,2,2,2,2,NA,NA,NA,NA,27973.581456,27218.795462,2,99,99,99,NA,5,3,0,1,0,1,40,2,1,6,NA
+65558,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,42489.109693,44345.173355,1,100,14,9,5,2,1,0,0,0,1,37,1,2,6,NA
+65559,7,2,1,8,NA,2,2,2,8,101,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,9807.589376,10786.008845,2,90,3,3,0.38,5,5,0,4,0,2,33,2,2,5,NA
+65560,7,2,1,4,NA,2,2,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11852.624029,11657.344215,2,99,99,99,NA,3,3,1,0,0,1,35,2,2,1,2
+65561,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,1,2,NA,60148.377616,67408.231176,1,92,8,8,2.17,4,4,0,1,2,2,80,1,3,2,NA
+65562,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,9548.871949,9975.218868,2,95,6,6,1.36,3,3,0,1,1,2,62,1,4,5,NA
+65563,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,39260.973419,41280.172031,1,91,4,2,0.55,3,1,0,0,0,2,22,1,5,6,NA
+65564,7,2,2,36,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,19738.81952,19597.773568,3,90,3,3,0.37,5,5,2,2,0,2,36,2,4,4,NA
+65565,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,113500.095101,1,91,15,6,2.69,3,1,0,0,0,1,27,1,3,6,NA
+65566,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85444.349063,88741.398785,3,91,8,8,1.95,4,4,2,0,0,2,30,1,5,1,4
+65567,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,32375.321924,34954.784356,1,95,1,1,0.21,4,4,1,0,1,2,75,1,1,2,NA
+65568,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,2,2,2,2,1,2,2,NA,NA,NA,NA,45655.090694,44423.220436,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+65569,7,2,2,16,NA,2,2,2,16,197,NA,NA,1,1,NA,9,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,20678.81116,21093.085203,1,93,5,5,0.84,5,5,1,2,0,2,52,2,1,3,NA
+65570,7,2,1,16,NA,3,3,2,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,35593.481513,36275.823276,1,91,5,5,1.36,2,2,0,1,0,2,49,1,5,3,NA
+65571,7,2,2,74,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,2,NA,1,2,1,1,2,1,1,2,1,NA,13446.397433,14295.858749,1,93,3,3,0.65,3,3,0,0,3,2,74,2,1,2,NA
+65572,7,2,2,79,NA,5,6,1,NA,NA,2,NA,2,1,9,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,15984.880532,16163.124545,1,98,9,9,4.92,1,1,0,0,1,2,79,2,5,5,NA
+65573,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,22165.906062,22485.884772,1,96,7,7,3.58,1,1,0,0,0,1,44,1,4,3,NA
+65574,7,2,1,0,3,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8637.740206,8903.804193,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+65575,7,2,1,28,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,1,2,2,2,35669.2076,38557.984895,2,94,14,4,1.74,5,1,0,0,0,1,24,2,4,5,NA
+65576,7,2,2,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,63207.045171,66153.523399,2,102,10,6,2.3,2,1,0,0,0,2,27,1,4,6,NA
+65577,7,2,1,54,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15044.515884,15040.577827,3,90,15,15,5,3,3,0,0,0,2,55,2,4,1,4
+65578,7,2,2,1,18,1,1,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11901.705423,12408.80856,2,102,8,8,1.91,5,5,1,2,0,1,36,2,1,1,4
+65579,7,2,2,3,NA,5,6,2,3,47,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5380.83825,5375.15484,2,95,15,15,5,3,3,1,0,0,1,53,1,5,1,2
+65580,7,2,2,19,NA,2,2,1,19,233,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17338.975742,19021.185309,2,93,8,8,2.49,3,3,0,0,0,1,52,2,2,1,4
+65581,7,2,1,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,28542.421068,31101.791288,2,101,7,7,2.58,2,2,0,0,0,2,36,1,5,1,3
+65582,7,2,2,7,NA,5,6,2,7,95,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5481.728631,5853.665419,1,91,15,15,5,6,6,0,2,2,1,50,2,5,1,5
+65583,7,2,2,16,NA,4,4,2,16,202,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10694.834447,10849.760352,1,90,9,9,1.65,7,7,0,4,0,1,36,1,4,1,4
+65584,7,2,1,11,NA,4,4,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.422451,8987.382625,1,99,6,6,2.18,2,2,0,1,0,2,31,1,4,5,NA
+65585,7,2,2,49,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,3,21956.01693,22136.94803,2,91,8,8,2.34,4,4,0,2,0,1,56,2,5,1,5
+65586,7,2,2,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,32501.623429,34582.098932,2,97,3,3,0.46,5,5,0,3,0,1,40,1,2,1,3
+65587,7,2,1,78,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,62466.132707,66344.89016,1,94,6,6,1.91,2,2,0,0,2,1,78,1,4,1,3
+65588,7,2,2,15,NA,3,3,2,15,184,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74165.041171,75130.242541,2,94,10,10,3.51,3,3,0,2,0,2,39,2,4,3,NA
+65589,7,2,1,69,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,2,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,10288.337394,10907.668198,3,91,14,4,1.02,6,2,0,0,2,1,48,2,1,1,1
+65590,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,18795.138328,22008.372948,2,93,9,9,2.07,5,5,0,1,0,1,55,NA,NA,5,NA
+65591,7,2,2,5,NA,2,2,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11429.37307,11583.084593,2,90,15,15,5,4,4,1,1,0,1,49,1,4,1,4
+65592,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,26010.201422,30173.312639,2,95,3,3,1.21,1,1,0,0,1,2,80,1,2,2,NA
+65593,7,2,2,51,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,2,2,2,2,20178.078974,20795.430208,2,100,14,14,3.58,4,4,0,1,0,1,46,2,5,1,5
+65594,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10604.379638,1,99,4,4,1.74,1,1,0,0,1,2,60,1,3,4,NA
+65595,7,1,2,66,NA,2,2,NA,NA,NA,2,NA,2,2,4,NA,4,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,10235.0654,0,2,93,6,6,1.3,4,4,0,0,2,2,36,2,4,1,4
+65596,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11896.060838,12427.20723,1,96,15,15,5,2,2,0,0,2,1,61,1,5,1,5
+65597,7,2,2,19,NA,4,4,1,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,2,2,0.46,1,1,0,0,0,2,19,1,4,NA,NA
+65598,7,1,1,53,NA,3,3,NA,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20980.882737,0,2,93,6,6,1.48,4,4,0,1,0,1,53,2,2,1,3
+65599,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12127.194143,12676.977658,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+65600,7,2,2,19,NA,1,1,2,19,232,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20937.26435,21936.153747,1,90,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+65601,7,2,1,15,NA,4,4,2,15,190,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13366.904548,14267.035861,1,93,7,7,1.79,4,4,0,2,0,1,53,2,4,1,4
+65602,7,2,1,19,NA,4,4,2,20,NA,2,NA,2,2,3,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12548.434193,12514.39179,2,99,3,1,0.31,4,1,0,0,0,1,19,2,4,NA,NA
+65603,7,2,2,63,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,1,1,2,1,NA,13656.521422,13861.04165,1,91,4,4,1.33,2,2,0,0,2,1,65,2,4,1,3
+65604,7,2,1,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9668.679611,9969.996889,1,102,15,15,3.82,5,5,1,1,0,1,29,1,4,1,4
+65605,7,2,1,68,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10274.998921,11619.264446,1,91,8,8,3.57,2,2,0,0,2,1,68,1,3,1,2
+65606,7,2,2,48,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,18215.139307,19150.911381,1,91,77,77,NA,4,4,0,2,0,1,50,2,5,1,5
+65607,7,2,2,5,NA,4,4,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8873.727797,9364.677323,2,99,5,5,0.78,5,5,2,2,0,2,30,1,3,5,NA
+65608,7,2,1,5,NA,2,2,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15745.774489,16244.197679,2,91,4,4,0.67,5,4,2,0,2,2,66,2,1,1,NA
+65609,7,2,2,1,19,3,3,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25257.21318,27876.153487,1,101,7,7,1.82,4,4,2,0,0,2,27,1,2,1,3
+65610,7,2,1,9,NA,4,4,1,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8714.559478,8865.734494,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+65611,7,2,2,19,NA,2,2,2,19,232,2,NA,2,2,3,12,NA,NA,NA,2,2,2,2,2,2,1,2,2,2,12680.621719,13709.581084,2,90,99,99,NA,5,5,1,1,0,2,40,2,3,1,1
+65612,7,2,1,5,NA,4,4,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,7991.632447,8596.395387,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+65613,7,2,2,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,122472.877524,125201.399718,2,94,15,15,5,3,3,0,1,1,1,63,1,5,1,3
+65614,7,2,2,10,NA,1,1,1,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15859.146626,16025.878294,1,92,1,1,0,3,1,0,2,0,2,43,1,2,4,NA
+65615,7,1,1,80,NA,3,3,NA,NA,NA,2,NA,2,1,9,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,38666.703155,0,2,94,2,2,0.81,1,1,0,0,1,1,80,2,1,2,NA
+65616,7,2,1,0,3,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9570.577309,9932.368407,1,95,6,6,1,6,6,3,0,0,2,23,1,4,6,NA
+65617,7,2,1,41,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21571.318341,21852.480517,1,102,15,15,5,3,3,0,1,0,1,41,1,5,1,5
+65618,7,2,2,2,NA,2,2,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9955.153132,10990.75621,2,94,9,9,2.51,4,4,2,0,0,2,34,2,3,1,3
+65619,7,2,1,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,50647.682308,53126.874664,2,96,8,8,3.67,2,2,0,0,0,1,58,1,3,3,NA
+65620,7,2,2,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,110849.032294,115406.960266,2,92,14,6,2.75,2,1,0,0,0,2,25,1,5,5,NA
+65621,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,8748.603912,9090.779024,1,96,14,14,5,2,2,0,0,2,2,61,1,3,1,3
+65622,7,2,1,7,NA,4,4,1,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15130.588085,15393.064565,2,102,15,15,3.82,5,5,1,2,0,1,34,1,3,1,4
+65623,7,2,2,25,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18626.118419,17709.928623,1,93,15,15,5,5,5,0,1,0,2,25,1,5,5,NA
+65624,7,2,2,11,NA,4,4,1,11,135,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,12444.673315,2,97,7,7,1.72,5,5,1,2,0,1,32,1,4,1,4
+65625,7,2,1,23,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14690.01297,15450.354874,3,91,2,2,0.73,1,1,0,0,0,1,23,1,5,5,NA
+65626,7,2,1,11,NA,4,4,2,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8017.552697,8398.795399,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+65627,7,2,1,16,NA,4,4,2,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15970.206483,16086.518081,2,97,2,2,0.3,4,4,0,2,0,1,42,1,2,6,NA
+65628,7,2,1,56,NA,1,1,2,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,25381.488007,25009.053797,2,99,6,6,2.33,1,1,0,0,0,1,56,1,4,2,NA
+65629,7,2,2,51,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,2,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,13281.538492,13864.580434,3,90,5,5,1.05,3,3,0,0,0,1,53,2,1,1,2
+65630,7,2,1,4,NA,1,1,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16214.341036,15789.305867,1,98,9,9,2,7,6,3,2,0,2,32,1,4,1,4
+65631,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17014.040717,2,97,2,2,0.49,2,2,0,0,0,1,24,1,4,6,NA
+65632,7,2,2,42,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,34639.996543,35471.414202,1,102,7,7,1.7,4,4,0,0,2,1,44,1,4,4,NA
+65633,7,2,1,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,31699.998102,36617.55692,1,98,1,1,0.04,1,1,0,0,0,1,57,1,4,5,NA
+65634,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,9113.905743,9695.883475,3,90,15,15,5,5,5,0,1,1,2,61,1,5,2,NA
+65635,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,22225.098465,22243.480978,2,97,4,4,0.81,4,4,1,1,0,2,51,1,3,4,NA
+65636,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,19323.414782,18794.578845,2,91,15,15,5,4,4,0,0,1,1,61,NA,NA,1,2
+65637,7,2,1,66,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,6358.062034,6283.458155,1,99,7,7,3.49,1,1,0,0,1,1,66,1,4,3,NA
+65638,7,2,1,12,NA,5,7,2,12,153,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21852.102821,22875.024578,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+65639,7,1,2,14,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,91539.042546,0,1,101,15,15,5,4,4,0,2,0,2,40,1,4,1,3
+65640,7,2,2,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,12751.545122,13835.806616,2,101,1,1,0.08,2,2,0,0,2,2,80,1,1,2,NA
+65641,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,74517.751389,83352.706958,2,94,5,5,0.89,4,4,0,2,0,2,51,1,2,3,NA
+65642,7,2,2,41,NA,3,3,2,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,96255.674553,98150.909956,2,94,14,14,5,3,3,0,0,0,1,42,1,5,1,5
+65643,7,2,2,38,NA,3,3,2,NA,NA,2,NA,2,2,4,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,95214.22557,102645.939709,1,97,15,15,5,5,4,1,1,0,2,38,NA,NA,1,5
+65644,7,2,2,19,NA,4,4,2,19,233,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18905.695776,2,101,1,1,0.23,2,1,0,0,0,2,19,1,3,NA,NA
+65645,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,38666.703155,42427.769217,2,91,7,7,1.61,4,4,0,0,3,1,65,1,3,6,NA
+65646,7,2,1,8,NA,3,3,1,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18596.465852,19407.799286,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+65647,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,52701.331723,59294.433957,1,94,5,5,1.04,4,4,0,2,0,2,29,1,3,1,3
+65648,7,2,1,61,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7101.739553,7379.502561,2,100,4,4,1.74,1,1,0,0,1,1,61,1,3,3,NA
+65649,7,2,2,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,26428.874559,27145.22781,2,99,14,14,4.09,3,3,0,2,0,2,37,1,5,5,NA
+65650,7,2,2,79,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,20101.581228,20798.747999,3,92,77,77,NA,1,1,0,0,1,2,79,1,4,2,NA
+65651,7,2,1,6,NA,5,7,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7923.925927,8546.646915,1,91,15,15,5,5,5,0,3,0,1,40,1,5,1,5
+65652,7,1,2,1,20,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24749.659974,0,1,94,1,1,0.08,7,7,2,4,0,1,31,1,2,1,4
+65653,7,2,2,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,33506.462855,33906.169633,2,96,4,4,0.65,5,5,0,3,0,1,30,1,4,1,2
+65654,7,2,1,10,NA,5,6,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6850.601671,7624.777305,3,91,6,6,1.34,4,4,0,2,0,1,52,2,3,1,1
+65655,7,2,2,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16741.034883,16786.385595,2,95,12,12,NA,3,3,0,0,0,2,29,2,5,5,NA
+65656,7,2,2,2,NA,3,3,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,45341.612978,50043.120503,3,91,14,14,5,3,3,1,0,0,2,30,1,4,1,5
+65657,7,2,1,15,NA,1,1,1,16,192,NA,NA,1,1,NA,9,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,29234.272259,28953.402615,2,98,7,7,2.25,3,3,0,1,0,2,51,2,1,1,1
+65658,7,2,2,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,29448.834066,28780.798614,1,97,9,9,4.92,1,1,0,0,0,2,49,1,5,5,NA
+65659,7,2,2,71,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,12344.929687,13268.288363,1,93,2,2,0.74,1,1,0,0,1,2,71,2,2,2,NA
+65660,7,2,2,73,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,36122.708948,47794.076653,1,97,2,2,0.75,1,1,0,0,1,2,73,2,2,2,NA
+65661,7,2,2,38,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,3,3,2,2,2,2,1,2,2,2,2,2,2,35678.162793,37949.435224,2,99,3,3,0.52,3,3,0,0,1,2,38,2,3,3,NA
+65662,7,2,2,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,33506.462855,35016.985063,2,96,6,6,1.62,3,3,0,2,0,2,31,1,3,5,NA
+65663,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,3,1,2,2,1,2,2,1,2,2,1,52701.331723,53172.517558,1,94,5,5,0.74,5,5,1,1,0,2,24,1,3,1,4
+65664,7,2,2,13,NA,3,3,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71837.483011,75155.181458,1,94,15,15,5,3,3,0,1,0,2,43,1,5,1,5
+65665,7,2,1,19,NA,1,1,1,19,233,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15626.107676,15463.700675,2,93,9,9,1.94,6,6,0,3,0,2,37,NA,NA,3,NA
+65666,7,2,2,3,NA,2,2,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16648.051651,2,98,8,8,1.48,7,7,3,0,0,1,26,1,3,1,3
+65667,7,2,1,8,NA,4,4,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10410.106675,10534.907593,2,96,6,6,1.32,5,5,1,3,0,2,30,1,4,3,NA
+65668,7,2,2,8,NA,5,7,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11541.681354,12101.149927,1,92,15,15,5,4,4,0,2,0,1,41,2,5,1,5
+65669,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,159007.057971,1,95,14,8,4.41,2,1,0,0,0,1,47,1,4,3,NA
+65670,7,2,1,13,NA,1,1,1,14,169,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,17424.208904,17520.505085,1,102,5,5,0.92,5,5,0,3,0,2,39,2,3,1,3
+65671,7,2,2,2,NA,4,4,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7444.013422,7636.156038,1,90,5,5,1.32,2,2,1,0,0,2,27,2,3,5,NA
+65672,7,2,2,22,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,33292.204257,2,101,3,3,0.92,1,1,0,0,0,2,22,1,4,5,NA
+65673,7,2,1,2,NA,3,3,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24594.444896,28818.16319,1,98,1,1,0.16,3,3,1,0,0,1,28,1,2,6,NA
+65674,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,17285.492411,17948.070756,1,102,7,7,1.8,5,4,1,0,2,1,47,1,3,5,NA
+65675,7,2,1,66,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11568.876339,11794.347884,1,102,10,10,4.42,2,2,0,0,2,2,62,1,5,1,4
+65676,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,75000.659691,1,98,9,9,2.6,4,4,1,1,0,2,35,1,2,1,NA
+65677,7,2,2,4,NA,1,1,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,2,NA,2,2,2,2,NA,NA,NA,NA,13193.876261,13756.035699,3,91,7,7,1.23,6,6,2,2,0,1,36,2,1,1,1
+65678,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,12697.263698,13996.985089,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+65679,7,2,1,69,NA,5,7,2,NA,NA,2,NA,2,1,7,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,10298.198778,10826.998489,1,95,2,2,0.72,1,1,0,0,1,1,69,2,4,3,NA
+65680,7,2,2,44,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16162.24986,16822.942152,3,91,15,15,5,3,3,0,1,0,2,44,2,5,1,5
+65681,7,2,2,4,NA,1,1,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16462.187772,17163.602129,3,92,8,8,1.55,6,6,1,3,0,2,38,1,5,1,4
+65682,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,143785.115498,143265.966876,1,99,10,10,5,1,1,0,0,0,2,57,1,5,3,NA
+65683,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,1,1,2,2,1,7879.750437,7851.284287,2,92,10,8,2.01,7,4,1,1,1,2,27,2,3,1,3
+65684,7,2,1,14,NA,1,1,1,14,179,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18242.832494,18343.652859,1,102,2,2,0.52,3,3,0,2,0,2,36,2,3,4,NA
+65685,7,2,2,29,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,51746.15111,54067.303468,1,95,8,8,2.24,4,4,2,0,0,2,29,1,3,1,4
+65686,7,2,2,9,NA,4,4,1,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10085.683644,10404.203071,2,102,6,6,1.22,5,5,0,2,0,2,42,1,4,1,4
+65687,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,23128.736624,23721.941544,2,101,2,2,0.79,1,1,0,0,0,2,55,1,2,3,NA
+65688,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,187291.098551,186266.152024,2,91,15,15,5,3,3,0,0,0,2,54,1,4,1,4
+65689,7,2,1,19,NA,4,4,2,19,234,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13969.457688,14694.403205,1,90,6,6,1.57,3,3,0,1,0,2,36,1,3,5,NA
+65690,7,2,1,16,NA,3,3,2,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,107087.58296,107224.801212,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+65691,7,2,2,16,NA,5,6,1,16,199,NA,NA,2,2,2,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8391.252153,8753.945484,1,92,12,12,NA,7,7,1,2,1,2,45,2,3,1,3
+65692,7,2,1,14,NA,3,3,2,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26824.630008,26472.092796,1,95,6,6,1.3,4,4,0,3,0,2,46,1,4,3,NA
+65693,7,2,1,7,NA,3,3,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,66868.503099,69864.859716,1,98,15,15,5,4,4,1,1,0,1,40,1,4,1,5
+65694,7,2,2,5,NA,2,2,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13366.393396,14756.857003,2,94,9,9,2.51,4,4,2,0,0,2,34,2,3,1,3
+65695,7,1,1,9,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8943.919305,0,1,92,5,5,0.63,7,7,0,4,1,1,60,NA,NA,1,NA
+65696,7,2,2,8,NA,4,4,2,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6996.144083,7533.021082,2,99,5,5,0.78,5,5,2,2,0,2,30,1,3,5,NA
+65697,7,2,1,16,NA,3,3,2,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26749.020961,27839.957403,1,101,6,6,1.21,4,4,0,2,0,2,33,1,2,6,NA
+65698,7,2,1,8,NA,4,4,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11094.855304,11787.231447,1,90,7,7,2.1,3,3,0,1,0,1,35,1,3,6,NA
+65699,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,154000.877343,1,94,6,6,2.24,1,1,0,0,0,1,50,1,3,3,NA
+65700,7,2,2,18,NA,4,4,1,18,220,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14166.687432,14623.20249,1,100,13,13,NA,5,5,2,0,0,2,54,1,4,5,NA
+65701,7,2,2,17,NA,4,4,2,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+65702,7,2,2,62,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,10999.00871,11458.057418,3,92,7,7,1.49,5,5,0,2,1,2,62,1,4,2,NA
+65703,7,2,2,29,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,39426.061521,39893.228552,3,92,8,8,2.01,4,4,1,0,0,2,49,2,5,4,NA
+65704,7,2,2,7,NA,3,3,2,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,82043.921571,82230.595899,1,97,14,14,3.9,4,4,0,2,0,1,47,1,3,1,5
+65705,7,2,2,63,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,15207.312407,15975.329738,1,92,4,4,0.99,2,2,0,0,1,1,26,1,1,5,NA
+65706,7,2,2,11,NA,3,3,2,11,143,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,24097.958076,1,95,6,3,0.45,6,4,1,2,0,1,28,1,2,1,2
+65707,7,2,1,75,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,62703.997496,73870.695024,1,94,10,10,3.04,4,4,0,0,2,1,75,1,3,1,3
+65708,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35334.703093,40990.264786,1,101,3,3,1.25,1,1,0,0,1,2,80,1,2,2,NA
+65709,7,2,2,17,NA,3,3,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,97212.131473,101229.4133,1,91,14,14,3.8,4,4,0,2,0,1,50,NA,NA,1,5
+65710,7,2,2,17,NA,4,4,2,17,210,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11608.900361,11982.991894,1,99,8,8,2.59,3,3,0,2,0,2,46,1,4,2,NA
+65711,7,2,1,46,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11113.602843,11073.454175,3,90,77,77,NA,5,5,0,2,0,1,46,2,3,1,3
+65712,7,2,1,75,NA,2,2,2,NA,NA,1,1,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,14090.083482,14599.284236,2,90,6,6,2.24,2,2,0,0,2,1,75,2,4,1,2
+65713,7,2,1,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,14078.198261,14841.449973,1,91,1,1,0.05,2,1,0,0,2,1,72,1,1,3,NA
+65714,7,2,1,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,64271.597433,68262.462992,1,94,15,15,4.95,4,4,0,0,2,1,72,1,3,1,3
+65715,7,2,1,12,NA,5,7,2,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60818.973858,62775.825513,1,99,15,15,5,4,4,0,2,0,2,44,1,5,1,5
+65716,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,42559.487719,42454.393427,1,98,6,6,1.57,3,3,0,0,0,1,58,1,3,1,3
+65717,7,2,1,10,NA,4,4,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11443.206518,12087.326286,1,100,13,13,NA,3,3,0,1,0,2,52,2,3,1,NA
+65718,7,2,2,11,NA,5,7,2,11,137,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9227.090107,9736.375878,2,100,15,15,4.83,4,4,1,1,0,1,43,2,5,1,5
+65719,7,2,1,68,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,2,1,NA,1,2,2,1,2,2,1,2,2,3,11145.558675,12081.671552,2,96,4,4,0.92,3,3,0,1,1,2,41,2,2,1,2
+65720,7,2,1,5,NA,2,2,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12403.412256,13289.361067,2,90,6,6,1.62,3,3,1,0,0,2,28,1,5,1,4
+65721,7,2,2,6,NA,1,1,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14538.945634,14691.797657,2,92,8,8,1.42,7,7,0,4,0,2,37,1,1,6,NA
+65722,7,2,2,39,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,37237.570046,37476.359157,2,97,4,1,0,2,1,0,0,0,1,41,1,2,6,NA
+65723,7,1,1,73,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15200.416613,0,1,98,4,4,1.19,2,2,0,0,2,2,72,1,3,1,4
+65724,7,1,2,4,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,13366.393396,0,2,94,14,7,2.72,3,2,1,0,0,1,25,2,3,6,NA
+65725,7,2,2,8,NA,3,3,2,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,70999.269152,75403.63644,1,93,15,15,5,4,4,0,2,0,1,51,1,3,1,5
+65726,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15196.92397,16091.373745,2,101,7,3,1.1,3,1,0,0,0,1,21,2,4,5,NA
+65727,7,2,2,3,NA,1,1,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16432.24332,3,92,7,7,1.41,5,5,1,2,0,1,40,1,3,1,4
+65728,7,2,2,0,1,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4581.358327,5045.31579,2,101,4,4,0.85,4,4,1,0,1,2,61,1,4,3,NA
+65729,7,2,1,9,NA,3,3,1,9,113,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23188.935049,25672.571973,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+65730,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16181.169973,16457.814273,2,100,14,14,4.86,3,3,0,0,0,2,52,1,5,1,3
+65731,7,2,1,17,NA,2,2,1,17,208,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18206.126374,18306.74388,2,93,4,4,0.84,3,3,0,1,0,2,46,2,3,1,2
+65732,7,2,1,2,NA,1,1,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10803.555682,10625.559962,2,94,6,6,1.32,4,4,2,0,0,1,29,1,3,1,3
+65733,7,1,2,29,NA,5,6,NA,NA,NA,2,NA,2,2,2,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,12636.996393,0,3,90,12,12,NA,3,3,0,0,0,2,29,2,5,1,5
+65734,7,2,2,14,NA,4,4,2,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13841.239638,13875.328502,1,96,15,15,4.52,6,6,0,4,0,1,46,1,4,1,4
+65735,7,2,2,69,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,2,NA,2,2,2,1,2,2,1,2,2,1,9104.567599,9484.550932,2,93,6,6,2.69,1,1,0,0,1,2,69,2,4,2,NA
+65736,7,2,1,71,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,2,1,2,1,NA,16439.475505,17615.98168,1,100,5,5,1.18,3,3,0,0,2,2,34,2,5,5,NA
+65737,7,2,2,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,33274.645943,34015.957912,2,95,14,14,3.34,4,4,0,0,0,1,43,1,3,1,3
+65738,7,2,1,35,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18025.279948,19114.89054,1,97,4,3,0.93,3,2,0,0,0,1,35,1,3,1,4
+65739,7,2,1,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,58205.324383,61609.052582,2,98,8,8,3.06,2,2,0,0,2,1,71,1,4,1,3
+65740,7,2,1,68,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10098.443227,10212.20306,1,102,9,9,5,1,1,0,0,1,1,68,1,4,3,NA
+65741,7,2,1,26,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,1,2,2,2,38560.502118,39812.43256,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+65742,7,2,1,30,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,3,5,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,35069.154585,2,94,15,15,5,3,3,0,0,0,1,41,2,3,1,NA
+65743,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,25569.682712,26728.878308,1,97,15,15,5,4,4,0,1,0,1,40,1,4,1,4
+65744,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,54095.581484,0,2,94,77,77,NA,2,2,0,0,2,2,80,1,5,1,5
+65745,7,2,1,27,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,69082.166945,70155.790389,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+65746,7,2,1,19,NA,3,3,1,19,234,2,NA,2,1,4,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,103364.662244,103614.262032,1,98,3,1,0.09,4,1,0,0,0,1,20,1,4,5,NA
+65747,7,2,2,6,NA,4,4,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7646.649777,8233.445923,2,99,3,3,0.52,3,3,0,1,0,2,23,1,3,1,3
+65748,7,2,1,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,7907.095293,7814.315452,2,97,5,5,1.3,3,3,0,1,1,1,64,1,4,3,NA
+65749,7,2,2,2,NA,2,2,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9534.013652,9566.569071,2,97,12,6,0.89,7,7,3,0,0,2,26,2,1,6,NA
+65750,7,2,1,14,NA,3,3,1,14,173,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,79147.85144,78921.048453,1,98,15,15,5,5,5,0,3,0,2,44,1,5,1,5
+65751,7,2,1,54,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,3,1,NA,2,2,2,1,2,2,2,2,2,2,22446.308035,22366.708253,2,94,1,1,0.03,2,2,0,0,0,2,48,2,1,1,3
+65752,7,2,1,21,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15564.966804,2,101,6,99,NA,2,1,0,0,0,1,20,2,4,5,NA
+65753,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,27738.890335,33497.780693,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+65754,7,2,2,50,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,5,NA,2,2,2,1,2,2,1,2,2,2,28701.155283,32172.514581,3,92,13,13,NA,4,4,0,2,0,2,50,2,1,5,NA
+65755,7,1,2,64,NA,1,1,NA,NA,NA,2,NA,2,2,4,NA,1,2,NA,2,2,2,NA,NA,NA,NA,NA,NA,NA,16352.915834,0,3,92,NA,NA,NA,5,5,2,1,1,2,64,2,1,2,NA
+65756,7,1,1,12,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7964.334824,0,1,95,6,6,1.34,4,4,0,2,0,2,32,2,3,2,NA
+65757,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,21857.756498,21879.219845,2,97,9,9,1.45,7,7,1,2,2,2,45,1,3,5,NA
+65758,7,2,2,67,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,12403.522912,13236.989116,1,93,3,3,0.65,3,3,0,0,3,2,74,2,1,2,NA
+65759,7,2,1,11,NA,3,3,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53915.042746,57006.573447,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+65760,7,2,1,41,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,37402.70356,37784.383858,2,102,14,14,3.8,4,4,2,0,0,2,41,2,4,1,5
+65761,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,67671.21344,73410.277865,3,90,15,15,5,3,3,1,0,0,1,31,1,5,1,5
+65762,7,2,2,11,NA,5,6,2,11,140,NA,NA,2,2,2,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6834.715094,7298.452383,2,90,3,1,0,5,1,1,2,0,1,44,2,5,1,5
+65763,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8949.073879,2,95,6,6,2.69,1,1,0,0,1,2,68,1,3,2,NA
+65764,7,2,2,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,63767.913736,65948.76781,1,94,6,6,1.91,2,2,0,0,2,1,78,1,4,1,3
+65765,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,128575.977224,134245.696628,1,102,6,4,1.42,2,1,0,0,0,2,23,1,5,5,NA
+65766,7,1,2,67,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,36706.470429,0,1,103,3,3,0.98,1,1,0,0,1,2,67,1,5,4,NA
+65767,7,2,1,1,12,3,3,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,40111.361732,44385.174851,1,98,7,7,1.48,5,5,1,1,0,1,46,1,3,1,3
+65768,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,38954.135779,39992.589933,1,91,5,5,1.3,3,3,0,1,0,2,50,1,4,2,NA
+65769,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,15051.024912,14836.484643,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+65770,7,2,1,40,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,37402.70356,40836.297693,2,102,7,7,1.79,4,4,0,2,0,1,40,2,2,6,NA
+65771,7,2,1,55,NA,5,7,1,NA,NA,1,2,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16575.817424,16910.393297,1,94,8,8,2.97,2,2,0,0,1,2,74,2,3,1,4
+65772,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,20131.904783,20903.590301,1,92,6,6,1.31,3,3,0,0,1,2,80,1,3,4,NA
+65773,7,2,1,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22937.913723,23181.846174,1,100,14,14,3.47,4,4,2,0,0,1,34,1,5,1,5
+65774,7,2,1,24,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,37911.437415,38428.199561,2,103,6,6,1.98,2,2,0,0,0,1,24,1,2,6,NA
+65775,7,2,2,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,18494.181242,18934.264494,2,99,9,9,2.43,4,4,0,2,0,2,49,1,3,3,NA
+65776,7,2,1,2,NA,4,4,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5853.073657,6453.970807,2,95,2,2,0.41,3,3,2,0,0,2,19,1,2,NA,NA
+65777,7,2,2,11,NA,4,4,2,12,144,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6655.097829,7106.52929,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+65778,7,2,1,11,NA,4,4,2,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,14179.490667,2,101,13,3,0.64,5,4,0,3,1,2,62,1,1,2,NA
+65779,7,2,2,2,NA,5,7,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8579.211947,8800.655964,1,97,9,9,2.6,4,4,1,1,0,2,45,1,4,1,4
+65780,7,2,2,7,NA,3,3,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24070.467912,25563.654853,1,95,10,6,1.34,5,4,1,2,0,1,32,1,3,6,NA
+65781,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,15091.588227,15171.391678,1,93,6,6,1.15,5,5,1,0,2,2,70,NA,NA,1,NA
+65782,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22565.644629,22012.541181,1,97,15,15,5,6,6,0,1,1,2,53,1,4,1,NA
+65783,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,124820.027137,131239.54259,1,91,10,10,3.78,3,3,0,0,2,1,62,1,5,1,5
+65784,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,17622.141982,17298.28124,2,95,7,7,2.58,2,2,0,0,0,2,57,1,4,3,NA
+65785,7,2,1,0,8,1,1,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,2,NA,2,2,2,2,NA,NA,NA,NA,6217.36354,6396.366428,3,91,7,7,1.23,6,6,2,2,0,1,36,2,1,1,1
+65786,7,2,1,8,NA,3,3,1,8,104,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49922.147265,51884.389986,1,98,7,7,1.66,5,5,2,1,0,2,37,1,5,1,3
+65787,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,86986.68246,91060.136414,2,94,7,7,2.38,2,2,0,1,0,1,39,1,4,3,NA
+65788,7,2,2,5,NA,5,6,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7143.995395,7265.801592,3,91,15,15,5,4,4,1,1,0,1,40,2,5,1,5
+65789,7,2,1,5,NA,4,4,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7430.518669,8193.361877,2,99,1,1,0.07,4,4,1,1,0,2,24,1,2,5,NA
+65790,7,2,2,5,NA,2,2,2,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11429.37307,11793.034101,2,90,2,2,0.49,3,3,2,0,0,2,26,1,4,1,NA
+65791,7,2,1,24,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19775.099106,19464.255682,1,96,15,15,5,3,3,0,0,0,1,55,1,4,1,5
+65792,7,2,1,0,6,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6999.189812,6930.018579,3,92,4,4,0.43,7,7,2,2,0,2,36,1,2,6,NA
+65793,7,2,2,16,NA,3,3,2,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25543.162298,26253.778018,2,95,6,6,1.19,4,4,0,1,0,1,44,1,3,1,2
+65794,7,2,1,9,NA,5,6,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5062.43381,5485.75338,3,91,6,6,1.22,5,5,1,2,0,2,37,1,4,1,2
+65795,7,2,1,9,NA,4,4,1,9,111,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14792.384662,15048.994189,2,102,5,3,0.63,5,4,2,1,0,1,24,1,4,6,NA
+65796,7,2,1,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,28479.463721,2,101,1,1,0.1,2,2,0,0,0,1,56,1,3,6,NA
+65797,7,2,2,52,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19735.328357,19287.640039,1,90,8,8,4.48,1,1,0,0,0,2,52,2,4,3,NA
+65798,7,2,2,26,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,3,1,2,1,2,2,2,2,2,1,2,2,1,42621.881199,43251.535191,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+65799,7,2,1,21,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15572.117537,16108.231355,2,94,15,15,4.44,5,5,0,1,1,2,74,1,5,2,NA
+65800,7,2,2,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,153418.292529,156457.542801,1,92,15,15,5,3,3,0,0,2,2,61,1,5,1,5
+65801,7,2,2,9,NA,4,4,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.490652,8919.477637,2,97,6,6,1,6,6,1,2,2,2,60,1,2,2,NA
+65802,7,1,2,9,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7710.907339,0,2,99,6,6,0.94,7,7,0,4,0,2,32,1,3,1,3
+65803,7,2,2,15,NA,3,3,2,15,189,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38400.791741,41869.717003,1,95,7,7,1.66,5,5,0,3,0,1,34,1,2,1,4
+65804,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,185033.990584,192737.162475,1,97,14,14,4.96,2,2,0,0,0,1,59,1,4,1,5
+65805,7,2,2,11,NA,3,3,2,11,139,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19824.800404,20630.46787,1,101,6,6,1.21,4,4,0,2,0,2,33,1,2,6,NA
+65806,7,2,1,5,NA,1,1,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16632.464801,17158.955649,3,91,3,3,0.39,6,6,1,1,0,1,39,2,1,6,NA
+65807,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108408.375382,108975.782069,2,98,14,14,4.16,3,3,0,0,0,1,49,1,5,1,4
+65808,7,2,1,65,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7610.147862,2,100,9,9,2.46,4,4,1,1,1,2,59,1,3,1,3
+65809,7,2,1,0,8,3,3,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22795.485282,22401.400888,1,92,9,9,3.24,3,3,1,0,0,1,30,1,5,6,NA
+65810,7,2,2,2,NA,3,3,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,44572.321124,49194.06017,1,98,8,8,2.46,3,3,1,0,0,1,29,1,4,6,NA
+65811,7,2,2,11,NA,1,1,2,11,136,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13085.954443,13661.915968,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+65812,7,2,1,30,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14894.763298,16100.128566,2,92,6,6,1.35,3,3,1,0,0,2,32,1,5,1,5
+65813,7,2,1,11,NA,1,1,2,11,138,NA,NA,2,1,3,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,13285.093011,14158.005149,2,94,7,7,1.57,4,4,0,2,0,1,30,2,3,1,4
+65814,7,2,1,11,NA,4,4,1,11,134,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13213.679978,13442.903072,2,96,7,7,1.49,5,5,2,1,0,1,51,1,5,1,3
+65815,7,1,2,65,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,10033.449917,0,2,95,3,3,0.95,2,2,0,0,1,2,65,1,2,3,NA
+65816,7,2,1,6,NA,3,3,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23796.980721,24835.204126,1,92,4,4,0.61,5,5,1,2,0,1,34,1,3,6,NA
+65817,7,2,2,19,NA,3,3,2,19,235,2,NA,2,1,5,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,77001.138762,79232.910414,1,98,15,15,5,3,3,0,0,0,1,56,1,5,1,5
+65818,7,2,1,17,NA,5,6,2,17,211,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6852.192992,7202.81544,2,100,15,15,5,3,3,0,1,0,1,58,2,5,1,5
+65819,7,2,1,9,NA,1,1,1,9,108,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11159.151566,11335.739115,1,102,6,6,1.03,6,6,0,4,0,1,34,2,2,1,1
+65820,7,2,1,77,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,2,2,NA,1,2,1,1,2,1,1,2,1,NA,9681.885604,10696.882276,1,93,2,2,0.74,1,1,0,0,1,1,77,2,2,2,NA
+65821,7,2,2,5,NA,5,6,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8171.700571,8311.029296,1,92,15,15,5,4,4,1,1,0,1,38,2,5,1,5
+65822,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,88617.795432,89088.673687,1,91,5,5,2.2,1,1,0,0,1,1,63,1,2,2,NA
+65823,7,2,1,37,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,2,2,2,1,2,2,1,46446.757775,47702.387865,1,102,1,1,0.33,2,2,0,0,0,1,37,1,2,4,NA
+65824,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,104228.438447,104101.346681,2,95,10,10,5,1,1,0,0,0,1,57,1,5,5,NA
+65825,7,2,2,8,NA,4,4,1,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7619.934086,8032.046596,2,103,7,7,1.55,5,5,2,2,0,2,31,1,4,3,NA
+65826,7,2,1,15,NA,1,1,1,16,192,NA,NA,2,2,4,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,29234.272259,28953.402615,3,92,13,13,NA,4,4,0,2,0,2,50,2,1,5,NA
+65827,7,2,1,42,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,4,6,NA,1,2,2,1,2,2,1,2,2,2,37402.70356,37112.276585,2,102,15,14,5,5,1,0,3,0,1,42,2,4,6,NA
+65828,7,2,2,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,118761.81384,123645.102237,3,91,7,4,1.74,2,1,0,0,0,1,23,NA,NA,6,NA
+65829,7,2,2,3,NA,3,3,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,69494.442609,71683.798234,1,98,15,15,4.56,4,4,2,0,0,2,33,1,4,1,4
+65830,7,2,1,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15546.999135,15568.006794,3,92,5,5,0.87,4,4,2,0,0,2,28,1,3,1,3
+65831,7,2,2,19,NA,4,4,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12531.903464,13043.632492,2,100,1,1,0.08,5,5,1,2,0,2,19,1,3,NA,NA
+65832,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,1,2,1,2,2,1,1,2,NA,15852.523312,16085.826144,2,97,6,6,2.04,2,2,0,0,2,2,80,1,3,2,NA
+65833,7,2,2,1,13,1,1,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11901.705423,12652.027961,2,102,4,4,0.65,5,5,1,0,0,2,58,2,1,4,NA
+65834,7,2,1,6,NA,4,4,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10229.206765,10406.656985,1,96,15,15,4.52,6,6,0,4,0,1,46,1,4,1,4
+65835,7,2,1,18,NA,5,6,2,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,77,77,NA,5,5,0,2,0,1,46,2,3,1,3
+65836,7,2,2,18,NA,5,7,2,18,216,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,58352.457563,59447.870488,1,99,77,77,NA,3,3,0,0,0,1,42,1,4,6,NA
+65837,7,2,1,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,11212.469396,11300.176858,1,100,15,99,NA,5,2,0,0,3,2,50,1,4,6,NA
+65838,7,2,1,63,NA,2,2,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11061.174348,11020.288023,1,95,7,7,2.65,2,2,0,0,1,1,63,1,4,1,NA
+65839,7,2,1,4,NA,1,1,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14318.290734,14771.527769,3,91,15,14,4.03,5,4,2,0,0,1,42,2,4,1,5
+65840,7,2,1,21,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,12395.607222,12971.055335,1,102,9,9,2.39,5,5,0,1,1,1,55,2,5,1,5
+65841,7,2,1,63,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,85242.614785,86042.075041,1,93,15,15,5,1,1,0,0,1,1,63,1,5,5,NA
+65842,7,2,1,0,3,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9064.168162,9064.335231,3,92,14,14,4.71,3,3,1,0,0,1,29,1,5,1,5
+65843,7,2,1,9,NA,1,1,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12477.812875,13297.681754,2,94,5,5,0.67,6,6,1,3,0,1,37,2,3,1,4
+65844,7,2,1,69,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,2,1,2,1,2,2,2,1,2,NA,12118.033999,12538.522644,2,91,3,3,0.66,2,2,0,0,1,1,69,2,5,1,1
+65845,7,2,1,13,NA,5,6,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7350.524832,7855.79983,2,90,8,8,2.59,3,3,0,1,0,2,41,2,4,1,4
+65846,7,2,2,61,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,7278.790659,7582.574348,2,93,15,15,5,4,4,0,0,1,1,57,2,5,1,4
+65847,7,2,1,3,NA,2,2,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14004.176901,13773.448831,2,93,3,3,0.66,2,2,1,0,0,2,31,2,3,5,NA
+65848,7,1,1,11,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7803.43213,0,1,93,15,15,5,3,3,0,2,0,2,40,2,5,4,NA
+65849,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,17753.406962,18715.910687,1,101,4,4,1.29,2,2,0,0,2,2,74,1,3,1,3
+65850,7,2,1,58,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,25118.469449,25612.281104,3,92,5,5,1.56,2,2,0,0,1,1,58,1,3,1,2
+65851,7,2,2,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,50915.06085,56529.78018,3,92,4,4,0.65,4,4,2,0,0,2,20,1,3,5,NA
+65852,7,2,2,29,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,40212.914634,41314.674899,2,92,15,10,5,2,1,0,0,0,2,29,1,5,6,NA
+65853,7,2,2,14,NA,3,3,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,97212.131473,101229.4133,1,91,14,14,4.03,4,4,0,2,0,1,52,1,4,1,5
+65854,7,2,1,56,NA,5,7,2,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11690.444016,12008.407525,3,90,9,9,3.14,3,3,0,0,0,1,56,2,3,1,3
+65855,7,2,1,8,NA,3,3,2,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23796.980721,24835.204126,1,95,5,5,1.03,4,4,0,2,0,1,33,1,3,1,3
+65856,7,2,1,63,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,8060.574062,8123.626407,1,93,7,7,1.61,4,4,0,0,1,2,27,2,3,5,NA
+65857,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,97050.018399,96721.703127,1,99,14,14,5,1,1,0,0,1,2,64,1,5,3,NA
+65858,7,2,2,5,NA,1,1,2,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13366.393396,14209.054666,2,94,7,7,1.23,6,6,2,1,0,1,33,2,1,6,NA
+65859,7,2,2,0,10,3,3,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25770.951107,25070.954843,2,91,15,15,4.34,4,4,2,0,0,1,39,1,5,1,5
+65860,7,2,2,5,NA,4,4,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11142.946789,11989.935044,2,96,5,5,0.67,6,6,1,2,1,1,34,1,4,1,4
+65861,7,2,1,8,NA,2,2,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,10248.861635,10307.698588,1,96,15,15,5,4,4,0,2,0,1,36,2,3,1,4
+65862,7,2,1,54,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,27227.937106,27194.736507,1,101,3,3,1.1,1,1,0,0,0,1,54,1,4,3,NA
+65863,7,2,2,33,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,15817.041096,15849.338176,2,92,15,8,4.59,2,1,0,0,0,2,25,2,5,5,NA
+65864,7,2,1,0,1,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13392.309303,13898.571164,1,99,14,14,3.44,5,5,3,0,0,1,30,1,4,1,5
+65865,7,2,2,34,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,NA,NA,NA,NA,39561.667842,39822.148122,2,98,12,12,NA,3,3,0,1,0,2,34,1,4,1,3
+65866,7,2,2,6,NA,4,4,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9209.511624,9916.240201,1,100,5,5,0.85,5,5,0,2,0,2,54,1,2,2,NA
+65867,7,2,2,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,37934.469637,38685.959862,1,94,6,6,1.98,2,2,0,0,1,2,60,1,4,3,NA
+65868,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,NA,53069.077479,57205.244401,2,90,15,15,5,2,1,0,0,2,1,67,1,5,6,NA
+65869,7,2,2,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,10252.529496,2,100,4,4,1.16,2,2,0,0,1,2,18,1,2,NA,NA
+65870,7,2,2,1,12,5,6,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,4488.195848,4764.622817,2,92,99,2,0.31,7,4,3,3,1,1,61,2,1,1,3
+65871,7,2,2,6,NA,1,1,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18721.371751,18903.185351,1,95,6,6,1.37,3,3,1,1,0,2,28,1,4,5,NA
+65872,7,2,1,1,15,1,1,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10666.404974,11148.562293,2,96,8,8,1.33,7,7,2,1,1,1,62,2,1,1,1
+65873,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,18018.210636,21650.053885,2,91,14,14,3.47,4,4,1,1,0,2,36,2,3,1,5
+65874,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,127315.335607,127929.014806,1,91,10,10,2.77,5,5,0,3,0,1,43,1,5,1,5
+65875,7,2,2,4,NA,1,1,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16648.051651,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+65876,7,2,1,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21288.18311,20984.737161,1,102,1,1,0,5,5,0,3,0,2,41,1,4,1,4
+65877,7,2,1,76,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,1,1,2,2,1,2,2,NA,10123.333237,10321.62644,1,93,2,2,0.54,2,2,0,0,2,1,76,2,4,1,1
+65878,7,2,1,29,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,1,NA,NA,NA,NA,9177.295801,9603.338468,2,92,7,7,1.89,3,3,0,0,1,1,36,2,3,5,NA
+65879,7,2,2,32,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,45655.090694,45995.96139,3,92,15,15,5,3,3,1,0,0,1,34,1,5,1,5
+65880,7,2,2,26,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,53638.260635,61764.513393,2,96,4,4,1.47,1,1,0,0,0,2,26,1,4,5,NA
+65881,7,2,1,1,13,4,4,2,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6992.24593,7710.094516,2,97,2,2,0.27,3,3,1,0,0,2,21,1,3,6,NA
+65882,7,2,2,11,NA,2,2,2,11,140,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10762.400563,11222.736057,2,90,12,12,NA,4,4,0,2,0,2,38,2,4,1,4
+65883,7,2,1,79,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,7199.330978,7568.243922,1,93,2,2,0.64,1,1,0,0,1,1,79,2,3,4,NA
+65884,7,2,1,2,NA,5,6,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6672.795321,7206.439819,2,102,15,15,3.92,5,5,1,2,0,1,34,2,5,1,5
+65885,7,2,1,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,21941.544332,21717.573526,1,99,4,4,1.16,2,2,0,0,2,2,63,1,5,6,NA
+65886,7,2,2,2,NA,5,7,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8692.478172,9353.203477,1,100,6,6,1.18,5,5,1,2,0,2,30,1,3,1,4
+65887,7,2,1,0,1,1,1,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,5875.721278,6205.225081,2,97,6,6,1.1,5,5,2,1,0,2,29,2,2,6,NA
+65888,7,2,2,11,NA,4,4,1,11,134,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9139.784234,9759.758014,2,100,14,14,3.58,4,4,0,1,1,2,55,1,5,1,4
+65889,7,2,1,30,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,2,2,2,1,2,2,1,2,2,1,37080.526463,37488.446325,1,103,6,6,1.57,3,3,0,1,0,2,50,2,3,4,NA
+65890,7,2,1,3,NA,2,2,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15915.595287,17052.411707,2,96,14,14,3.36,4,4,1,1,0,2,28,1,2,6,NA
+65891,7,2,1,3,NA,4,4,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8961.738846,9235.465849,1,93,10,10,2.91,4,4,2,0,0,2,27,1,5,1,4
+65892,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,25840.959268,28861.347345,1,101,3,3,0.86,2,2,0,0,1,2,80,1,1,2,NA
+65893,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16058.142925,16013.018639,2,95,5,5,1.18,3,3,0,1,0,2,55,1,4,5,NA
+65894,7,2,1,12,NA,4,4,1,12,150,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13653.432599,13787.136512,2,96,6,6,1.62,3,3,0,2,0,2,31,1,3,5,NA
+65895,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,26922.241442,27209.395492,1,90,7,7,1.55,5,5,0,3,0,1,51,2,3,1,2
+65896,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,89807.047643,92868.804281,1,94,15,1,0.44,4,1,0,0,1,1,33,1,2,5,NA
+65897,7,2,1,13,NA,1,1,1,14,168,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23389.620035,23146.524434,1,94,10,10,2.94,4,4,0,2,0,2,52,1,5,2,NA
+65898,7,2,1,66,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,5950.975297,5997.525697,2,99,6,6,1.11,5,5,0,0,1,1,66,2,4,1,4
+65899,7,2,2,12,NA,4,4,2,12,147,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17426.123122,17678.558809,1,91,10,10,2.56,5,5,0,3,0,1,51,2,5,1,4
+65900,7,2,2,18,NA,3,3,1,18,218,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,76992.7514,81576.336255,1,100,15,15,4.07,5,5,0,2,0,2,41,1,5,1,4
+65901,7,2,1,22,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,11164.358128,11468.312676,2,93,1,1,0.09,1,1,0,0,0,1,22,1,4,5,NA
+65902,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,1,1,2,2,1,2,2,1,2,2,1,18723.98095,21433.166124,2,95,7,7,1.41,5,5,2,0,0,2,53,1,3,3,NA
+65903,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4912.962876,5216.242891,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+65904,7,2,2,4,NA,2,2,1,4,48,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13201.625134,13621.675873,2,92,15,15,5,4,4,1,1,0,2,47,1,5,1,5
+65905,7,2,1,54,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,1,1,NA,1,2,1,1,2,2,1,2,1,NA,15728.666463,15671.845555,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+65906,7,2,2,7,NA,2,2,1,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15009.847173,16312.401192,2,93,15,15,4.34,4,4,0,2,0,1,33,2,5,1,5
+65907,7,1,2,47,NA,2,2,NA,NA,NA,2,NA,2,7,77,NA,3,1,NA,2,1,2,1,2,2,NA,NA,NA,NA,23968.560941,0,2,90,99,99,NA,4,4,0,2,0,1,39,NA,NA,4,NA
+65908,7,2,1,17,NA,4,4,2,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18526.8521,18563.481203,1,97,6,6,1.41,3,3,0,1,0,2,51,1,4,5,NA
+65909,7,2,1,35,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19091.246741,19659.303383,1,91,10,10,3.78,3,3,1,0,0,1,35,2,5,1,5
+65910,7,2,1,36,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13601.994691,14414.229968,2,100,15,15,5,4,4,1,1,0,1,36,2,5,1,5
+65911,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,38833.86357,44548.098777,3,92,5,5,1.59,2,2,0,0,2,1,64,1,3,1,3
+65912,7,2,1,18,NA,5,6,1,18,220,2,NA,2,2,1,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9948.022697,10353.284725,2,101,99,99,NA,4,1,0,0,0,1,18,2,4,NA,NA
+65913,7,2,2,19,NA,4,4,2,19,239,2,NA,2,1,4,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11478.437608,11446.094627,1,96,7,7,1.69,4,4,0,1,0,2,19,2,4,NA,NA
+65914,7,2,2,79,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,17087.605763,2,90,2,2,0.87,1,1,0,0,1,2,79,1,2,2,NA
+65915,7,2,1,37,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,30626.581617,36447.669921,2,90,3,3,0.58,4,4,0,2,0,2,36,2,3,1,3
+65916,7,2,1,9,NA,4,4,2,9,117,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9738.268689,9808.886868,2,99,9,9,1.78,6,6,1,1,0,1,46,1,3,6,NA
+65917,7,2,2,6,NA,5,7,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18348.624469,20109.577944,2,90,77,77,NA,6,6,0,4,0,2,41,NA,NA,4,NA
+65918,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,2,77,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,15792.287872,16329.218615,1,103,12,12,NA,2,2,0,0,0,1,34,2,5,1,5
+65919,7,2,2,73,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,1,2,NA,1,2,1,1,2,2,1,2,1,NA,15825.056964,16318.16087,2,94,15,15,5,3,3,0,0,1,2,40,2,5,1,5
+65920,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,31552.004994,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+65921,7,2,2,41,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,19711.72366,19172.260632,1,96,5,5,1.45,2,2,0,1,0,2,41,1,4,3,NA
+65922,7,2,1,10,NA,4,4,2,10,121,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8861.237416,9017.822314,2,95,2,2,0.26,3,3,0,2,0,2,31,1,3,5,NA
+65923,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,138075.879417,141933.339512,2,91,14,14,5,1,1,0,0,1,1,62,1,5,3,NA
+65924,7,2,2,19,NA,4,4,1,19,238,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15006.987722,14964.702287,1,98,2,1,0.21,4,1,0,0,0,2,19,1,4,NA,NA
+65925,7,2,1,23,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,29738.952706,30589.306008,2,94,6,3,0.68,3,2,0,0,0,1,26,1,4,5,NA
+65926,7,2,2,14,NA,4,4,1,14,170,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11791.755593,11820.79689,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+65927,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,111378.575836,111001.787784,2,97,8,8,3.06,2,2,0,0,2,1,68,1,2,1,4
+65928,7,2,2,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,17884.885732,18357.680967,1,98,6,6,1.73,3,3,0,1,0,2,39,1,4,1,1
+65929,7,2,1,64,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,35869.019314,40296.63257,3,92,5,5,1.59,2,2,0,0,2,1,64,1,3,1,3
+65930,7,2,2,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,59902.67172,68981.485025,1,101,3,3,1.3,1,1,0,0,1,2,80,1,3,2,NA
+65931,7,2,1,22,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,2,5,NA,1,2,2,1,2,2,1,2,2,NA,10141.381563,10817.596093,3,90,12,12,NA,4,4,0,0,1,1,62,2,4,3,NA
+65932,7,2,1,17,NA,2,2,1,17,215,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18242.832494,18053.229058,1,102,77,77,NA,6,6,0,2,1,2,37,1,4,1,4
+65933,7,2,1,11,NA,3,3,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,54897.892683,57357.850008,2,98,15,15,5,3,3,0,1,0,1,56,1,5,1,5
+65934,7,2,1,3,NA,3,3,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,75551.990912,88526.885345,1,90,14,14,3.93,3,3,1,0,0,1,35,1,2,1,5
+65935,7,2,1,18,NA,4,4,2,18,223,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12530.944806,12773.594654,2,90,8,8,1.67,6,6,1,1,0,1,52,1,3,1,5
+65936,7,2,1,7,NA,3,3,2,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64387.576177,71283.768751,1,95,8,8,2.7,3,3,0,1,2,1,69,1,5,1,3
+65937,7,2,2,61,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,3,4,NA,2,2,2,2,2,2,2,2,2,2,9716.805546,10855.679158,2,90,12,12,NA,3,3,0,0,2,2,61,2,3,4,NA
+65938,7,2,1,0,2,1,1,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9064.168162,9064.335231,3,92,4,4,0.89,3,3,1,0,0,2,24,2,4,1,3
+65939,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17207.598344,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+65940,7,2,2,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,13851.686232,14498.558979,3,91,15,3,0.92,5,1,2,0,0,1,42,2,4,1,5
+65941,7,2,1,6,NA,2,2,1,6,74,NA,NA,2,1,3,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10212.603023,10439.995832,2,92,15,15,5,4,4,1,1,0,2,47,1,5,1,5
+65942,7,2,2,3,NA,1,1,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19235.084509,19847.108514,3,92,15,8,2.62,4,3,1,1,0,1,30,1,2,6,NA
+65943,7,2,1,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8009.966208,8254.622305,2,96,3,3,0.54,4,4,2,1,0,2,25,1,4,2,NA
+65944,7,2,2,64,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,10308.451947,2,90,9,9,5,1,1,0,0,1,2,64,2,4,3,NA
+65945,7,2,2,2,NA,1,1,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13464.808163,14038.51136,1,101,2,2,0.26,5,5,3,0,0,2,26,1,2,1,3
+65946,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,15415.338508,15856.841729,1,93,4,4,1.65,1,1,0,0,0,1,34,1,5,4,NA
+65947,7,2,2,3,NA,5,6,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5485.572703,5823.427887,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+65948,7,2,1,5,NA,4,4,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9388.597537,2,100,3,3,0.38,5,5,2,1,0,2,28,1,2,5,NA
+65949,7,1,1,48,NA,2,2,NA,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,35393.002863,0,2,93,4,4,0.84,3,3,0,1,0,2,46,2,3,1,2
+65950,7,2,1,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,23471.353577,23675.625296,1,100,14,6,1.85,3,2,1,0,0,1,33,1,5,5,NA
+65951,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,102085.27025,105869.935801,1,99,14,14,4.86,3,3,0,1,0,1,56,1,5,1,5
+65952,7,2,1,17,NA,2,2,1,17,212,2,NA,2,2,1,13,NA,NA,NA,2,2,2,1,2,2,2,2,2,2,24228.858782,24791.594558,2,102,6,6,1,6,6,1,3,0,1,35,2,3,1,3
+65953,7,2,2,24,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,5,1,2,2,2,2,2,2,1,2,2,1,36169.442288,36681.102865,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+65954,7,2,2,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10440.656902,1,99,12,12,NA,1,1,0,0,1,2,66,1,5,1,NA
+65955,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,29016.444561,32518.702589,3,91,4,4,1.16,2,2,0,0,2,1,80,1,5,1,5
+65956,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,86986.68246,89821.123051,2,94,12,12,NA,5,5,1,1,0,1,37,1,4,1,3
+65957,7,2,2,47,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,30039.01139,30195.662279,2,95,8,8,3.44,2,2,0,0,0,2,24,1,4,5,NA
+65958,7,2,2,13,NA,3,3,1,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,34778.638222,37920.357213,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+65959,7,2,1,13,NA,1,1,1,13,159,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,1,1,2,2,1,20560.901695,20875.182272,2,96,3,3,0.46,5,5,1,2,0,1,37,1,1,1,2
+65960,7,2,2,0,4,4,4,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4137.127382,4386.966342,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+65961,7,2,2,0,0,3,3,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17773.146728,17119.196492,2,98,99,99,NA,7,7,1,1,1,1,19,1,3,NA,NA
+65962,7,2,2,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,16966.723528,16502.38463,2,92,2,2,0.57,2,2,0,0,0,2,56,1,3,2,NA
+65963,7,2,2,60,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,3,2,NA,1,2,1,NA,NA,NA,1,2,1,3,7575.470578,7867.856697,2,92,12,NA,NA,7,1,0,0,2,1,53,2,3,1,3
+65964,7,2,1,13,NA,4,4,2,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18526.8521,18563.481203,1,97,7,7,1.74,4,4,0,3,0,2,32,1,4,5,NA
+65965,7,2,1,6,NA,2,2,1,6,77,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8635.515602,8675.270774,2,93,4,4,0.56,5,5,0,2,0,1,37,NA,NA,1,1
+65966,7,2,1,19,NA,4,4,2,19,230,2,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16658.161391,16980.73087,2,91,2,2,0.26,4,4,0,1,0,1,20,1,3,5,NA
+65967,7,2,2,36,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,35353.005268,35616.958386,2,94,8,8,2.01,4,4,1,1,0,1,44,2,4,1,4
+65968,7,2,2,8,NA,2,2,1,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12307.832776,12427.36095,2,93,14,14,3.25,4,4,0,2,0,2,46,2,5,1,4
+65969,7,2,1,14,NA,1,1,2,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20398.562455,20202.582308,2,94,14,14,4.03,4,4,0,2,0,2,33,2,2,1,NA
+65970,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,20901.316439,20413.081322,2,91,14,14,3.42,5,5,1,0,0,2,28,NA,NA,1,NA
+65971,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,80069.373466,86138.346669,1,98,6,6,1.31,3,3,1,0,0,1,30,1,5,1,5
+65972,7,2,2,1,17,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,11667.597427,3,92,6,6,1.7,2,2,1,0,0,2,20,1,3,4,NA
+65973,7,2,2,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9287.93089,10379.213194,2,90,7,7,1.61,4,4,1,1,1,2,65,1,3,2,NA
+65974,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,10,10,4.49,2,2,0,0,2,1,60,1,5,1,4
+65975,7,2,2,30,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,5,4,2,2,2,2,2,2,2,1,2,2,1,19486.670926,20613.901312,2,90,5,5,1.19,3,3,1,0,1,2,60,2,1,4,NA
+65976,7,2,1,13,NA,4,4,1,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13523.666124,13550.403519,2,98,3,3,0.88,2,2,0,1,0,2,38,1,4,5,NA
+65977,7,2,1,3,NA,2,2,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11992.176902,12455.795985,1,96,10,10,2.59,5,5,1,0,0,1,32,2,4,1,2
+65978,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,145224.318312,145047.237897,1,98,6,6,2.86,1,1,0,0,0,1,57,1,4,5,NA
+65979,7,2,2,2,NA,5,7,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6443.362832,6553.223138,1,98,14,14,3.9,4,4,2,0,0,1,39,1,5,1,4
+65980,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,13076.210481,14300.146605,2,97,5,5,1.19,3,3,0,1,0,2,41,1,3,1,2
+65981,7,2,1,8,NA,2,2,1,8,102,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,13742.678011,2,98,7,7,2.16,3,3,0,1,0,2,51,1,1,1,2
+65982,7,2,2,4,NA,3,3,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78165.891242,86270.974005,1,101,6,6,1.28,4,4,2,0,0,1,44,1,4,1,4
+65983,7,2,1,9,NA,4,4,2,9,112,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,8017.552697,8398.795399,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+65984,7,2,2,16,NA,5,6,2,16,196,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11225.761275,11659.847432,2,91,8,8,2.34,4,4,0,2,0,1,56,2,5,1,5
+65985,7,2,2,7,NA,5,6,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5139.061504,5511.809249,2,103,77,77,NA,5,5,0,2,0,2,39,2,5,1,5
+65986,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,82864.936499,86441.088971,1,99,15,15,5,4,4,0,2,0,2,44,1,5,1,5
+65987,7,2,2,29,NA,5,7,1,NA,NA,2,NA,2,1,6,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,47970.616628,49304.059008,1,102,10,10,3.22,4,4,0,0,2,2,29,2,5,5,NA
+65988,7,2,1,20,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21763.209029,22385.504537,2,92,4,1,0.23,4,1,0,0,0,1,21,1,4,5,NA
+65989,7,2,1,1,18,2,2,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8326.330571,8424.765655,2,93,3,3,0.37,5,5,3,0,0,1,28,2,1,6,NA
+65990,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,1,1,2,2,1,2,1,NA,17232.67865,17489.495288,1,100,99,99,NA,6,6,0,1,0,1,53,2,2,1,3
+65991,7,2,2,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,118761.81384,121363.708734,3,91,15,6,2.75,3,1,0,0,0,2,26,1,4,5,NA
+65992,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11699.431733,12601.246533,1,96,14,14,5,2,2,0,0,2,2,61,1,3,1,3
+65993,7,2,2,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,149765.47604,152732.36321,1,92,8,8,2.17,4,4,0,1,2,2,80,1,3,2,NA
+65994,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7903.072331,7964.892648,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+65995,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,21756.194073,0,1,93,2,2,0.59,1,1,0,0,1,2,80,1,3,2,NA
+65996,7,2,2,9,NA,3,3,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20242.832328,19974.015949,2,93,6,6,2.05,2,2,0,1,0,2,30,1,4,3,NA
+65997,7,2,2,17,NA,4,4,1,17,209,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13620.028009,14467.639304,2,93,9,9,2.07,5,5,0,1,0,1,55,NA,NA,5,NA
+65998,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,7869.59899,8220.968168,2,100,3,3,1.1,1,1,0,0,1,2,67,1,4,5,NA
+65999,7,2,1,69,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,3,NA,2,2,2,1,2,2,1,2,2,2,9404.30514,9554.950099,2,93,6,6,1.72,2,2,0,0,2,1,69,2,4,3,NA
+66000,7,2,2,54,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,24287.448154,24414.10513,2,92,15,10,5,2,1,0,0,1,2,54,2,5,3,NA
+66001,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,100988.137931,99957.29004,1,99,15,15,5,2,2,0,0,2,1,62,1,5,1,4
+66002,7,2,1,11,NA,1,1,1,11,143,NA,NA,2,7,77,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11367.678664,11216.859778,2,96,77,77,NA,7,7,3,2,0,2,33,2,2,6,NA
+66003,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,4,2,0.64,2,1,0,0,0,1,24,1,4,5,NA
+66004,7,2,1,2,NA,1,1,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13305.770449,13463.073191,3,92,6,6,1.06,5,5,2,0,0,2,54,2,1,77,NA
+66005,7,2,2,18,NA,2,2,2,18,219,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,6,6,1.21,4,4,0,0,0,2,59,2,1,6,NA
+66006,7,2,2,18,NA,3,3,2,18,218,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,36586.371708,44099.282264,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+66007,7,2,2,9,NA,3,3,2,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,23750.822126,1,95,7,7,1.17,6,6,1,3,0,2,44,1,4,1,NA
+66008,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,154825.466557,160454.355913,1,91,15,14,5,3,2,0,0,2,2,73,1,4,3,NA
+66009,7,2,2,0,6,4,4,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4581.358327,5045.31579,2,97,3,3,0.66,3,3,2,0,0,2,19,1,3,NA,NA
+66010,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,27934.372045,28826.461363,1,101,6,6,1.17,4,4,0,1,0,1,41,1,3,6,NA
+66011,7,2,2,12,NA,4,4,2,13,156,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10848.628906,11198.221038,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+66012,7,2,1,2,NA,1,1,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11160.282155,11175.362327,2,97,8,8,2.01,4,4,2,0,0,2,24,1,4,1,1
+66013,7,2,1,23,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,35338.972549,35820.670014,2,90,2,2,0.25,5,5,0,1,0,2,41,2,4,1,NA
+66014,7,2,2,5,NA,4,4,2,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10389.292229,10964.092156,2,95,1,1,0.09,5,5,3,1,0,2,31,1,2,1,NA
+66015,7,2,1,64,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,7926.298973,8333.304577,2,96,8,8,3.06,2,2,0,0,1,1,64,2,5,1,5
+66016,7,2,2,4,NA,5,6,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7349.373527,7474.681451,2,91,7,7,1.56,4,4,1,1,0,2,37,2,5,1,5
+66017,7,2,2,11,NA,3,3,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,48532.852397,48387.04619,1,98,15,15,5,5,5,0,3,0,2,41,1,5,6,NA
+66018,7,2,2,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10788.880391,11608.95565,2,95,6,6,0.97,6,6,2,2,0,1,37,1,3,1,4
+66019,7,2,1,12,NA,4,4,1,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16089.133406,15900.017206,2,102,3,3,0.76,3,3,0,1,1,2,66,1,2,3,NA
+66020,7,2,2,9,NA,1,1,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,NA,15225.935813,15373.8033,2,94,7,7,1.79,4,4,1,1,0,2,32,1,4,1,4
+66021,7,2,1,33,NA,5,7,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,25461.575888,25330.616054,1,93,15,15,5,2,2,0,0,0,2,34,1,5,1,5
+66022,7,2,2,35,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,28958.579549,28751.652767,1,96,12,12,NA,5,5,1,2,0,2,35,1,5,1,4
+66023,7,2,1,2,NA,5,6,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10123.286306,10611.741928,1,100,10,10,3.04,4,4,2,0,0,1,30,2,5,1,5
+66024,7,2,2,11,NA,1,1,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15841.451259,16252.614023,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+66025,7,2,1,8,NA,4,4,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9468.438225,10001.401449,2,99,6,6,1.57,3,3,0,2,0,2,31,1,3,77,NA
+66026,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,65748.417123,66365.048213,2,99,15,15,5,1,1,0,0,1,1,65,1,5,3,NA
+66027,7,2,2,40,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,5,1,3,1,2,2,1,2,2,1,2,2,1,31235.666551,32148.463094,2,94,6,6,2.94,1,1,0,0,0,2,40,2,5,1,NA
+66028,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,96499.801072,98371.919459,1,92,14,14,3.93,3,3,1,0,0,1,20,1,4,1,4
+66029,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,112153.23206,1,91,8,8,2.17,4,4,0,0,0,1,59,1,4,1,5
+66030,7,2,1,13,NA,1,1,1,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,29234.272259,29395.83763,3,92,10,1,0,5,1,2,1,1,2,68,1,3,1,1
+66031,7,2,2,56,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,19183.115011,19284.554221,1,92,4,4,1.75,1,1,0,0,0,2,56,1,5,5,NA
+66032,7,2,1,36,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,30626.581617,32055.135325,2,90,14,14,3.45,4,4,1,1,0,2,34,2,5,6,NA
+66033,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,64581.191728,67036.946354,2,94,99,99,NA,2,2,0,0,0,2,37,1,2,1,4
+66034,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,26847.643051,29218.940922,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+66035,7,2,1,0,5,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4461.618312,4741.503802,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+66036,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,94,9,9,3.97,2,2,0,0,2,1,74,1,4,1,4
+66037,7,2,2,14,NA,4,4,2,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,12440.215685,1,98,10,10,3.77,3,3,0,1,0,1,48,NA,NA,1,4
+66038,7,2,2,2,NA,1,1,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10271.907274,2,94,77,77,NA,4,4,2,0,0,1,26,2,2,1,4
+66039,7,2,1,8,NA,3,3,2,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15653.970322,16628.805574,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+66040,7,2,2,24,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,NA,NA,NA,1,2,2,1,40149.982555,41250.018596,2,103,6,6,1.98,2,2,0,0,0,1,24,1,2,6,NA
+66041,7,2,1,58,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,31872.125984,32498.709833,2,96,8,8,3.67,2,2,0,0,0,1,58,1,3,3,NA
+66042,7,2,1,15,NA,2,2,2,15,186,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18909.886675,20785.327762,2,90,8,8,1.72,5,5,1,2,0,1,20,2,1,1,2
+66043,7,2,2,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,166028.936087,173980.461474,2,101,12,12,NA,1,1,0,0,1,2,64,1,3,1,NA
+66044,7,2,1,14,NA,5,6,1,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12013.02156,13498.577364,3,92,12,12,NA,5,5,0,2,0,1,47,1,3,1,3
+66045,7,2,1,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,22506.522055,23661.545768,1,98,4,4,0.75,4,4,0,1,0,2,48,1,2,1,3
+66046,7,2,2,0,0,1,1,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9767.083234,10416.172562,3,92,8,8,2,4,4,2,0,0,1,30,1,4,1,4
+66047,7,2,2,0,1,4,4,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3594.351671,3811.412689,2,99,6,6,1.11,5,5,1,2,0,2,41,1,2,5,NA
+66048,7,2,2,6,NA,5,6,1,6,72,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10387.513218,11140.943027,1,92,77,77,NA,4,4,1,1,0,2,40,2,4,1,4
+66049,7,2,1,73,NA,2,2,2,NA,NA,2,NA,2,2,8,NA,5,1,NA,2,2,2,2,2,2,2,2,2,NA,12343.565567,12789.649007,3,90,10,10,3.04,4,4,0,0,2,2,80,2,1,3,NA
+66050,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,10072.885959,10423.387676,2,100,2,2,0.78,1,1,0,0,1,2,80,1,4,2,NA
+66051,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,30451.148148,30372.925419,2,101,4,4,0.73,5,5,1,2,0,1,40,1,5,1,5
+66052,7,2,2,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,138322.767578,145546.941919,1,101,7,7,2.31,2,2,0,1,0,2,43,1,4,3,NA
+66053,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,133492.667054,133041.068157,1,95,14,14,5,2,2,0,0,2,2,65,1,4,1,4
+66054,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,95214.22557,100722.009256,1,97,15,15,5,4,4,1,1,0,2,33,1,5,1,3
+66055,7,2,1,4,NA,4,4,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7311.663111,7763.016267,2,93,4,4,0.56,5,5,2,1,0,1,27,1,2,6,NA
+66056,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,23325.73926,22943.576186,1,101,10,10,5,1,1,0,0,0,2,57,1,3,3,NA
+66057,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,24004.078396,24148.434886,2,99,2,2,0.81,1,1,0,0,0,2,48,1,2,5,NA
+66058,7,2,2,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,64463.340883,65151.773075,1,91,8,8,3.4,2,2,0,0,2,2,74,1,4,1,2
+66059,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,11019.434708,11234.197915,3,91,15,15,4.47,4,4,0,1,2,2,79,1,4,3,NA
+66060,7,2,2,8,NA,2,2,2,8,102,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15148.721588,15796.67129,2,91,8,1,0,3,1,0,2,0,2,33,2,4,5,NA
+66061,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,22295.761589,23482.073935,3,92,4,4,1.34,1,1,0,0,0,1,34,1,1,6,NA
+66062,7,2,1,7,NA,3,3,2,8,96,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23729.905536,29042.69522,1,101,3,3,0.61,4,4,1,2,0,1,38,1,2,4,NA
+66063,7,2,1,0,0,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4944.997189,5222.307037,2,103,13,13,NA,5,5,2,1,0,1,32,2,2,1,2
+66064,7,2,2,3,NA,1,1,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,21465.084926,22148.063325,1,92,4,4,0.74,4,4,1,1,0,1,42,2,3,1,4
+66065,7,2,2,2,NA,5,6,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8894.95474,1,97,14,14,4.5,3,3,1,0,0,1,30,1,5,1,5
+66066,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,34718.816885,38024.444986,1,91,15,15,5,3,3,0,0,2,1,60,1,5,1,3
+66067,7,2,2,7,NA,4,4,2,7,95,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10994.192555,11605.838362,2,97,3,3,0.46,5,5,0,3,0,1,40,1,2,1,3
+66068,7,2,1,76,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,6945.351825,7467.825932,1,103,5,5,0.65,6,6,0,0,1,2,26,2,4,5,NA
+66069,7,1,2,55,NA,2,2,NA,NA,NA,2,NA,2,1,7,NA,2,4,NA,2,2,2,2,2,2,NA,NA,NA,NA,24902.414229,0,1,90,77,77,NA,2,2,0,0,0,2,55,2,2,4,NA
+66070,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,12174.606153,16326.594828,1,90,7,7,1.3,5,5,1,2,1,2,62,1,2,2,NA
+66071,7,2,2,65,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11862.436765,13289.857171,1,90,7,7,3.85,1,1,0,0,1,2,65,1,3,1,NA
+66072,7,1,1,77,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,38226.070503,0,1,99,NA,NA,NA,2,2,0,0,2,1,77,1,3,1,NA
+66073,7,2,1,80,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,2,NA,2,2,2,1,2,2,2,2,2,NA,8388.502332,8563.888023,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+66074,7,1,1,42,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,18790.641284,0,2,100,15,15,5,4,3,0,2,0,1,42,1,3,5,NA
+66075,7,2,1,69,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,3,12579.986433,13271.133625,1,92,7,7,2.1,3,3,0,0,2,1,37,2,5,5,NA
+66076,7,2,1,17,NA,2,2,1,17,213,2,NA,2,2,3,11,NA,NA,NA,2,2,2,1,2,2,2,2,2,2,22721.243258,23068.545411,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+66077,7,2,1,63,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22234.74698,22519.946154,2,94,15,15,5,2,2,0,0,1,1,63,1,5,1,4
+66078,7,2,1,3,NA,3,3,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,32718.806351,38337.758985,1,94,6,6,1.21,4,4,2,0,0,1,27,1,2,1,2
+66079,7,2,1,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,26946.665552,2,101,4,4,1.65,1,1,0,0,0,1,54,1,3,5,NA
+66080,7,2,1,8,NA,4,4,2,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10651.061092,11315.742189,1,90,6,6,1.57,3,3,0,1,0,2,36,1,3,5,NA
+66081,7,1,1,8,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14610.93355,0,2,102,14,14,3.8,4,4,0,2,0,1,47,1,4,1,4
+66082,7,2,2,9,NA,4,4,1,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10332.067017,12551.283611,1,100,9,9,2.6,4,4,0,1,0,1,45,1,3,1,3
+66083,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,36038.266622,37278.43838,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+66084,7,2,2,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,73204.401173,80916.420945,2,91,7,7,3.13,1,1,0,0,1,2,76,1,3,3,NA
+66085,7,2,2,5,NA,5,7,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27969.562936,30869.748923,3,91,7,7,1.57,4,4,2,0,0,2,29,2,3,1,3
+66086,7,1,2,80,NA,2,2,NA,NA,NA,2,NA,2,1,4,NA,1,2,NA,2,1,2,1,2,2,NA,NA,NA,NA,10430.111347,0,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+66087,7,2,2,18,NA,2,2,2,18,223,2,NA,2,1,5,12,NA,NA,NA,1,2,2,2,2,1,1,2,2,1,19458.108146,21037.021471,2,91,4,4,0.94,3,3,0,1,0,2,50,2,1,4,NA
+66088,7,2,1,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5662.231921,5835.178913,1,99,5,5,1.13,3,3,1,1,0,2,30,1,1,4,NA
+66089,7,2,1,34,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17802.31438,18635.96967,1,102,3,3,0.92,1,1,0,0,0,1,34,1,4,5,NA
+66090,7,2,2,25,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,NA,NA,NA,NA,50915.06085,51518.363256,3,92,7,7,2.1,3,3,1,1,0,2,25,1,4,5,NA
+66091,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,33092.243754,1,95,3,3,0.76,3,3,0,0,1,1,41,1,2,1,4
+66092,7,2,2,68,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17243.546687,17909.086027,1,92,9,9,3.64,2,2,0,0,2,1,77,1,5,1,4
+66093,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29010.447112,32633.46257,1,100,5,5,2.15,1,1,0,0,0,2,41,1,4,5,NA
+66094,7,2,1,25,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,5,5,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15564.966804,2,101,8,6,2.8,2,1,0,0,0,1,24,2,5,5,NA
+66095,7,2,2,72,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,64368.917314,67563.498341,1,90,8,8,3.3,2,2,0,0,2,1,77,2,2,1,5
+66096,7,2,2,26,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,34906.069211,35828.732314,1,103,1,1,0.03,3,3,0,0,0,1,50,1,2,3,NA
+66097,7,2,2,11,NA,5,7,2,11,134,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16195.492817,16951.263709,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+66098,7,2,1,29,NA,4,4,2,NA,NA,1,1,2,1,3,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15920.644312,16085.139317,1,96,7,7,2.23,3,3,1,0,0,1,29,2,5,1,5
+66099,7,2,1,15,NA,5,6,1,16,192,NA,NA,2,2,2,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10346.302718,11006.15627,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+66100,7,2,2,16,NA,4,4,2,16,203,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,11743.959438,2,95,4,4,0.84,3,3,0,1,0,2,40,1,3,3,NA
+66101,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,48943.054903,67007.111083,2,98,1,1,0.23,2,2,1,0,0,2,20,1,3,6,NA
+66102,7,2,2,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11846.491502,12833.518532,2,101,3,3,0.46,5,5,1,2,0,1,34,1,2,6,NA
+66103,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,101419.325386,103801.228657,1,100,6,6,1.31,3,3,0,0,2,1,65,1,5,1,5
+66104,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,32467.087681,32793.115,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+66105,7,2,1,6,NA,3,3,2,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,68423.584566,71489.623895,1,98,15,15,3.7,5,5,2,1,0,1,34,1,5,1,5
+66106,7,2,2,2,NA,2,2,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7660.112391,8143.030995,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+66107,7,2,1,16,NA,4,4,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13756.125082,1,96,14,14,2.19,7,7,0,2,0,1,39,1,2,1,3
+66108,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,1,1,2,2,1,2,1,3,20111.196953,20296.097622,1,92,4,4,0.76,4,4,0,0,0,2,53,2,1,1,1
+66109,7,2,1,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,15561.574634,17154.493542,1,98,6,6,0.81,6,6,0,4,0,2,34,NA,NA,1,2
+66110,7,2,1,63,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105578.507837,104500.803223,1,99,15,15,5,2,2,0,0,2,1,63,1,5,1,NA
+66111,7,2,2,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,26311.803433,25091.046888,1,97,15,15,5,6,6,0,1,1,2,53,1,4,1,NA
+66112,7,1,2,33,NA,4,4,NA,NA,NA,2,NA,2,2,2,NA,3,5,3,1,2,1,1,2,1,NA,NA,NA,NA,29610.008111,0,2,93,1,1,0.2,2,2,1,0,0,2,33,2,3,5,NA
+66113,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,105141.812429,109679.354704,1,98,15,15,5,4,4,1,1,0,1,40,1,4,1,5
+66114,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,21306.824647,21522.187676,2,98,3,3,0.38,5,5,0,4,0,2,39,1,4,5,NA
+66115,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,202246.928022,1,91,10,10,3.51,3,3,0,0,1,1,21,1,4,5,NA
+66116,7,2,1,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,28542.421068,28714.346279,2,101,5,5,1.36,2,2,0,0,1,1,79,1,4,2,NA
+66117,7,2,2,16,NA,3,3,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,65698.166619,66553.178083,2,95,15,15,5,2,2,0,1,0,2,52,1,5,3,NA
+66118,7,2,1,10,NA,1,1,1,10,126,NA,NA,2,2,2,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13581.60325,14182.420159,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+66119,7,2,1,14,NA,3,3,1,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,59545.101745,58762.542429,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+66120,7,2,2,3,NA,4,4,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8451.169331,8918.740308,2,99,13,13,NA,5,5,2,0,0,2,21,1,3,5,NA
+66121,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,146181.198007,146233.940601,2,91,15,15,5,3,2,0,0,1,1,47,1,5,5,NA
+66122,7,2,1,2,NA,3,3,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47507.757497,52569.646909,1,101,8,8,1.85,5,5,3,0,0,2,31,1,2,1,2
+66123,7,2,2,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,35250.588028,36394.049804,2,95,4,4,0.79,3,3,1,0,0,1,50,1,4,6,NA
+66124,7,2,2,37,NA,1,1,1,NA,NA,2,NA,2,1,5,NA,1,1,2,2,2,2,1,2,2,1,2,2,2,38218.668882,37878.487888,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+66125,7,2,2,46,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,37411.196266,38309.127338,1,102,14,14,4.59,3,3,0,0,1,2,46,1,4,1,1
+66126,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12751.545122,13320.887973,2,101,9,9,4.08,2,2,0,0,2,2,67,1,5,1,3
+66127,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,11982.125462,2,97,7,7,2.65,2,2,0,1,1,2,61,1,4,3,NA
+66128,7,2,2,1,14,2,2,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8230.248767,8808.52375,2,100,15,15,4.26,5,5,1,1,0,1,54,1,4,1,5
+66129,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,97050.018399,96721.703127,1,99,12,12,NA,1,1,0,0,1,2,60,1,5,3,NA
+66130,7,2,2,0,1,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24719.075551,24047.650564,2,91,10,10,3.4,3,3,1,0,0,2,32,1,5,1,5
+66131,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,78018.093799,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+66132,7,2,1,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,29738.952706,30589.306008,2,94,6,3,0.68,3,2,0,0,0,1,26,1,4,5,NA
+66133,7,2,1,40,NA,2,2,1,NA,NA,1,1,2,1,7,NA,3,6,NA,1,2,2,2,2,2,1,2,2,1,39096.402803,46193.238956,2,91,14,7,3.94,3,1,0,1,0,1,40,2,3,6,NA
+66134,7,2,1,4,NA,1,1,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14505.510202,15541.607306,2,94,8,8,2.7,3,3,1,0,0,1,27,1,3,1,4
+66135,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,NA,NA,NA,1,2,2,1,12861.670836,12561.234288,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+66136,7,2,1,27,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,76458.986322,98479.173389,3,90,9,9,3.64,2,2,0,0,0,1,27,2,4,1,5
+66137,7,2,1,20,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,12135.693667,13397.909622,1,90,15,15,5,5,5,0,2,0,1,47,2,5,1,5
+66138,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16579.134475,17201.146893,3,91,15,15,5,4,4,1,1,0,1,39,2,5,1,5
+66139,7,2,1,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,21571.318341,25887.074025,1,102,7,7,1.8,5,4,1,0,2,1,47,1,3,5,NA
+66140,7,2,2,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,11879.290971,12794.969668,2,96,77,77,NA,1,1,0,0,1,2,63,1,3,5,NA
+66141,7,2,1,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,1,2,1,2,2,1,2,2,NA,69210.206708,71835.969778,1,98,14,14,4.96,2,2,0,0,2,1,71,1,5,1,5
+66142,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,27271.751091,27454.884133,2,101,6,2,0.46,3,1,0,0,0,1,21,1,4,5,NA
+66143,7,2,2,2,24,2,2,1,2,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9611.087345,9740.345081,2,93,9,9,2.6,4,4,2,0,0,2,20,1,5,1,3
+66144,7,2,2,4,NA,1,1,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19235.084509,21236.049482,3,92,7,7,1.65,4,4,1,1,0,1,27,1,3,1,3
+66145,7,2,2,5,NA,4,4,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13130.790087,14128.876607,2,102,5,3,0.63,5,4,2,1,0,1,24,1,4,6,NA
+66146,7,2,2,6,NA,3,3,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21910.300386,22800.721264,1,99,3,3,0.88,2,2,0,1,0,2,48,1,1,3,NA
+66147,7,2,2,57,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,2,NA,1,2,1,1,2,1,1,2,2,NA,13697.309651,14098.608838,1,103,2,2,0.53,2,2,0,0,0,1,29,2,4,5,NA
+66148,7,2,1,0,6,4,4,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7434.326058,7971.593122,1,100,8,8,1.7,5,5,2,0,0,2,26,1,3,5,NA
+66149,7,2,1,18,NA,4,4,2,18,227,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,14,14,4.03,4,4,0,1,0,2,40,1,5,1,5
+66150,7,2,2,72,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,1,2,1,2,2,1,2,2,NA,17029.680467,17622.254657,1,101,6,6,1.43,4,4,0,1,2,2,72,1,2,1,NA
+66151,7,2,2,74,NA,4,4,2,NA,NA,2,NA,2,1,9,NA,2,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,16291.303936,17381.577792,1,93,2,2,0.61,2,2,0,0,1,2,45,2,3,5,NA
+66152,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,13093.362366,12735.028157,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+66153,7,2,1,78,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,15176.622228,16064.120023,1,101,4,4,1.11,2,2,0,0,1,1,78,1,4,2,NA
+66154,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,68074.313029,74840.450144,1,101,3,3,1.16,1,1,0,0,1,1,74,1,2,2,NA
+66155,7,2,2,19,NA,4,4,1,19,230,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11078.202838,10933.134393,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+66156,7,2,2,15,NA,4,4,2,15,189,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,6,6,0.86,6,6,0,4,0,2,32,1,4,6,NA
+66157,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,47098.572584,50542.386793,1,95,7,7,2.72,2,2,0,0,2,1,80,1,3,1,3
+66158,7,2,1,11,NA,5,6,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9175.735601,9896.833095,3,91,15,15,5,4,4,1,1,0,1,40,2,5,1,5
+66159,7,2,2,6,NA,5,6,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9007.62445,9504.796896,2,102,8,8,1.72,5,5,0,2,1,1,63,2,5,1,5
+66160,7,2,2,36,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,NA,NA,NA,NA,27627.442402,28606.852107,1,99,14,14,5,2,2,0,0,1,2,64,1,3,3,NA
+66161,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,14979.892428,16276.055879,1,92,3,3,0.98,2,1,0,0,1,1,53,NA,NA,5,NA
+66162,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,2,2,2,2,2,2,2,2,2,2,10614.141896,11057.12801,2,93,15,15,5,2,2,0,0,2,1,60,2,5,1,5
+66163,7,2,1,12,NA,1,1,1,12,147,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18242.832494,18521.680571,1,102,6,6,1.03,6,6,0,4,0,1,34,2,2,1,1
+66164,7,2,2,6,NA,4,4,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8292.876947,8466.609309,1,102,1,1,0,5,5,0,3,0,2,41,1,4,1,4
+66165,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,26847.643051,28699.104328,1,98,5,5,1.05,3,3,1,0,0,1,24,1,3,1,3
+66166,7,2,2,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,8211.623817,2,101,2,2,0.22,4,4,1,1,0,2,41,1,2,4,NA
+66167,7,2,2,23,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,11717.478547,12264.683949,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+66168,7,2,2,8,NA,3,3,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,53931.048037,53769.024148,2,96,7,7,2.38,2,2,0,1,0,2,30,1,4,3,NA
+66169,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105295.506815,106646.104223,2,94,15,15,5,3,3,0,1,1,1,63,1,5,1,3
+66170,7,1,1,2,24,5,7,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25107.382643,0,1,101,13,13,NA,3,3,1,0,0,2,20,1,2,6,NA
+66171,7,2,2,6,NA,4,4,2,6,80,NA,NA,2,1,3,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9235.947079,9578.084112,1,96,9,9,2.78,4,4,0,2,0,1,54,2,5,4,NA
+66172,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,53634.754806,54437.113731,1,98,3,3,0.73,3,3,0,0,0,1,52,1,4,1,3
+66173,7,2,2,32,NA,1,1,1,NA,NA,2,NA,2,1,99,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,39561.667842,40925.159766,2,98,2,2,0.27,4,4,2,1,0,2,32,2,2,5,NA
+66174,7,2,2,4,NA,4,4,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11231.392369,2,100,5,5,0.88,5,5,2,1,0,2,30,1,4,6,NA
+66175,7,2,1,13,NA,3,3,2,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30943.024697,32205.010072,1,98,3,3,0.5,5,5,0,3,0,2,56,1,3,3,NA
+66176,7,2,1,0,5,3,3,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30452.785006,32601.018115,3,92,15,15,5,4,4,2,0,0,1,38,1,5,1,5
+66177,7,2,1,44,NA,4,4,1,NA,NA,2,NA,2,2,1,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,22480.961662,23102.216297,1,98,6,6,1.57,3,3,0,0,2,1,66,2,2,1,4
+66178,7,2,1,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10420.275705,10827.833191,2,96,14,14,3.06,5,5,1,1,1,2,54,1,3,6,NA
+66179,7,2,2,23,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,1,NA,NA,NA,1,2,2,1,16937.04417,17660.28577,1,92,2,2,0.33,5,5,0,1,0,1,51,2,1,4,NA
+66180,7,2,2,15,NA,5,6,2,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,7284.336217,7807.466703,3,90,2,2,0.45,3,3,0,1,0,1,55,2,1,1,3
+66181,7,2,2,11,NA,3,3,2,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58907.362493,59749.51689,1,91,14,14,4.03,4,4,0,2,0,1,52,1,4,1,5
+66182,7,2,1,7,NA,3,3,2,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25019.74954,25881.463934,1,101,3,3,0.44,5,5,0,3,0,1,35,1,3,1,4
+66183,7,2,2,14,NA,4,4,2,14,173,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14143.201945,13910.07431,2,97,2,2,0.33,4,4,2,1,0,2,34,1,2,5,NA
+66184,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25807.688156,25402.018879,1,100,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+66185,7,2,2,2,NA,3,3,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23729.271287,24041.081904,1,94,3,3,0.65,3,3,1,0,0,2,20,1,4,6,NA
+66186,7,2,2,45,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,1,1,2,1,2,2,2,2,40337.933888,43242.784835,2,98,13,13,NA,5,5,0,2,0,1,48,2,1,1,2
+66187,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,26847.643051,28699.104328,1,98,5,3,1.07,4,1,2,0,0,1,24,1,3,6,NA
+66188,7,2,1,7,NA,2,2,1,7,88,NA,NA,2,1,2,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11778.213296,12552.114189,2,93,5,5,0.87,4,4,1,1,0,1,41,2,5,1,3
+66189,7,2,1,47,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,31640.296506,32716.968709,2,94,12,12,NA,4,4,0,2,0,1,47,2,2,1,2
+66190,7,2,2,1,18,5,7,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7280.108168,7886.672866,3,91,14,14,3.17,6,6,1,3,0,1,39,1,4,1,5
+66191,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,24382.996387,23715.691726,1,92,3,3,0.98,2,2,0,0,1,1,70,1,2,1,2
+66192,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,32785.873783,35446.092694,1,94,9,9,3.8,2,2,0,0,2,1,80,1,4,1,4
+66193,7,2,2,25,NA,4,4,2,NA,NA,2,NA,2,2,1,NA,4,1,2,1,2,1,1,2,2,NA,NA,NA,NA,21640.010524,20942.104189,1,93,6,6,1.35,3,3,0,1,0,1,32,2,4,1,4
+66194,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,149804.257477,155051.140087,1,97,15,15,5,3,3,0,1,2,2,63,1,5,1,NA
+66195,7,2,2,9,NA,4,4,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7619.934086,8032.046596,2,103,6,6,1.3,4,4,1,1,0,2,26,1,4,1,3
+66196,7,2,2,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,NA,NA,NA,NA,36053.766709,35796.14047,1,100,5,5,0.85,5,5,0,2,0,2,54,1,2,2,NA
+66197,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,10536.096735,10975.825598,2,93,5,5,1.32,2,2,0,0,2,1,71,2,4,1,1
+66198,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,11762.034222,11824.231183,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+66199,7,2,2,58,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,2,2,2,1,2,2,1,19676.781212,20033.616894,2,103,12,12,NA,3,3,0,0,1,1,60,2,2,1,2
+66200,7,2,1,10,NA,1,1,1,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12577.115885,12876.06354,2,96,7,7,1.79,4,4,0,2,0,1,43,2,3,1,2
+66201,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,159455.333031,1,101,8,8,2.24,4,4,0,1,0,1,45,1,4,1,NA
+66202,7,2,1,61,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,5201.567667,6086.620135,2,92,99,77,NA,7,3,3,3,1,1,61,2,1,1,3
+66203,7,2,1,17,NA,5,7,2,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13748.325141,13775.506705,1,97,15,15,5,6,6,0,1,1,2,53,1,4,1,NA
+66204,7,2,2,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,36053.766709,37031.002154,1,100,14,14,3.47,4,4,2,0,0,1,34,1,5,1,5
+66205,7,2,2,28,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,112991.277498,114001.49655,1,93,14,14,5,1,1,0,0,0,2,28,1,5,3,NA
+66206,7,2,1,62,NA,4,4,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,7973.883342,8036.257566,1,100,9,9,2.88,3,3,0,0,1,1,62,2,5,1,4
+66207,7,2,1,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,7663.797586,8115.960731,1,96,7,7,3.58,1,1,0,0,1,1,80,1,1,2,NA
+66208,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,35958.875702,38183.099815,1,98,8,8,2.62,4,3,0,0,0,1,53,1,2,1,3
+66209,7,2,1,15,NA,4,4,1,16,192,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13731.625553,14242.275028,1,100,14,14,5,3,3,0,1,1,2,44,1,4,5,NA
+66210,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9113.905743,10210.592308,3,90,3,3,0.78,3,3,0,1,2,1,80,2,3,1,2
+66211,7,2,2,8,NA,5,7,1,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7877.267255,8558.823016,2,94,15,15,4.44,5,5,0,1,1,2,74,1,5,2,NA
+66212,7,2,1,8,NA,1,1,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,16747.549238,17012.570163,2,96,4,4,0.81,4,4,1,1,0,1,36,2,1,6,NA
+66213,7,2,1,18,NA,5,7,1,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,93641.872053,93270.118243,2,98,10,10,3.04,4,4,0,0,0,1,55,1,4,1,4
+66214,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,1,2,NA,30548.472436,31485.669458,1,101,7,7,1.83,3,3,0,0,2,1,67,1,1,1,2
+66215,7,2,1,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,28739.023279,1,94,3,3,1.16,2,1,0,0,0,2,36,1,3,5,NA
+66216,7,2,2,8,NA,5,6,1,8,105,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9620.269705,11100.236566,2,91,6,6,1.26,5,5,0,2,0,2,47,2,1,1,1
+66217,7,2,2,51,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,1,1,2,1,2,2,2,2,28701.155283,32172.514581,2,98,7,7,2.25,3,3,0,1,0,2,51,2,1,1,1
+66218,7,2,2,43,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,3,1,2,2,1,2,2,1,2,2,1,34666.955582,39600.756419,1,97,6,6,2.24,2,1,0,0,0,2,43,1,4,3,NA
+66219,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,138322.767578,143283.052066,1,101,7,7,2.64,2,2,0,0,0,1,57,1,2,1,2
+66220,7,2,1,19,NA,3,3,2,20,NA,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,56223.281913,55799.760014,1,99,8,8,2.81,3,3,0,1,0,1,19,1,4,NA,NA
+66221,7,2,2,59,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11446.604914,11655.034159,2,92,3,3,0.7,3,3,0,0,0,1,58,2,1,1,1
+66222,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16382.74577,17320.281883,2,99,7,7,1.63,4,4,0,2,0,1,53,1,3,3,NA
+66223,7,2,2,9,NA,3,3,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,43528.185872,44344.05334,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+66224,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,42992.537371,49508.460769,2,95,2,2,0.54,1,1,0,0,1,2,80,1,3,2,NA
+66225,7,2,2,0,4,4,4,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4439.36229,4707.453058,2,100,14,14,3.06,5,5,1,0,0,1,50,1,5,1,5
+66226,7,1,1,2,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11853.772636,0,2,96,3,3,0.54,4,4,1,1,0,1,29,1,2,1,2
+66227,7,2,1,66,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,6357.471593,6706.752466,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+66228,7,2,1,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,115391.113177,120921.742093,1,102,14,8,4.41,2,1,0,0,0,1,27,1,4,5,NA
+66229,7,2,1,71,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,51668.474366,53628.722404,1,99,15,15,5,2,2,0,0,2,2,68,1,3,1,5
+66230,7,2,2,64,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,3,4,NA,2,2,2,2,2,2,1,2,1,2,13676.984152,14509.761798,2,91,8,8,1.85,5,5,0,2,1,1,39,2,3,1,4
+66231,7,2,1,0,4,1,1,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5323.166653,5657.098649,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+66232,7,2,2,17,NA,5,7,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,15,15,5,6,6,0,3,0,1,47,1,5,1,5
+66233,7,2,2,25,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,16937.04417,18839.574737,1,92,14,14,3.3,4,4,2,0,0,1,28,1,4,1,4
+66234,7,2,1,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108504.032354,111983.725775,1,92,6,6,1.62,3,3,1,0,0,2,26,1,5,1,5
+66235,7,2,2,33,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,17978.142628,18308.053591,1,91,5,5,0.89,4,4,2,0,0,1,39,1,4,1,5
+66236,7,2,1,3,NA,1,1,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20874.345556,20902.551716,3,92,12,12,NA,4,4,2,0,0,1,30,1,3,1,4
+66237,7,2,1,52,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,1,2,2,2,2,1,2,26554.904329,26165.252043,2,93,8,8,2.49,3,3,0,0,0,1,52,2,2,1,4
+66238,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,7869.59899,8538.749518,2,100,6,6,2.39,1,1,0,0,1,2,61,1,2,2,NA
+66239,7,2,1,80,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,14765.705646,15876.477147,3,91,14,14,5,1,1,0,0,1,1,80,1,5,2,NA
+66240,7,2,1,47,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,18194.001026,18423.321012,1,92,14,14,3.69,4,4,0,2,0,1,47,2,4,4,NA
+66241,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,4,4,NA,2,2,2,1,2,2,1,2,2,2,18341.621382,19145.40337,2,90,5,5,1.19,3,3,0,0,0,2,50,2,4,4,NA
+66242,7,2,2,14,NA,1,1,1,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16781.078148,17378.8338,2,103,2,2,0.22,7,7,0,3,0,2,39,2,1,5,NA
+66243,7,2,2,39,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,26465.930618,27183.288271,2,97,15,15,5,4,4,0,2,0,1,47,NA,NA,6,NA
+66244,7,2,2,3,NA,1,1,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13366.393396,14756.857003,2,94,4,4,0.81,4,4,2,0,0,1,26,2,2,1,2
+66245,7,2,1,47,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18094.847125,18029.478224,3,91,10,10,4.42,2,2,0,0,0,1,47,2,2,1,NA
+66246,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,NA,NA,NA,1,2,2,1,152858.509804,163392.947883,1,95,NA,NA,NA,5,5,0,2,0,2,37,1,3,1,NA
+66247,7,2,1,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,9850.66662,10431.854777,2,98,2,2,0.75,1,1,0,0,1,1,70,1,2,2,NA
+66248,7,1,1,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,81508.607355,0,1,91,8,8,2.51,3,3,1,0,0,2,24,1,4,1,3
+66249,7,2,2,27,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18801.993237,20649.846581,2,96,8,6,2.39,2,1,0,0,0,1,26,2,5,5,NA
+66250,7,2,2,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,1,2,2,1,55628.505329,57174.814545,3,92,4,3,0.52,5,4,0,0,0,2,57,1,4,1,2
+66251,7,2,1,33,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,53303.690379,52901.390578,1,100,4,4,0.78,4,4,0,0,1,1,33,2,1,1,1
+66252,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11017.136221,11794.318892,1,101,1,1,0,2,2,1,0,0,2,32,1,3,3,NA
+66253,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,80709.488833,1,101,9,9,2.6,4,4,0,2,0,2,38,1,4,1,4
+66254,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,1,2,NA,2,5,NA,2,2,2,2,2,2,2,2,2,2,10235.0654,10662.230581,2,93,7,7,2.31,2,2,0,0,1,2,40,2,4,5,NA
+66255,7,2,1,12,NA,1,1,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,32326.52031,34735.818434,2,98,13,13,NA,5,5,0,2,0,1,48,2,1,1,2
+66256,7,2,2,49,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,5,4,NA,2,2,2,1,2,2,2,2,2,2,31235.666551,31909.585756,3,92,8,8,2.01,4,4,1,0,0,2,49,2,5,4,NA
+66257,7,2,1,15,NA,4,4,2,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9509.185342,11220.147089,2,99,2,2,0.2,7,7,1,2,1,1,63,1,1,2,NA
+66258,7,2,1,14,NA,5,6,1,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7721.59541,8116.704638,2,96,8,8,2.7,3,3,0,1,0,1,49,2,5,1,5
+66259,7,2,1,45,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,3,16898.996353,17358.625105,1,92,8,8,2.3,4,4,0,1,0,2,41,NA,NA,1,3
+66260,7,2,2,4,NA,5,6,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5373.703942,1,91,10,10,3.78,3,3,1,0,0,1,35,2,5,1,5
+66261,7,2,1,52,NA,3,3,2,NA,NA,2,NA,2,2,7,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,169896.236244,2,91,15,3,0.9,7,1,0,0,1,1,49,NA,NA,5,NA
+66262,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,52209.836905,0,1,98,6,6,1.95,2,2,0,0,2,1,80,1,3,1,3
+66263,7,2,1,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,105401.67423,106753.633419,2,92,14,14,5,1,1,0,0,1,1,65,1,5,5,NA
+66264,7,2,2,64,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,16352.915834,17178.789759,3,92,5,5,1.26,3,3,0,0,1,1,59,2,1,1,1
+66265,7,2,1,16,NA,4,4,2,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11462.850569,11753.30805,2,100,4,4,0.69,5,5,0,3,0,1,38,1,3,6,NA
+66266,7,2,2,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,25052.373156,28677.21758,1,95,9,9,2.3,5,5,2,1,0,1,28,1,3,1,3
+66267,7,2,1,0,9,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17196.879565,17385.815001,2,94,14,14,2.63,6,6,1,3,0,1,39,1,4,1,4
+66268,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,167183.296853,2,91,15,15,5,3,3,0,0,0,2,54,1,4,1,4
+66269,7,2,1,19,NA,3,3,2,19,229,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,88582.269653,92728.90632,1,91,15,15,5,3,3,0,0,0,2,57,1,3,1,3
+66270,7,2,1,76,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12101.489198,12967.543396,1,93,13,13,NA,2,2,0,0,2,1,76,2,5,1,5
+66271,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,14337.499427,15385.847212,1,95,3,3,0.82,2,2,0,0,2,2,80,1,3,1,2
+66272,7,2,2,29,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,4,1,3,1,2,2,1,2,2,1,2,2,1,11408.12687,12544.799584,2,90,5,5,1.08,3,3,0,1,0,2,29,2,4,1,5
+66273,7,2,2,13,NA,2,2,2,13,161,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13824.001771,14551.102227,2,90,8,8,2.7,3,3,0,1,0,2,31,1,5,4,NA
+66274,7,2,1,5,NA,1,1,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11776.305841,11467.607256,1,90,4,4,0.46,7,7,2,3,0,2,34,2,1,6,NA
+66275,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18626.118419,18025.412332,1,93,7,7,1.79,4,4,0,0,0,2,37,2,4,6,NA
+66276,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26595.398371,26621.513872,1,94,3,3,0.79,2,2,0,0,0,1,51,NA,NA,1,4
+66277,7,2,2,19,NA,5,7,1,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9200.381964,9723.240452,2,101,2,1,0,4,1,0,0,0,2,19,1,4,NA,NA
+66278,7,2,2,36,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,6,2,2,2,2,1,2,2,2,2,2,2,26494.281052,25779.409691,3,90,7,7,1.48,5,5,0,1,0,1,43,2,1,6,NA
+66279,7,2,1,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,8074.676044,8165.637965,2,92,12,12,NA,1,1,0,0,1,1,62,1,4,5,NA
+66280,7,2,2,69,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,19159.496319,19898.984475,1,92,77,77,NA,4,4,0,0,2,1,59,2,5,1,5
+66281,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,175997.804296,174522.064022,1,101,7,7,2.31,2,2,0,0,0,1,44,1,3,1,2
+66282,7,2,2,1,16,5,7,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7143.995395,7265.801592,3,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+66283,7,2,2,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,32620.612627,33141.797376,2,98,14,14,3.36,4,4,0,2,0,1,37,1,4,1,4
+66284,7,2,1,12,NA,4,4,1,12,148,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13523.666124,13550.403519,2,98,8,8,2.43,3,3,0,2,0,2,31,1,4,1,NA
+66285,7,2,1,51,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17493.087649,18732.743426,1,97,15,15,4.81,5,5,0,1,1,1,51,2,5,1,5
+66286,7,2,1,11,NA,4,4,1,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8714.559478,8865.734494,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+66287,7,2,1,47,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15341.871992,16429.080873,1,90,15,15,5,5,5,0,2,0,1,47,2,5,1,5
+66288,7,2,2,4,NA,5,7,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7143.995395,7265.801592,3,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+66289,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,118219.690774,2,94,7,7,3.21,1,1,0,0,0,1,41,1,5,5,NA
+66290,7,2,2,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,162373.29329,165026.206299,2,102,9,9,4.08,2,2,0,0,2,1,70,1,5,1,5
+66291,7,2,2,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,26426.249254,26363.744856,1,99,8,8,4.59,1,1,0,0,0,2,33,1,5,5,NA
+66292,7,2,2,9,NA,2,2,1,9,110,NA,NA,2,2,2,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,9897.093392,10755.962815,2,93,6,6,0.93,5,5,1,2,0,1,40,2,4,1,4
+66293,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,106709.949255,125265.093735,1,97,7,7,3.76,1,1,0,0,0,1,33,1,3,5,NA
+66294,7,2,1,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,53149.251154,56449.488341,2,91,12,12,NA,2,2,0,0,2,1,76,1,5,1,2
+66295,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,46927.876098,52201.899738,1,91,7,7,4.02,1,1,0,0,1,2,80,1,3,2,NA
+66296,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,24213.568265,24151.368594,1,99,3,3,1.1,1,1,0,0,0,1,43,1,5,3,NA
+66297,7,2,1,68,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,6358.062034,6381.990744,1,99,7,7,3.03,2,2,0,0,2,1,68,1,3,1,3
+66298,7,2,2,61,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,3,NA,2,2,2,2,2,2,1,2,2,1,8725.210615,9089.36131,2,93,8,8,3.3,2,2,0,0,1,2,61,2,5,3,NA
+66299,7,2,2,22,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,5,2,1,2,1,1,2,1,1,2,2,3,11232.759507,11862.956868,1,103,4,4,0.82,3,3,0,0,0,1,48,2,4,1,1
+66300,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,27738.890335,29287.813784,2,101,3,3,0.59,4,3,0,2,0,1,39,1,1,6,NA
+66301,7,2,1,12,NA,4,4,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,7,7,2.16,3,3,0,1,0,2,44,1,4,6,NA
+66302,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,34922.33705,36456.366148,2,97,5,1,0,2,1,0,0,0,2,45,1,2,4,NA
+66303,7,2,2,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28103.729242,2,101,8,8,2.43,3,3,0,1,0,1,35,1,4,6,NA
+66304,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,114838.671743,120356.919439,1,91,15,15,5,2,1,0,0,0,1,30,1,5,6,NA
+66305,7,2,2,13,NA,4,4,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,12440.215685,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+66306,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,16058.142925,15728.179634,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+66307,7,2,1,44,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,25454.275893,28114.898546,2,102,15,15,5,4,4,0,2,0,1,44,1,3,1,1
+66308,7,2,1,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,32461.799549,34082.06298,1,101,3,3,0.86,2,2,0,0,1,2,80,1,1,2,NA
+66309,7,2,2,30,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,26546.087356,27263.66872,1,102,4,4,1.02,2,2,0,1,0,2,30,1,2,5,NA
+66310,7,2,2,53,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12649.084278,13204.362319,3,90,3,3,0.75,3,3,0,0,0,1,55,2,4,1,3
+66311,7,2,1,39,NA,5,7,1,NA,NA,1,1,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13833.910151,14953.425412,2,103,15,15,5,3,3,0,1,0,2,37,2,5,1,5
+66312,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,28280.669788,29879.976389,1,99,14,14,5,2,2,0,0,2,1,80,1,4,1,4
+66313,7,2,2,1,17,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,15816.39252,3,92,4,4,0.65,4,4,2,0,0,2,20,1,3,5,NA
+66314,7,1,1,2,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13968.423539,0,2,102,3,3,0.7,3,3,1,0,0,1,28,2,2,1,2
+66315,7,2,1,2,NA,1,1,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13281.490378,14230.158403,1,98,8,8,1.95,4,4,1,1,1,2,59,1,3,1,1
+66316,7,2,2,0,8,3,3,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11902.236733,11578.945551,2,97,5,5,1.24,3,3,1,0,0,2,27,1,3,1,3
+66317,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,126435.397679,126594.17356,1,91,10,10,2.77,5,5,0,3,0,1,43,1,5,1,5
+66318,7,2,2,6,NA,4,4,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7746.357421,7953.594257,1,99,6,6,1.34,4,4,0,2,0,1,40,1,4,1,4
+66319,7,1,2,76,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,76025.86855,0,2,98,14,14,5,2,2,0,0,2,1,78,1,5,1,3
+66320,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,14519.343202,14452.61667,2,90,6,6,0.96,5,5,0,1,0,1,55,1,4,6,NA
+66321,7,2,2,71,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,56693.798097,58632.718368,1,103,12,6,2.51,3,1,0,0,1,2,71,1,5,3,NA
+66322,7,1,1,56,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17796.910402,0,2,103,8,8,4.83,1,1,0,0,0,1,56,1,5,5,NA
+66323,7,2,2,49,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,34954.173075,37355.359293,2,98,5,5,1.07,4,4,0,1,0,1,53,2,1,1,1
+66324,7,2,1,1,13,4,4,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5853.073657,6453.970807,2,95,2,2,0.41,3,3,2,0,0,2,19,1,2,NA,NA
+66325,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,18670.751147,19670.682386,1,96,10,10,2.95,4,4,0,1,0,2,34,2,3,1,5
+66326,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16429.782444,20771.252762,3,90,14,14,5,2,2,0,0,0,1,47,1,2,5,NA
+66327,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,2,2,2,2,2,2,2,2,1,2,9404.30514,9554.950099,2,93,15,15,5,2,2,0,0,2,1,60,2,5,1,5
+66328,7,2,2,12,NA,5,6,2,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,15,15,4.81,5,5,0,1,1,1,51,2,5,1,5
+66329,7,2,1,6,NA,5,7,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7482.593572,7851.213843,1,101,4,4,0.78,4,4,1,2,0,2,31,1,4,3,NA
+66330,7,2,2,2,NA,3,3,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,55441.113009,56169.627907,1,92,9,9,3.04,3,3,1,0,0,1,48,1,3,1,4
+66331,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,36067.495928,36452.676481,1,95,2,2,0.83,1,1,0,0,1,2,77,1,4,2,NA
+66332,7,2,1,19,NA,4,4,1,19,238,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14848.504688,14956.646891,1,98,2,1,0.36,2,1,0,0,0,1,19,1,4,NA,NA
+66333,7,2,1,6,NA,2,2,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10738.959181,10632.988891,2,93,9,9,3.14,3,3,0,2,0,2,34,2,5,3,NA
+66334,7,2,1,37,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,1,1,2,2,1,2,2,2,40003.013263,42339.292617,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+66335,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,15262.313583,15991.170182,1,98,5,5,0.74,5,5,0,3,0,1,35,1,2,6,NA
+66336,7,2,1,71,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,43078.255639,45597.38383,1,93,12,12,NA,1,1,0,0,1,1,71,1,5,5,NA
+66337,7,2,2,9,NA,5,6,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3972.173341,4164.719478,1,103,77,77,NA,6,6,0,2,2,1,70,NA,NA,1,1
+66338,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,71034.153987,76359.172033,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+66339,7,2,1,18,NA,1,1,2,18,220,2,NA,2,2,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26704.187335,28443.712885,1,95,9,9,2.46,4,4,0,0,0,1,42,2,2,1,3
+66340,7,2,1,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8143.831412,8871.858164,2,102,10,10,3.04,4,4,2,0,0,2,31,2,2,1,NA
+66341,7,2,1,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,142634.419514,148973.13954,1,100,15,15,4.63,5,5,0,0,0,1,51,1,5,1,3
+66342,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,29733.812317,40471.383048,1,101,1,1,0,2,2,1,0,0,2,32,1,3,3,NA
+66343,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114993.808573,116714.079488,1,98,7,1,0.27,4,1,0,0,0,2,20,1,4,5,NA
+66344,7,2,2,7,NA,4,4,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8610.003992,8918.857984,2,93,6,6,1.15,5,5,3,1,0,1,29,1,3,5,NA
+66345,7,1,2,25,NA,5,6,NA,NA,NA,2,NA,2,2,2,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,16021.911789,0,1,91,9,9,2.97,3,3,1,0,0,1,31,2,5,1,5
+66346,7,2,2,17,NA,5,7,1,17,207,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8111.892084,8425.568811,3,91,15,15,5,4,4,0,2,0,1,38,2,5,1,5
+66347,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,29265.714405,31405.602677,1,95,12,12,NA,3,3,0,0,2,2,56,1,3,5,NA
+66348,7,2,2,13,NA,5,7,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8164.811332,8249.972742,1,93,15,15,5,5,5,1,2,0,2,40,1,5,1,5
+66349,7,2,2,24,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,10550.607376,12189.917123,2,100,6,6,1.62,3,3,1,0,0,1,32,1,3,1,3
+66350,7,2,1,14,NA,1,1,2,14,171,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,19483.203262,19562.510174,2,94,7,7,1.23,6,6,2,1,0,1,33,2,1,6,NA
+66351,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,53612.939104,58717.503545,1,95,15,15,5,2,2,0,0,2,2,80,1,4,1,4
+66352,7,2,2,18,NA,2,2,1,18,224,2,NA,2,2,3,12,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,12970.724558,13432.752316,2,103,5,5,0.65,6,6,1,0,1,2,61,2,1,2,NA
+66353,7,2,1,5,NA,1,1,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,14716.463544,14890.443704,2,96,4,4,0.69,5,5,2,0,0,2,57,2,1,4,NA
+66354,7,2,2,6,NA,1,1,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,20753.369981,21498.66298,1,97,6,3,0.45,7,6,2,1,0,1,29,2,2,1,1
+66355,7,2,1,62,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,1,1,2,2,1,2,1,NA,7576.466116,7992.718813,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+66356,7,1,1,0,1,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8390.245917,0,1,92,7,7,1.83,3,3,1,1,0,2,28,1,3,5,NA
+66357,7,1,1,52,NA,1,1,NA,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,1,1,2,1,NA,NA,NA,NA,26478.915067,0,1,102,99,99,NA,5,5,0,2,1,1,52,2,1,1,1
+66358,7,2,1,64,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,131818.641085,133509.443669,1,102,15,15,5,2,2,0,0,2,2,63,1,4,1,4
+66359,7,2,2,10,NA,3,3,2,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,72263.168327,73296.260667,2,91,15,15,5,3,3,0,2,0,1,44,2,5,3,NA
+66360,7,2,2,6,NA,1,1,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10118.363218,10311.586628,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+66361,7,2,1,4,NA,2,2,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,17306.08847,2,98,6,6,1.07,5,5,3,0,0,2,24,1,3,1,3
+66362,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,36187.441698,36468.041201,1,92,5,5,1.05,3,3,0,0,0,2,55,1,4,4,NA
+66363,7,2,2,4,NA,2,2,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16921.080098,17459.476859,1,91,7,7,1.66,4,4,2,0,0,1,32,2,5,1,4
+66364,7,1,2,2,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10806.348349,0,2,91,6,6,0.93,5,5,1,2,0,2,50,2,1,5,NA
+66365,7,2,1,4,NA,3,3,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23328.816247,26320.448782,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+66366,7,2,2,26,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,1,1,2,2,1,2,2,1,2,2,1,26388.213487,25090.218308,2,96,6,2,0.64,2,1,0,0,0,2,26,1,2,5,NA
+66367,7,2,2,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9399.281543,9696.12347,2,96,6,6,1.32,5,5,1,3,0,2,30,1,4,3,NA
+66368,7,2,1,7,NA,1,1,2,7,91,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10591.186197,11647.778431,1,90,4,4,0.46,7,7,2,3,0,2,34,2,1,6,NA
+66369,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19943.783243,19397.969296,2,95,9,9,5,1,1,0,0,0,2,48,1,4,3,NA
+66370,7,2,1,2,NA,1,1,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12413.685227,13300.367814,1,102,5,5,0.98,4,4,1,1,0,2,42,2,2,6,NA
+66371,7,2,1,77,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,10244.849903,10769.823368,2,99,6,6,1.98,2,2,0,0,2,1,77,1,3,1,3
+66372,7,2,1,5,NA,4,4,2,5,67,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7246.488236,7794.862746,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+66373,7,2,2,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,38724.771087,39491.917359,1,94,3,3,0.86,2,2,0,0,2,1,68,1,4,1,2
+66374,7,2,2,3,NA,1,1,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9468.006743,10197.085534,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+66375,7,2,1,31,NA,3,3,2,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,59510.728426,64240.841943,1,99,77,77,NA,4,4,1,1,0,1,31,2,3,1,3
+66376,7,2,1,10,NA,3,3,2,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23796.980721,24835.204126,1,95,5,5,1.03,4,4,0,2,0,1,33,1,3,1,3
+66377,7,2,1,43,NA,3,3,2,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,20650.777724,21846.156397,2,97,1,1,0.21,4,4,2,0,0,2,34,2,1,1,2
+66378,7,2,2,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,162969.911481,163428.386694,1,101,6,6,2.42,1,1,0,0,0,2,59,1,3,3,NA
+66379,7,2,2,1,22,2,2,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11346.120897,12219.822862,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+66380,7,2,2,0,0,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,29555.41642,28752.625674,3,92,14,14,5,3,3,1,0,0,2,36,1,5,6,NA
+66381,7,2,1,66,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,5854.547456,5900.343568,2,99,3,3,1.24,1,1,0,0,1,1,66,1,4,2,NA
+66382,7,2,2,40,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,40337.933888,43255.958723,3,92,10,10,2.82,4,4,0,1,1,1,36,1,3,1,5
+66383,7,2,2,3,NA,5,6,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6184.163292,6565.044513,1,91,12,2,0.48,7,2,2,2,0,2,54,NA,NA,1,NA
+66384,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,17246.716674,18154.82322,1,99,6,6,1.12,4,4,0,2,0,1,39,1,3,1,3
+66385,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,37453.906829,43130.398676,2,100,3,3,0.65,3,3,0,0,2,2,62,1,3,3,NA
+66386,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,4,4,NA,2,2,2,2,2,2,NA,NA,NA,NA,17465.336559,18230.717255,3,90,10,10,3.04,4,4,0,0,2,2,80,2,1,3,NA
+66387,7,2,2,2,NA,1,1,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,11414.885224,12293.882349,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+66388,7,2,2,7,NA,4,4,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7814.742747,8106.808519,2,95,1,1,0.25,3,3,1,1,0,2,26,1,2,5,NA
+66389,7,2,1,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,145342.530024,151393.302038,1,99,12,12,NA,2,2,0,0,0,1,55,1,5,1,4
+66390,7,2,2,9,NA,1,1,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17053.854294,17778.314301,3,92,5,5,0.95,4,4,0,2,0,2,51,2,5,1,1
+66391,7,2,2,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,122655.643802,126707.897291,3,91,15,15,5,2,2,0,0,0,2,28,1,5,1,5
+66392,7,2,1,14,NA,5,6,2,14,170,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8305.829479,8595.334823,1,93,15,15,5,3,3,0,2,0,2,48,2,5,3,NA
+66393,7,2,2,43,NA,5,7,1,NA,NA,2,NA,2,1,7,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20577.778251,21052.363481,1,92,14,5,2.06,2,1,0,0,0,2,43,2,4,5,NA
+66394,7,2,2,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7051.674614,7594.685042,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+66395,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,12969.776823,15634.514863,2,90,4,4,0.81,3,3,0,1,0,2,41,2,2,6,NA
+66396,7,2,2,46,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,19299.941018,19401.997997,2,102,5,5,1.08,3,3,0,1,0,2,46,2,1,5,NA
+66397,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,14699.320127,14652.436145,2,90,6,6,0.96,5,5,0,1,0,1,55,1,4,6,NA
+66398,7,2,1,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,1,2,1,1,2,1,2,2,NA,17113.447343,18123.138698,2,101,77,77,NA,2,2,0,0,2,1,70,1,2,5,NA
+66399,7,2,1,61,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,6815.198656,6994.794831,3,90,15,15,5,2,2,0,0,2,1,61,1,5,1,5
+66400,7,2,2,11,NA,5,7,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10699.45895,11230.540406,1,97,8,8,2.51,3,3,0,2,0,2,39,2,4,2,NA
+66401,7,2,2,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14414.529053,14783.957167,2,96,1,1,0.06,5,5,2,1,0,1,27,2,3,1,4
+66402,7,2,1,60,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,15,6,2.3,3,1,0,0,2,2,73,1,4,3,NA
+66403,7,2,2,5,NA,1,1,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,17887.570772,19748.358154,1,92,4,4,0.74,4,4,1,1,0,1,51,2,1,1,1
+66404,7,2,2,35,NA,3,3,2,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,59095.849383,59277.549533,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+66405,7,2,1,58,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,15601.50288,15551.741356,2,99,99,3,0.9,7,1,1,0,1,1,60,NA,NA,1,NA
+66406,7,2,1,10,NA,5,6,2,10,120,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7923.925927,8546.646915,1,91,77,77,NA,4,4,0,2,0,1,50,2,5,1,5
+66407,7,2,2,9,NA,2,2,2,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,15148.721588,15796.67129,2,91,2,2,0.22,4,4,0,3,0,2,45,2,5,4,NA
+66408,7,2,2,0,6,4,4,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3756.765605,4035.952682,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+66409,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,31552.004994,1,95,6,6,1.09,5,5,0,3,0,1,31,1,4,1,4
+66410,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,27356.080541,28721.124083,1,101,6,6,1.31,3,3,0,2,0,1,43,1,3,4,NA
+66411,7,2,2,11,NA,4,4,2,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7814.742747,8587.431439,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+66412,7,2,2,41,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,4,1,2,2,2,2,2,2,2,NA,NA,NA,NA,32606.880052,32776.922157,2,93,6,6,0.93,5,5,1,2,0,1,40,2,4,1,4
+66413,7,2,2,4,NA,5,7,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11412.589323,11707.167617,3,91,6,6,1.75,3,3,1,1,1,1,63,1,5,4,NA
+66414,7,1,2,4,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8937.555666,0,2,99,15,15,5,3,3,1,0,0,2,34,1,5,1,5
+66415,7,2,1,1,20,2,2,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,15546.999135,16657.487532,3,92,NA,NA,NA,4,4,1,0,1,1,67,NA,NA,77,NA
+66416,7,2,2,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,131590.908764,1,98,8,8,3.3,2,2,0,0,1,1,50,NA,NA,1,3
+66417,7,2,2,5,NA,4,4,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12819.235788,13388.4749,1,98,5,5,1.26,3,3,1,1,0,2,27,1,5,5,NA
+66418,7,2,2,26,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,1,3,1,2,2,1,2,2,1,2,2,1,16844.740449,17564.040518,1,94,10,10,4.76,2,2,0,0,0,1,58,1,5,1,4
+66419,7,2,2,7,NA,1,1,1,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16664.698857,1,92,6,6,1.12,4,4,0,2,0,1,20,1,2,1,2
+66420,7,2,1,12,NA,5,6,1,12,152,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6747.259224,7022.128717,2,94,15,15,5,5,5,0,2,1,1,47,2,5,1,5
+66421,7,2,1,73,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,12146.092906,13015.339209,1,96,9,9,4.23,2,2,0,0,2,2,71,2,5,1,5
+66422,7,2,2,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,29248.061332,30978.18811,1,102,7,7,1.57,4,4,0,2,0,2,33,1,4,1,4
+66423,7,2,1,7,NA,5,6,2,7,91,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6620.63733,7182.792631,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+66424,7,2,2,14,NA,1,1,1,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18674.868029,19048.995585,2,92,8,8,1.42,7,7,0,4,0,2,37,1,1,6,NA
+66425,7,2,1,79,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9257.537917,9255.717695,1,99,5,5,1.69,2,2,0,0,2,1,79,1,1,1,4
+66426,7,2,2,2,NA,1,1,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10990.75621,2,94,14,14,3.58,4,4,1,0,1,1,80,1,3,2,NA
+66427,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,1,8746.76562,8644.133303,2,97,15,15,5,3,3,0,0,3,2,80,1,3,2,NA
+66428,7,2,2,1,15,5,7,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7483.230909,7475.326886,2,96,15,15,5,3,3,1,0,0,1,39,1,4,1,4
+66429,7,2,2,69,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,2,2,2,2,2,2,1,2,2,2,9716.805546,10308.451947,2,90,2,2,0.73,1,1,0,0,1,2,69,2,4,3,NA
+66430,7,2,1,11,NA,1,1,1,11,142,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11036.458246,10927.552283,1,102,13,13,NA,6,6,1,2,0,2,36,2,4,6,NA
+66431,7,2,2,23,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,85402.868381,88914.492385,2,94,15,6,2.94,2,1,0,0,0,1,29,1,4,6,NA
+66432,7,2,2,9,NA,3,3,2,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17668.551726,18764.602322,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+66433,7,2,2,11,NA,3,3,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16950.724686,16668.200588,2,98,5,5,0.8,5,5,1,3,0,2,37,NA,NA,4,NA
+66434,7,2,2,17,NA,2,2,2,17,210,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17848.732433,18700.272027,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+66435,7,2,1,3,NA,2,2,2,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15372.687224,15393.459347,1,90,6,6,1.68,3,3,1,1,0,2,36,2,4,4,NA
+66436,7,2,2,74,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,1,1,2,2,1,2,1,NA,18266.489157,18835.667339,1,100,5,5,1.18,3,3,0,0,2,2,34,2,5,5,NA
+66437,7,2,1,9,NA,5,7,1,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8439.403196,8726.876152,1,103,3,3,0.37,5,5,1,2,0,2,30,1,4,5,NA
+66438,7,2,1,44,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,4,3,NA,2,2,2,2,2,2,2,2,1,2,35393.002863,35146.477046,2,93,3,3,0.58,4,4,0,1,1,1,65,2,1,3,NA
+66439,7,2,2,48,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,34954.173075,42301.098402,2,98,7,7,1.53,5,5,0,0,0,2,48,1,3,5,NA
+66440,7,2,1,8,NA,2,2,2,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12477.812875,13297.681754,2,94,8,8,2.01,4,4,1,1,0,1,44,2,4,1,4
+66441,7,2,1,74,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,11550.158096,12419.035396,2,94,8,8,1.8,6,6,0,1,2,1,74,2,5,1,5
+66442,7,2,1,48,NA,3,3,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,79677.823556,83116.431703,1,99,15,15,4.47,4,4,0,2,0,2,52,2,5,1,5
+66443,7,2,2,38,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,5,2,2,2,1,2,2,1,2,2,2,2,45655.090694,60280.136423,3,92,4,4,1.12,2,2,0,1,0,2,38,2,1,5,NA
+66444,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,21969.841763,21746.409123,1,96,15,15,5,1,1,0,0,0,2,43,1,5,5,NA
+66445,7,2,2,11,NA,1,1,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17053.854294,17496.484818,2,98,8,8,2.26,4,4,0,1,0,2,43,1,3,1,2
+66446,7,2,1,4,NA,4,4,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7466.078788,7482.321895,1,96,3,2,0.16,7,6,1,4,0,2,32,1,2,5,NA
+66447,7,2,1,27,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16598.645683,2,100,5,5,0.88,5,5,2,1,0,2,30,1,4,6,NA
+66448,7,2,1,44,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,11113.602843,11073.454175,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+66449,7,2,1,62,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,7289.557268,7804.776102,3,90,77,77,NA,2,1,0,0,1,1,62,2,5,3,NA
+66450,7,2,2,7,NA,3,3,2,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,74327.830279,75742.187091,2,91,6,6,1.34,4,4,1,2,0,2,33,1,4,3,NA
+66451,7,2,2,52,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,24902.414229,25152.803056,1,90,9,9,5,1,1,0,0,0,2,52,2,3,5,NA
+66452,7,2,1,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6992.24593,7205.816818,2,97,3,1,0.44,3,1,2,0,0,2,20,1,2,5,NA
+66453,7,2,2,22,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16021.911789,17903.386129,1,91,12,2,0.48,7,2,2,2,0,2,54,NA,NA,1,NA
+66454,7,2,1,13,NA,4,4,1,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19401.033367,19892.636678,2,102,15,15,5,4,4,0,2,0,1,44,1,3,1,1
+66455,7,2,2,2,NA,1,1,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9132.13761,9422.704955,2,103,9,9,2.6,4,4,2,0,0,2,35,1,4,1,3
+66456,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,12842.559946,13702.031196,2,101,7,7,2.64,2,2,0,0,1,2,70,1,3,4,NA
+66457,7,2,1,70,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,16066.082986,17530.388953,1,90,3,3,0.79,2,2,0,0,1,1,70,2,2,1,NA
+66458,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,20137.117895,21220.947807,1,97,3,3,1.16,1,1,0,0,1,2,70,1,4,3,NA
+66459,7,2,2,15,NA,1,1,1,15,191,NA,NA,2,2,4,9,NA,NA,NA,2,1,1,2,2,1,1,2,2,1,13963.420591,15453.171136,2,103,13,13,NA,3,3,0,1,0,1,47,2,1,1,1
+66460,7,2,1,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,83081.99261,85461.503598,2,92,15,15,5,2,2,0,0,0,1,37,1,5,1,5
+66461,7,2,1,0,11,5,7,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6751.596541,7305.608189,2,92,6,6,1.35,3,3,1,0,0,2,32,1,5,1,5
+66462,7,2,1,57,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,28017.200708,28243.226144,2,102,8,8,4.87,1,1,0,0,0,1,57,1,3,3,NA
+66463,7,1,2,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,10683.855206,0,1,96,NA,NA,NA,4,4,1,1,0,2,37,NA,NA,1,4
+66464,7,2,1,21,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37911.437415,38922.114085,2,103,4,4,0.79,3,3,0,0,0,2,42,2,2,5,NA
+66465,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,74517.751389,74746.868777,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+66466,7,2,1,6,NA,1,1,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,2,1,1,1,2,2,NA,NA,NA,NA,14150.136224,14374.05449,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+66467,7,2,2,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,25511.973394,27084.821435,1,98,4,4,0.75,4,4,0,1,0,2,48,1,2,1,3
+66468,7,2,1,9,NA,5,7,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24259.597356,25770.339373,3,91,1,1,0.19,3,3,0,2,0,2,50,1,4,3,NA
+66469,7,2,1,18,NA,3,3,2,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26749.020961,27839.957403,1,101,1,1,0.08,3,3,1,0,0,2,19,1,2,NA,NA
+66470,7,2,2,31,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,3,3,3,1,2,2,1,2,2,1,2,2,1,35353.005268,35220.675513,2,94,7,7,3.21,1,1,0,0,0,2,31,2,3,3,NA
+66471,7,2,1,10,NA,4,4,2,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7886.48532,7943.675078,1,99,10,10,3.13,4,4,0,2,0,1,35,1,4,1,5
+66472,7,2,1,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,113655.661464,115113.492348,1,103,15,15,5,2,2,0,0,1,1,61,1,4,1,5
+66473,7,2,1,56,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,144757.450849,145711.976748,1,101,15,15,5,3,3,0,0,2,1,75,1,2,1,2
+66474,7,2,2,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,33331.144292,34526.406365,1,91,1,1,0.2,2,2,0,0,0,1,44,1,2,1,2
+66475,7,2,2,61,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,12403.522912,12838.398002,1,93,12,12,NA,4,4,0,0,2,1,66,2,4,1,2
+66476,7,2,1,60,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,131445.986898,130104.237054,1,101,9,9,5,1,1,0,0,1,1,60,1,4,3,NA
+66477,7,1,2,32,NA,2,2,NA,NA,NA,2,NA,2,7,77,NA,2,77,3,2,2,2,2,2,2,NA,NA,NA,NA,27127.983961,0,2,90,77,77,NA,2,2,0,1,0,2,32,2,2,77,NA
+66478,7,2,1,14,NA,1,1,1,14,172,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22768.423624,22944.003607,2,98,14,14,2.87,5,5,0,3,0,2,34,1,2,1,2
+66479,7,2,2,2,NA,3,3,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46813.021927,48287.821192,1,91,8,8,2.17,4,4,2,0,0,2,28,1,4,1,5
+66480,7,2,2,13,NA,1,1,1,13,162,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,21818.047789,22992.945413,2,102,7,7,1.79,4,4,0,2,0,1,40,2,2,6,NA
+66481,7,2,1,12,NA,2,2,2,12,152,NA,NA,2,2,2,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14081.782012,15478.382268,2,90,3,3,0.46,5,5,0,2,2,1,75,2,1,1,2
+66482,7,2,2,9,NA,1,1,1,9,109,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,16986.005478,17733.622754,2,102,6,6,1,6,6,1,3,0,1,35,2,3,1,3
+66483,7,1,2,13,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,55,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12531.903464,0,2,100,2,2,0.25,4,4,2,1,0,2,39,1,2,5,NA
+66484,7,2,1,6,NA,3,3,2,6,80,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23796.980721,25112.597396,1,95,5,5,1.19,3,3,1,1,0,1,47,1,2,3,NA
+66485,7,2,2,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,27338.92927,27355.916385,1,96,15,15,5,3,3,0,0,1,2,62,1,4,3,NA
+66486,7,2,1,1,23,2,2,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13002.944731,13931.716845,2,91,4,4,0.76,4,4,1,0,0,2,25,2,4,77,NA
+66487,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,12556.207754,12615.022145,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+66488,7,2,2,10,NA,5,7,2,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9620.269705,10273.007637,2,91,12,12,NA,4,4,0,2,0,1,40,1,5,1,5
+66489,7,2,1,4,NA,3,3,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,81508.607355,89259.872051,1,91,8,8,2.17,4,4,2,0,0,2,28,1,4,1,5
+66490,7,1,2,57,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,42475.69088,0,1,97,9,5,1.97,2,1,0,0,1,1,61,1,5,3,NA
+66491,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,22138.245498,30132.880506,2,93,6,6,2.05,2,2,0,1,0,2,30,1,4,3,NA
+66492,7,2,1,13,NA,2,2,2,13,157,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,1,2,NA,19186.411189,19608.692738,1,90,6,6,0.81,6,6,0,3,0,2,45,1,4,1,2
+66493,7,2,2,19,NA,4,4,2,19,238,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16363.914542,16162.453075,1,101,13,13,NA,3,3,1,0,0,2,19,1,2,NA,NA
+66494,7,2,1,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,32719.762791,34375.255008,1,101,6,6,1.65,2,2,0,0,0,1,47,1,4,1,2
+66495,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,2,NA,2,2,2,2,2,2,2,2,2,NA,18241.877822,20223.807162,2,93,8,8,2.57,3,3,0,0,1,1,59,2,3,1,3
+66496,7,2,2,2,NA,5,7,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7734.994032,7934.647352,2,95,2,2,0.56,2,2,1,0,0,2,22,1,3,5,NA
+66497,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,17794.144581,16918.878285,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+66498,7,2,2,14,NA,3,3,1,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,113907.203714,124196.980527,1,94,8,8,1.67,5,5,1,2,0,1,52,1,4,1,4
+66499,7,2,1,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,114943.792804,135002.90259,2,101,1,1,0.37,1,1,0,0,0,1,21,1,4,5,NA
+66500,7,2,1,15,NA,5,6,2,15,189,NA,NA,2,2,2,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7291.654281,7756.692286,3,91,4,4,0.69,5,5,0,2,0,1,45,2,4,1,1
+66501,7,2,1,0,6,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7237.392208,7237.525607,1,102,6,6,1.43,4,4,2,0,0,1,39,2,3,1,3
+66502,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,25212.845431,2,101,2,2,0.46,1,1,0,0,0,1,20,1,4,5,NA
+66503,7,2,1,50,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16117.991297,17802.733496,1,96,15,15,5,4,4,1,1,0,1,50,1,3,1,4
+66504,7,2,1,70,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,53028.045147,56320.756196,2,94,8,8,3.23,2,2,0,0,1,1,70,1,4,3,NA
+66505,7,2,1,34,NA,1,1,1,NA,NA,2,NA,2,1,5,NA,3,1,NA,2,2,2,1,2,2,1,2,2,2,41155.167164,40844.556107,1,102,5,5,0.92,5,5,0,3,0,2,39,2,3,1,3
+66506,7,2,2,25,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,39833.117645,41470.989238,2,94,4,4,1.16,2,2,0,0,0,1,39,1,2,1,5
+66507,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,53028.045147,62471.592039,2,94,8,8,4.59,1,1,0,0,1,1,74,1,3,3,NA
+66508,7,2,2,13,NA,4,4,2,13,159,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16363.914542,16149.629998,1,95,12,12,NA,2,2,0,1,0,2,41,1,4,5,NA
+66509,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,51433.805604,53192.834838,1,94,9,9,5,1,1,0,0,1,2,70,1,4,2,NA
+66510,7,2,1,11,NA,4,4,1,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10199.928366,10684.945227,1,100,9,9,2.22,5,5,1,2,0,2,40,2,4,1,4
+66511,7,2,2,52,NA,2,2,2,NA,NA,2,NA,2,1,4,NA,4,5,NA,2,2,2,1,2,2,2,2,2,2,27285.659216,28272.553853,1,93,4,4,0.92,3,3,0,0,1,1,60,NA,NA,1,4
+66512,7,2,2,8,NA,1,1,1,8,103,NA,NA,2,2,2,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,21075.336925,21477.798111,1,92,5,5,0.87,4,4,0,2,0,1,42,2,1,1,4
+66513,7,2,1,69,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,2,NA,1,2,1,1,2,1,1,2,1,3,7289.557268,7804.776102,3,90,77,77,NA,4,4,0,0,2,1,69,2,5,2,NA
+66514,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,38589.695298,44311.547931,2,96,8,8,4.59,1,1,0,0,0,2,36,1,5,5,NA
+66515,7,2,2,70,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,14786.399759,15527.475853,1,90,15,15,5,1,1,0,0,1,2,70,2,5,3,NA
+66516,7,2,1,6,NA,1,1,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13927.458372,14007.413517,2,98,14,14,3.91,4,4,1,1,0,1,36,2,3,1,5
+66517,7,2,1,2,NA,4,4,1,2,27,NA,NA,2,1,1,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7366.629832,7382.656579,1,98,10,10,1.89,7,7,3,2,0,1,50,1,5,1,5
+66518,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,10634.832821,11430.282078,2,95,6,6,1.65,2,2,0,0,1,2,80,1,1,2,NA
+66519,7,2,2,9,NA,4,4,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11116.391625,11717.604707,1,92,5,5,0.95,4,4,0,2,0,2,33,1,4,5,NA
+66520,7,2,2,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,21143.964074,22787.585902,1,100,8,8,2.36,3,3,1,0,0,2,37,1,3,4,NA
+66521,7,2,2,8,NA,3,3,2,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15442.305642,15459.941839,2,94,7,7,1.62,5,5,0,3,0,1,30,1,2,1,9
+66522,7,2,2,46,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,154664.071516,157709.344695,3,92,15,15,5,3,3,0,1,0,1,45,1,5,1,5
+66523,7,2,2,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10440.656902,1,99,9,9,5,1,1,0,0,1,2,66,1,5,2,NA
+66524,7,2,1,51,NA,3,3,2,NA,NA,2,NA,2,2,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,22746.832388,23155.578286,1,90,7,7,1.55,5,5,0,3,0,1,51,2,3,1,2
+66525,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,151649.038926,156529.976221,1,101,6,6,1.98,2,2,0,0,1,1,80,1,1,2,NA
+66526,7,2,1,0,7,3,3,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11414.210614,12219.404134,1,93,6,6,1.16,4,4,2,0,0,2,33,1,5,1,4
+66527,7,2,2,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,14534.533756,15040.28544,1,96,14,14,5,2,2,0,0,1,2,74,1,5,5,NA
+66528,7,2,2,13,NA,4,4,2,13,163,NA,NA,2,2,2,6,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,14105.705847,14983.542191,1,93,5,5,0.64,7,7,0,2,1,1,21,2,4,5,NA
+66529,7,2,1,0,0,4,4,2,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5360.999096,5443.282885,2,90,6,6,1.4,3,3,1,1,0,2,33,1,4,5,NA
+66530,7,2,2,3,NA,5,6,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7143.995395,7774.277146,3,91,15,15,5,4,4,2,0,0,2,33,2,5,1,5
+66531,7,2,2,57,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,24217.957803,24014.890408,2,94,15,15,5,2,2,0,0,1,1,63,1,5,1,4
+66532,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17501.079959,17489.07354,1,90,9,9,2.6,4,4,0,1,0,2,49,2,2,1,5
+66533,7,2,1,79,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,17113.447343,17448.661073,2,101,5,5,1.36,2,2,0,0,1,1,79,1,4,2,NA
+66534,7,2,1,3,NA,4,4,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,9588.632035,2,100,1,1,0.06,3,3,1,1,0,2,30,1,4,5,NA
+66535,7,2,1,23,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11743.336654,12063.054146,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+66536,7,2,2,52,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,2,2,2,1,2,2,1,2,2,1,19132.515566,20057.4089,3,90,77,77,NA,2,2,0,0,1,1,60,2,5,1,5
+66537,7,2,1,15,NA,3,3,1,15,182,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39918.077466,39803.689785,1,98,9,9,4.03,2,2,0,1,0,2,49,1,5,3,NA
+66538,7,2,1,69,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,92913.469106,93784.871586,2,100,8,8,3.4,2,2,0,0,2,1,69,1,4,1,4
+66539,7,2,2,9,NA,3,3,2,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,43531.157975,45562.561553,1,91,7,7,2.05,3,3,0,1,0,2,32,1,3,1,NA
+66540,7,2,2,0,4,4,4,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5264.07765,5655.281842,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+66541,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,15783.902141,16840.218806,2,95,5,5,1.45,2,2,0,0,2,1,72,1,3,1,3
+66542,7,2,1,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,8883.099096,8952.58549,2,96,8,8,2.7,3,3,0,0,2,2,52,1,3,1,4
+66543,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18724.594661,18534.166088,2,99,15,15,5,2,2,0,0,0,1,57,1,4,1,5
+66544,7,2,2,37,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,2,1,2,2,1,2,2,1,2,2,1,36053.766709,39664.262913,1,100,8,8,2.36,3,3,1,0,0,2,37,1,3,4,NA
+66545,7,2,2,6,NA,4,4,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7814.742747,8106.808519,2,95,1,1,0.09,5,5,3,1,0,2,31,1,2,1,NA
+66546,7,2,2,2,NA,2,2,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8867.166874,8986.419761,2,90,6,6,1.12,4,4,1,1,0,2,35,2,4,1,3
+66547,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140586.349952,144513.945685,2,91,15,15,5,2,2,0,0,2,1,65,1,5,1,5
+66548,7,1,2,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,68579.013834,0,1,92,4,4,1.29,2,2,1,0,0,2,24,1,4,3,NA
+66549,7,2,2,9,NA,1,1,1,9,117,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14414.529053,14932.182215,2,96,6,6,1.12,4,4,0,3,0,1,26,1,2,77,NA
+66550,7,2,2,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,30932.175051,30363.701754,2,101,6,6,1.9,2,2,0,1,0,2,42,1,5,5,NA
+66551,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,33109.285968,36756.097052,2,98,3,3,0.75,2,2,0,0,0,1,22,1,2,5,NA
+66552,7,2,1,45,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,34825.476578,34314.466393,2,93,6,6,2.69,1,1,0,0,0,1,45,2,4,1,NA
+66553,7,2,1,61,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,2,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,6967.511455,7138.703058,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+66554,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,167711.394252,169284.299948,1,101,3,3,0.73,2,2,0,0,1,1,60,1,3,1,5
+66555,7,2,2,1,16,4,4,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6398.740074,6885.115697,1,93,6,6,0.83,6,6,3,1,0,1,37,NA,NA,1,3
+66556,7,2,1,60,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,10,10,3.51,3,3,0,0,1,1,21,1,4,5,NA
+66557,7,2,1,13,NA,1,1,2,13,159,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21399.234084,21870.218555,1,91,6,6,1.35,3,3,0,2,0,2,38,1,4,3,NA
+66558,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,159097.269198,162641.73095,1,97,15,15,5,3,3,0,0,1,1,64,1,3,1,3
+66559,7,2,1,47,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,38543.316567,38089.298859,1,90,15,15,5,6,6,0,4,0,2,48,1,5,1,5
+66560,7,2,2,5,NA,2,2,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13366.393396,14756.857003,2,94,8,8,2.01,4,4,1,1,0,1,44,2,4,1,4
+66561,7,2,2,42,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,3,2,2,2,2,1,2,2,2,2,2,2,32208.300114,36103.843028,1,102,3,3,0.54,3,3,0,2,0,2,42,2,2,3,NA
+66562,7,2,2,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,97925.559493,98801.080755,1,94,10,10,4.3,2,2,0,0,0,1,27,1,5,1,5
+66563,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,15226.654411,15756.489509,1,96,7,7,2.64,2,2,0,0,2,1,68,NA,NA,1,4
+66564,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,105873.555835,105977.518969,1,98,9,9,2.88,6,3,1,3,0,1,51,1,2,1,3
+66565,7,2,2,66,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,37934.469637,38685.959862,1,94,3,3,0.8,2,2,0,0,1,2,66,1,4,3,NA
+66566,7,2,1,17,NA,5,6,2,17,204,2,NA,2,1,4,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9099.599144,9679.941995,1,90,15,15,5,3,3,0,1,0,1,39,2,5,1,NA
+66567,7,2,2,2,NA,1,1,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7677.363986,8161.370187,2,90,6,6,0.96,5,5,1,1,0,1,39,2,2,1,NA
+66568,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,126314.769628,126413.297707,2,95,15,15,5,2,2,0,1,0,2,52,1,5,3,NA
+66569,7,2,2,62,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,12994.252166,2,90,2,2,0.64,1,1,0,0,1,2,62,2,2,3,NA
+66570,7,2,2,28,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,15665.259727,17204.835995,2,93,77,77,NA,2,2,0,0,0,2,28,2,5,1,5
+66571,7,2,1,13,NA,3,3,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61475.445782,62636.42019,2,92,15,15,5,5,5,0,3,0,2,46,1,5,1,5
+66572,7,1,2,2,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8474.492088,0,1,102,9,9,3.24,3,3,1,0,0,1,40,1,2,1,4
+66573,7,2,1,63,NA,1,1,2,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,9145.939054,9651.644596,1,101,5,5,0.87,4,4,0,0,2,1,63,2,1,1,NA
+66574,7,2,1,6,NA,2,2,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14820.807433,14905.891142,2,102,15,15,4.47,4,4,1,1,0,1,32,1,5,1,4
+66575,7,2,1,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,107347.639721,114331.46987,3,92,15,15,5,4,4,2,0,0,1,38,1,5,1,5
+66576,7,2,1,15,NA,4,4,2,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11252.388648,11670.840662,1,99,6,6,1.35,3,3,1,1,0,2,42,1,4,4,NA
+66577,7,2,2,11,NA,4,4,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7868.372593,8159.849106,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+66578,7,2,2,18,NA,2,2,1,18,223,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16781.078148,17658.768186,2,103,12,12,NA,4,4,0,1,0,2,50,2,3,1,4
+66579,7,2,1,13,NA,5,6,2,13,162,NA,NA,2,1,3,6,NA,NA,NA,1,1,1,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,99,99,NA,4,4,0,1,0,1,40,2,3,6,NA
+66580,7,2,1,1,19,4,4,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7084.261593,7811.556831,1,93,3,3,0.7,3,3,1,0,0,1,23,2,4,1,2
+66581,7,2,2,17,NA,5,6,1,17,209,2,NA,2,1,5,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7534.59005,7613.178065,1,102,15,15,5,3,3,0,1,0,2,49,1,5,1,5
+66582,7,2,1,55,NA,5,6,2,NA,NA,2,NA,2,1,9,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,15215.995952,15234.024078,1,90,10,10,5,1,1,0,0,0,1,55,2,5,2,NA
+66583,7,2,1,64,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9611.684527,9576.156071,1,98,12,6,1.98,3,2,0,0,1,1,64,1,4,1,3
+66584,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,122586.881737,126968.15893,1,90,7,7,1.89,3,3,0,0,1,2,75,1,4,3,NA
+66585,7,2,1,40,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15271.238172,15463.719206,3,91,15,15,5,3,3,1,0,0,1,40,2,5,1,5
+66586,7,2,1,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17265.374984,16862.072044,2,93,8,8,1.67,5,5,1,1,0,2,31,1,4,5,NA
+66587,7,2,1,47,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,36610.126289,37722.018472,1,96,8,8,2.17,4,4,0,0,2,1,80,NA,NA,1,NA
+66588,7,2,2,4,NA,1,1,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,9468.006743,10197.085534,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+66589,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,136372.590634,138491.991585,1,98,8,8,2.97,2,2,0,0,0,1,23,1,3,1,5
+66590,7,2,2,7,NA,5,6,2,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,6347.955472,6765.486426,1,93,8,8,1.2,7,7,1,1,1,1,24,2,2,5,NA
+66591,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,80355.847074,82974.223453,1,98,15,15,3.7,5,5,2,1,0,1,34,1,5,1,5
+66592,7,2,2,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7588.605543,8103.359102,1,99,14,14,4.21,4,4,0,2,0,2,44,1,5,1,5
+66593,7,2,1,13,NA,1,1,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20638.769105,20614.097145,2,92,15,15,3.37,7,7,0,4,0,1,42,2,3,1,1
+66594,7,2,1,61,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,2,2,2,2,2,2,1,2,2,1,9430.93681,9879.499027,2,98,3,3,1.19,1,1,0,0,1,1,61,1,3,3,NA
+66595,7,2,1,16,NA,5,7,2,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11834.781205,12120.23702,2,90,5,5,1.43,2,2,0,1,0,2,38,2,4,5,NA
+66596,7,2,2,7,NA,5,6,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7231.974056,7722.665474,3,91,15,15,5,4,4,1,1,0,1,39,2,5,1,5
+66597,7,2,2,54,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,30236.240945,31437.061964,2,96,7,7,4.04,1,1,0,0,0,2,54,1,2,4,NA
+66598,7,2,1,37,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,69324.74001,85851.040558,2,95,15,15,4.63,5,5,1,2,0,2,36,1,5,1,3
+66599,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,66503.043118,73915.916489,2,98,7,7,1.61,4,4,1,1,0,1,43,NA,NA,6,NA
+66600,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10325.56467,10786.590089,1,96,14,14,5,3,2,0,0,1,2,64,1,4,3,NA
+66601,7,2,2,1,20,5,6,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3600.631978,3772.844478,3,90,10,10,2.41,5,5,1,2,0,1,44,2,4,1,5
+66602,7,2,2,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,105873.555835,110835.841786,1,98,15,15,4.34,4,4,1,1,0,1,41,1,5,1,5
+66603,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,2,1,2,2,1,2,2,1,2,2,1,24919.497762,30093.052062,1,98,3,3,0.5,5,5,0,3,0,2,56,1,3,3,NA
+66604,7,2,2,1,19,5,7,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8892.555701,9937.38353,1,98,7,7,1.52,4,4,2,0,0,1,30,1,3,1,4
+66605,7,2,2,11,NA,4,4,2,11,142,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9122.654131,9410.759793,1,96,15,15,5,2,2,0,1,0,2,47,1,5,3,NA
+66606,7,2,2,0,5,3,3,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20261.925369,19711.566478,2,103,15,15,5,3,3,1,0,0,1,31,1,5,1,5
+66607,7,1,1,67,NA,2,2,NA,NA,NA,2,NA,2,2,8,NA,3,1,NA,1,2,2,2,2,2,NA,NA,NA,NA,7379.175826,0,1,96,14,14,5,2,2,0,0,1,1,67,2,3,1,NA
+66608,7,2,2,18,NA,5,6,2,18,219,2,NA,2,2,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8501.305782,9245.625446,1,93,7,7,1.64,5,5,0,2,0,1,47,2,5,1,1
+66609,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,26792.151435,27749.707744,1,97,3,3,0.73,3,3,0,0,0,2,50,1,4,1,3
+66610,7,2,2,3,NA,5,6,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7483.230909,7475.326886,2,96,14,14,4.32,3,3,1,0,0,2,33,2,5,1,5
+66611,7,2,2,15,NA,2,2,1,15,189,NA,NA,2,2,3,10,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,18556.092615,19088.608674,1,103,6,6,0.93,5,5,0,1,0,1,39,2,3,1,3
+66612,7,2,1,64,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10739.724778,10911.761454,2,99,15,15,5,2,2,0,0,2,1,64,2,5,1,4
+66613,7,2,1,9,NA,5,6,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9928.619925,10708.884665,1,91,12,12,NA,4,4,0,2,0,1,43,2,5,1,5
+66614,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,126334.218747,128844.689973,1,95,9,9,4.08,2,2,0,0,0,1,51,NA,NA,1,3
+66615,7,2,2,16,NA,4,4,2,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14085.742306,14155.614592,1,96,8,8,2.17,4,4,1,1,0,2,41,1,3,1,3
+66616,7,2,1,5,NA,1,1,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,10274.893484,10739.35317,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+66617,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12754.235811,13157.031697,1,97,7,7,1.74,4,4,0,3,0,2,32,1,4,5,NA
+66618,7,2,2,11,NA,5,6,2,12,145,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10699.45895,11230.540406,1,97,14,14,2.87,5,5,0,3,0,2,40,2,5,1,5
+66619,7,2,2,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,72551.269339,74475.92188,1,95,6,6,2.04,2,2,0,0,2,2,72,1,3,1,NA
+66620,7,2,1,64,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,157269.814945,159287.072954,1,92,15,15,5,3,3,0,0,2,2,61,1,5,1,5
+66621,7,2,1,0,2,3,3,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9570.577309,9932.368407,1,95,1,1,0.1,5,5,2,1,0,1,35,1,9,1,3
+66622,7,2,1,9,NA,5,7,1,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41342.668304,42524.849071,1,102,8,8,1.91,5,5,1,2,0,2,38,1,5,1,4
+66623,7,2,1,62,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,7289.557268,7804.776102,3,90,12,12,NA,4,4,0,0,1,1,62,2,4,3,NA
+66624,7,2,2,6,NA,4,4,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8504.389189,8682.552645,2,93,6,6,1.72,2,2,0,1,0,2,29,1,4,3,NA
+66625,7,2,1,4,NA,5,6,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7812.10492,8436.863602,1,95,4,4,0.62,5,5,2,0,2,2,29,2,3,5,NA
+66626,7,2,1,6,NA,5,6,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8095.170809,8542.249827,1,100,15,15,5,3,3,0,1,0,1,38,1,5,1,5
+66627,7,2,1,17,NA,4,4,2,17,206,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11023.237662,11433.168046,1,99,6,6,0.96,5,5,1,2,0,2,35,1,4,1,2
+66628,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,133853.800452,133985.238945,3,91,8,8,3.4,2,2,0,0,0,1,33,2,5,1,4
+66629,7,1,2,0,11,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,5263.118333,0,3,90,4,4,0.74,4,4,1,1,0,1,32,2,4,1,2
+66630,7,2,1,58,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,14897.510053,15360.906039,1,101,14,14,5,2,2,0,0,0,1,58,2,3,1,1
+66631,7,2,2,69,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10604.379638,1,99,3,3,1.01,1,1,0,0,1,2,69,1,2,3,NA
+66632,7,2,1,58,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,181786.280703,1,95,8,8,3.47,2,2,0,0,0,1,58,1,2,1,4
+66633,7,2,1,41,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19564.598892,20184.074944,3,92,15,15,5,3,3,1,0,0,1,41,2,5,1,3
+66634,7,2,1,9,NA,5,6,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10810.913614,11522.32071,1,97,15,15,4.07,5,5,0,3,0,1,42,2,5,1,5
+66635,7,2,1,78,NA,5,6,2,NA,NA,2,NA,2,2,8,NA,5,1,NA,1,2,1,1,2,1,1,2,2,NA,8637.841003,9256.016034,1,96,9,9,3.97,2,2,0,0,1,1,78,2,5,1,5
+66636,7,2,2,19,NA,4,4,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16537.460749,16413.673958,2,100,8,8,2.67,3,3,0,0,1,1,61,1,3,1,4
+66637,7,2,2,1,16,4,4,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,7498.263904,2,100,3,3,0.39,7,7,3,3,0,2,30,1,2,5,NA
+66638,7,2,2,9,NA,1,1,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15225.935813,15598.502882,2,94,77,77,NA,5,5,1,1,0,1,41,2,2,1,2
+66639,7,2,1,10,NA,1,1,1,10,130,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,8828.580268,9491.612368,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+66640,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,85420.170155,90189.982607,1,91,7,7,2.05,3,3,0,1,0,2,32,1,3,1,NA
+66641,7,2,2,46,NA,3,3,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21224.321717,21245.16306,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+66642,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,126717.185106,132638.866244,2,91,14,14,4.19,3,3,0,1,0,2,31,1,4,1,3
+66643,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,15875.759889,17102.194972,1,96,6,6,1.34,3,3,1,0,0,2,42,2,4,6,NA
+66644,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,32647.160346,32536.716665,1,99,4,4,1.16,2,2,0,0,2,2,63,1,5,6,NA
+66645,7,2,1,13,NA,5,6,2,13,157,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,13,13,NA,3,3,0,2,0,2,41,2,3,4,NA
+66646,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,81416.374938,85457.008484,1,97,15,15,5,1,1,0,0,1,2,70,1,4,2,NA
+66647,7,2,1,19,NA,3,3,1,19,229,2,NA,2,1,99,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,110478.18082,109645.964567,2,101,3,3,1.15,2,1,0,0,0,1,20,2,4,5,NA
+66648,7,2,2,7,NA,4,4,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10654.944111,10939.993817,1,100,4,4,0.99,2,2,0,1,0,1,36,2,4,4,NA
+66649,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15096.339697,2,100,7,7,1.34,5,5,0,2,0,2,53,1,4,4,NA
+66650,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16088.355002,16260.034828,1,96,1,1,0.2,2,2,0,0,0,1,25,1,2,5,NA
+66651,7,2,1,10,NA,2,2,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19735.224235,20204.314213,2,102,8,8,1.91,5,5,0,3,0,1,39,1,3,1,3
+66652,7,2,1,17,NA,4,4,2,17,215,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9313.795042,9381.627752,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+66653,7,2,1,42,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,19436.026093,20405.866121,2,97,5,5,1.08,3,3,0,1,0,2,45,1,4,6,NA
+66654,7,2,1,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,28542.421068,28714.346279,2,101,5,5,1.5,2,2,0,0,0,1,47,1,4,3,NA
+66655,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,3,6,2,1,2,2,1,2,2,NA,NA,NA,NA,11608.998717,11632.703325,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+66656,7,1,2,41,NA,2,2,NA,NA,NA,2,NA,2,1,4,NA,2,3,3,2,2,2,1,2,2,NA,NA,NA,NA,34999.007145,0,1,90,1,1,0.32,2,2,0,1,0,2,41,2,2,3,NA
+66657,7,2,2,16,NA,3,3,2,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,58352.457563,59447.870488,1,99,8,8,2.81,3,3,0,1,0,1,19,1,4,NA,NA
+66658,7,2,2,14,NA,5,6,2,14,171,NA,NA,2,1,4,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10963.340882,11440.408955,2,91,15,15,5,4,4,0,2,1,2,56,1,5,1,5
+66659,7,2,1,7,NA,1,1,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18107.947773,18211.90239,1,97,10,10,2.32,6,6,0,4,0,1,42,1,4,1,4
+66660,7,2,1,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18289.793332,19167.642325,1,99,2,2,0.31,4,4,1,0,1,2,67,1,3,3,NA
+66661,7,2,1,68,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20250.944593,20440.871021,2,95,6,6,1.36,3,3,0,0,2,2,60,1,5,1,4
+66662,7,2,1,36,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,18955.147124,22251.142446,1,90,2,2,0.63,2,2,0,0,1,1,36,1,4,5,NA
+66663,7,2,1,62,NA,5,6,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9355.567184,9645.104203,2,97,15,15,5,2,2,0,0,1,2,58,2,5,1,5
+66664,7,2,2,0,8,4,4,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4439.36229,4769.277094,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+66665,7,2,2,27,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,116919.871791,121727.422593,2,92,10,8,4.59,2,1,0,0,0,2,27,2,5,1,NA
+66666,7,2,1,1,17,3,3,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,28617.223132,30780.732491,1,101,3,3,0.63,3,3,1,0,0,2,47,1,1,3,NA
+66667,7,2,2,11,NA,3,3,2,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,80369.555824,80128.103294,1,97,15,15,5,4,4,1,1,0,2,33,1,5,1,3
+66668,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,99831.393624,101809.075589,1,100,15,15,5,2,2,0,0,2,1,79,1,5,1,4
+66669,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,137143.403965,141946.841153,2,91,15,15,5,2,2,0,0,2,1,65,1,5,1,5
+66670,7,2,1,53,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,1,1,2,2,1,2,1,3,13537.092442,13488.188749,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+66671,7,2,1,46,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,28726.575428,29019.719154,2,100,14,14,3.58,4,4,0,1,0,1,46,2,5,1,5
+66672,7,2,1,60,NA,1,1,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,2,2,2,2,8961.035147,9135.681188,2,94,15,15,5,2,2,0,0,1,1,60,1,5,1,5
+66673,7,2,2,25,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,50915.06085,50887.683329,3,92,9,9,2.22,5,5,1,0,2,1,66,2,1,1,1
+66674,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,35334.703093,40990.264786,1,101,3,3,0.9,1,1,0,0,1,2,80,1,1,3,NA
+66675,7,2,1,4,NA,2,2,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,18754.85406,20094.472571,2,102,6,6,1.12,4,4,1,1,0,1,38,2,2,1,3
+66676,7,2,2,10,NA,4,4,1,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,1,2,1,2,2,1,8362.256577,9003.967662,2,100,5,1,0,3,1,0,1,0,2,50,1,2,5,NA
+66677,7,2,2,18,NA,2,2,2,18,219,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,18368.872199,19023.186366,2,91,10,10,2.95,4,4,0,1,0,2,18,1,3,NA,NA
+66678,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,137038.746155,146586.432966,2,101,4,3,0.92,2,1,0,0,0,1,21,1,4,5,NA
+66679,7,2,1,30,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21280.199633,23174.199432,1,97,15,15,4.84,6,6,2,0,0,1,53,NA,NA,1,NA
+66680,7,2,2,56,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15892.013862,19604.056525,3,90,12,12,NA,2,2,0,0,0,2,56,2,4,1,5
+66681,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,1,1,2,2,1,2,2,1,2,2,1,26999.643202,25671.572746,2,102,5,3,0.63,5,4,2,1,0,1,24,1,4,6,NA
+66682,7,2,2,6,NA,2,2,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14580.994397,14937.78024,2,93,4,4,0.97,3,3,0,1,0,1,38,2,3,1,3
+66683,7,2,1,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,NA,27609.8026,29259.766266,2,101,10,10,2.91,4,4,0,1,0,2,51,1,2,5,NA
+66684,7,2,1,16,NA,5,6,1,16,193,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7669.677276,8194.5967,2,92,15,15,4.59,4,4,0,2,0,2,48,1,5,1,5
+66685,7,2,1,29,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,33592.259589,37970.446859,1,103,13,13,NA,4,4,2,0,0,2,27,2,2,6,NA
+66686,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,130229.183917,130070.387937,2,103,77,77,NA,2,1,0,0,0,1,50,1,5,5,NA
+66687,7,2,2,53,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,22969.116046,23497.145655,2,93,10,10,5,1,1,0,0,0,2,53,2,5,5,NA
+66688,7,2,2,19,NA,5,7,1,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,15318.952876,15275.788411,1,98,2,1,0.18,4,1,0,0,0,2,20,NA,NA,5,NA
+66689,7,1,2,71,NA,1,1,NA,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,22927.30561,0,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+66690,7,2,1,65,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,14067.170863,14844.985608,2,102,4,4,0.67,4,4,0,0,2,2,20,1,1,NA,NA
+66691,7,2,1,1,20,4,4,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,10655.495346,2,97,7,7,1.72,5,5,1,2,0,1,32,1,4,1,4
+66692,7,2,2,1,17,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11582.174418,12474.053558,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+66693,7,2,1,18,NA,5,6,2,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11506.937395,12095.740214,1,97,9,9,1.78,6,6,0,1,1,1,45,2,3,1,3
+66694,7,2,1,1,13,2,2,2,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10487.35151,11236.440262,2,95,14,14,4.45,3,3,1,0,0,2,29,1,5,1,5
+66695,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,21102.441005,21214.570635,1,98,2,2,0.67,1,1,0,0,1,1,60,1,3,3,NA
+66696,7,2,1,11,NA,3,3,2,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,19926.440922,21167.339982,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+66697,7,2,2,13,NA,3,3,1,13,161,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61800.07471,62604.355485,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+66698,7,2,1,21,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,100807.076657,102674.431164,1,97,15,15,5,4,4,0,0,1,1,60,1,5,1,5
+66699,7,2,1,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105412.227726,111169.022023,2,101,7,7,1.88,4,4,0,2,0,2,36,1,4,1,5
+66700,7,2,1,10,NA,4,4,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7005.767895,7244.406666,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+66701,7,2,1,75,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,13928.293734,14290.365569,2,92,5,5,1.36,2,2,0,0,2,1,75,2,1,1,1
+66702,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,18533.049642,19445.722605,1,99,13,13,NA,4,4,1,0,0,2,26,1,4,4,NA
+66703,7,2,1,2,NA,5,7,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8375.75457,9394.325143,2,95,15,15,5,3,3,1,0,0,1,50,1,5,1,NA
+66704,7,1,2,28,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,NA,NA,NA,NA,15967.106149,0,2,103,1,1,0.04,2,2,0,1,0,2,28,1,4,5,NA
+66705,7,2,2,3,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9727.363166,10265.541082,2,97,3,3,0.4,6,6,2,3,0,2,25,1,2,5,NA
+66706,7,2,1,8,NA,5,6,2,8,102,NA,NA,2,1,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7923.925927,8546.646915,1,94,7,7,1.79,4,4,0,1,0,1,59,2,4,1,4
+66707,7,2,1,13,NA,1,1,1,13,161,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24902.864049,25040.491572,1,94,5,5,0.94,4,4,0,2,0,2,37,2,3,1,2
+66708,7,2,2,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20842.960361,20272.538073,3,91,12,12,NA,2,2,0,0,0,1,52,1,5,1,5
+66709,7,1,1,57,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19478.845078,0,2,95,2,2,0.46,3,3,0,0,0,2,48,1,2,1,2
+66710,7,2,1,66,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9082.311855,9548.677283,1,96,7,7,1.83,3,3,0,0,1,1,66,2,5,1,3
+66711,7,1,2,11,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5885.567617,0,1,93,9,9,1.77,7,7,0,2,0,2,56,NA,NA,5,NA
+66712,7,2,1,31,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14221.330587,14963.406508,3,90,12,12,NA,4,4,0,0,1,1,62,2,4,3,NA
+66713,7,2,2,60,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,35354.773526,36055.159401,2,103,5,5,1.2,3,3,0,0,2,1,66,2,2,1,2
+66714,7,2,2,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,54951.692454,55140.36098,2,102,15,15,3.92,5,5,0,0,0,1,19,1,4,NA,NA
+66715,7,2,1,64,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,9535.353518,9609.942052,2,101,9,9,4.08,2,2,0,0,2,2,67,1,5,1,3
+66716,7,2,1,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21317.283165,21013.422419,2,96,4,4,0.65,5,5,0,3,0,1,30,1,4,1,2
+66717,7,2,2,23,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,6,3,1,2,2,1,2,2,1,2,2,1,35710.33222,42634.350272,1,90,3,3,0.43,4,4,2,0,0,1,31,1,3,6,NA
+66718,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,36950.912612,36817.49814,1,97,3,3,1.16,1,1,0,0,0,2,56,1,3,3,NA
+66719,7,2,2,9,NA,3,3,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55469.656717,57246.428971,1,101,9,9,2.6,4,4,0,2,0,2,38,1,4,1,4
+66720,7,2,1,58,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15044.515884,14996.530888,3,90,15,15,4.89,5,5,0,0,0,2,57,2,3,1,3
+66721,7,2,2,47,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12977.791943,13644.504126,2,100,15,15,5,3,3,0,1,0,1,48,2,5,1,5
+66722,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,110070.015649,114078.798472,3,91,15,15,5,4,4,1,1,0,2,41,1,5,1,5
+66723,7,2,1,14,NA,4,4,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,18260.901254,2,101,6,6,0.96,5,5,0,4,0,2,36,1,4,4,NA
+66724,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23630.941535,1,95,6,6,1.35,3,3,1,0,0,1,31,1,5,1,5
+66725,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,124263.643735,125259.229556,2,95,8,8,3.53,2,2,0,0,0,1,57,1,4,1,4
+66726,7,2,1,18,NA,5,7,2,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21852.102821,22875.024578,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+66727,7,2,1,11,NA,5,7,2,11,135,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8246.426933,9050.014459,1,99,10,10,3.51,3,3,0,1,0,2,44,1,3,1,5
+66728,7,2,2,71,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,1,1,2,1,NA,13750.49328,15781.175386,2,92,4,4,1.14,2,2,0,0,2,1,72,2,3,1,3
+66729,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,137143.403965,141946.841153,2,91,15,15,5,2,2,0,0,2,1,68,1,5,1,5
+66730,7,2,1,9,NA,5,7,1,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11661.909323,12350.149476,1,92,15,15,5,4,4,0,2,0,1,41,2,5,1,5
+66731,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,117009.557742,134978.408148,2,99,14,14,5,1,1,0,0,0,1,46,1,5,5,NA
+66732,7,2,1,16,NA,5,6,1,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9099.087557,9564.682199,2,102,12,12,NA,3,3,0,1,0,1,57,2,5,1,5
+66733,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20131.904783,20903.590301,1,92,15,15,5,2,2,0,0,2,2,80,1,5,1,NA
+66734,7,2,2,16,NA,5,6,1,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,5760.953091,5914.685125,2,92,8,8,1.91,5,5,0,2,1,2,47,2,1,1,3
+66735,7,2,1,24,NA,5,7,1,NA,NA,2,NA,2,1,4,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,27271.751091,27454.884133,2,101,6,4,1.74,3,1,0,0,0,1,21,1,4,5,NA
+66736,7,2,2,55,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16178.54595,16391.328992,1,93,15,15,5,3,3,0,0,1,1,63,1,5,1,5
+66737,7,2,2,14,NA,2,2,2,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,15087.58237,15620.049499,1,96,15,15,5,4,4,0,2,0,1,36,2,3,1,4
+66738,7,2,1,59,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,27240.276328,26969.79863,1,90,15,15,5,2,2,0,0,1,2,63,1,5,1,5
+66739,7,2,1,9,NA,5,6,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5438.768263,5891.907372,2,92,15,15,5,4,4,0,2,0,2,41,1,5,1,5
+66740,7,2,2,0,7,3,3,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20899.681083,21326.972731,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+66741,7,2,2,73,NA,3,3,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,19901.857177,20582.498016,2,94,1,1,0.08,1,1,0,0,1,2,73,2,4,3,NA
+66742,7,2,1,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7431.820906,7738.904727,1,99,7,7,1.53,5,5,2,0,0,2,37,1,4,1,3
+66743,7,2,2,68,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,1,4,NA,2,2,2,2,2,2,2,2,1,2,8725.210615,9440.710379,2,93,4,4,0.94,3,3,0,1,1,2,68,2,1,4,NA
+66744,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,10479.637868,11727.843054,2,98,77,77,NA,1,1,0,0,1,1,80,1,2,2,NA
+66745,7,2,2,16,NA,1,1,1,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26325.414456,27702.295836,3,92,10,10,3.77,3,3,0,1,0,2,52,1,4,6,NA
+66746,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,97925.559493,100647.602701,1,94,6,6,1.31,3,3,0,0,0,2,46,1,5,6,NA
+66747,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,157587.268357,1,94,9,9,3.97,2,2,0,0,0,1,59,1,3,5,NA
+66748,7,2,1,73,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,9662.124837,9885.036833,2,92,3,3,1.01,1,1,0,0,1,1,73,1,4,3,NA
+66749,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,16741.034883,16841.712651,2,95,2,2,0.7,1,1,0,0,0,2,56,1,3,4,NA
+66750,7,2,2,73,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,3,NA,2,2,2,1,2,2,2,2,2,NA,20922.745102,23195.943223,1,93,15,15,2.96,7,7,0,1,1,2,18,1,2,NA,NA
+66751,7,2,2,9,NA,5,6,2,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,7722.982971,8635.133042,1,93,8,8,2.24,4,4,0,2,0,1,44,2,5,1,4
+66752,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21491.090123,20964.324934,1,97,14,14,5,3,3,0,0,0,2,51,1,5,1,4
+66753,7,2,2,2,NA,3,3,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20820.221848,22126.060024,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+66754,7,2,1,47,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,19371.546331,19651.186711,2,95,12,12,NA,2,2,0,1,0,1,47,1,4,2,NA
+66755,7,2,2,33,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,6,3,2,2,2,2,2,2,1,2,2,2,27127.983961,26396.013964,2,90,6,6,0.96,5,5,1,1,0,1,39,2,2,1,NA
+66756,7,1,1,11,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11567.189008,0,2,90,14,14,3.06,5,5,1,2,0,1,42,1,4,1,5
+66757,7,1,2,59,NA,5,6,NA,NA,NA,2,NA,2,1,99,NA,5,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12649.084278,0,3,90,77,77,NA,2,2,0,0,1,1,65,2,3,1,5
+66758,7,2,2,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,60071.993203,65791.533402,1,95,99,99,NA,1,1,0,0,1,2,80,1,4,2,NA
+66759,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,12449.932013,12144.773422,3,90,7,7,2.23,3,3,0,0,0,2,51,1,4,3,NA
+66760,7,1,2,32,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,1,3,1,2,2,1,2,2,NA,NA,NA,NA,25241.487585,0,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+66761,7,2,1,2,NA,2,2,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10057.661774,10071.252045,2,93,12,77,NA,3,1,1,1,0,2,43,1,5,3,NA
+66762,7,2,1,16,NA,4,4,2,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11252.388648,11221.862262,1,99,7,7,1.89,3,3,0,1,0,1,50,1,5,1,2
+66763,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,54095.581484,61529.339683,2,91,7,7,1.61,4,4,0,0,3,1,65,1,3,6,NA
+66764,7,2,1,2,NA,1,1,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12005.116852,11690.420322,3,92,14,14,2.29,7,7,2,0,0,2,50,2,1,1,9
+66765,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,1,2,1,1,2,NA,NA,NA,NA,40859.270352,45390.978638,2,101,8,8,4.22,1,1,0,0,1,1,80,1,3,2,NA
+66766,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,94698.084211,103561.845332,1,101,14,14,4.5,3,3,0,1,0,1,39,1,2,1,5
+66767,7,2,2,1,21,1,1,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12260.86913,13033.834526,3,92,5,5,0.81,5,5,3,0,0,2,23,1,4,5,NA
+66768,7,2,2,7,NA,4,4,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8282.497467,8610.715242,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+66769,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18101.423817,17611.874146,2,99,9,9,2.43,4,4,0,2,0,2,49,1,3,3,NA
+66770,7,2,2,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,59974.233027,60510.443557,2,97,6,6,2.85,2,1,0,0,0,1,22,1,3,6,NA
+66771,7,2,2,31,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,37439.743351,39040.415193,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+66772,7,2,1,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7907.070371,7770.374311,2,95,2,2,0.26,3,3,1,0,0,2,54,1,3,2,NA
+66773,7,1,1,24,NA,4,4,NA,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,16052.583048,0,2,99,77,77,NA,3,3,0,1,0,2,46,NA,NA,77,NA
+66774,7,2,2,17,NA,1,1,1,18,216,2,NA,2,2,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26325.414456,26852.811114,3,92,13,13,NA,4,4,0,2,0,2,50,2,1,5,NA
+66775,7,2,1,7,NA,1,1,2,7,95,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15039.041447,16539.35823,3,91,7,7,1.23,6,6,2,2,0,1,36,2,1,1,1
+66776,7,2,2,2,NA,4,4,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,8250.113235,2,100,14,14,4.59,3,3,1,0,0,1,30,NA,NA,1,4
+66777,7,2,1,39,NA,2,2,1,NA,NA,2,NA,2,1,3,NA,1,1,NA,2,2,2,1,2,2,2,2,1,2,37631.514869,37347.497931,2,93,3,3,0.43,4,4,0,0,0,1,45,2,2,6,NA
+66778,7,2,1,11,NA,4,4,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14125.862146,14370.909235,1,97,15,15,5,4,4,0,1,0,1,40,1,4,1,4
+66779,7,2,1,14,NA,5,6,1,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,1,1,2,2,1,6121.087833,6878.034577,2,92,3,3,0.4,6,6,0,1,2,1,78,2,1,1,1
+66780,7,2,1,0,2,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,5588.585837,5533.355248,1,102,6,6,0.8,7,7,3,3,0,2,34,2,3,1,1
+66781,7,2,1,68,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11243.205109,11633.337706,1,90,4,4,1.12,2,2,0,0,2,1,68,2,4,1,1
+66782,7,2,2,19,NA,4,4,2,19,236,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10848.628906,11198.221038,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+66783,7,2,2,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,11331.751026,1,101,4,4,0.78,4,4,1,2,0,2,32,1,3,3,NA
+66784,7,2,1,9,NA,4,4,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9261.557132,9701.953496,2,100,7,7,1.34,5,5,0,2,0,2,53,1,4,4,NA
+66785,7,2,2,60,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,1,1,2,1,1,2,2,NA,18002.759054,18633.946783,2,102,15,15,3.82,5,5,0,1,2,1,60,2,2,1,1
+66786,7,2,1,13,NA,5,6,2,13,163,NA,NA,2,1,3,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7046.884472,7540.251296,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+66787,7,2,2,8,NA,2,2,1,8,99,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12307.832776,12608.996083,2,93,5,5,0.89,4,4,0,2,0,1,42,NA,NA,6,NA
+66788,7,2,1,31,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,39049.131011,2,98,99,99,NA,4,4,1,0,1,2,68,1,9,2,NA
+66789,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,30505.56355,32886.600907,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+66790,7,2,1,4,NA,4,4,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,11070.778245,1,100,3,3,0.73,3,3,2,0,0,2,39,1,3,5,NA
+66791,7,2,2,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,12,77,NA,4,1,0,0,0,1,21,1,4,6,NA
+66792,7,2,2,4,NA,2,2,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11429.37307,12618.334582,2,90,6,6,1.35,3,3,1,0,0,1,31,1,3,1,4
+66793,7,2,1,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,16851.334496,17382.882475,2,101,7,7,2.64,2,2,0,0,1,2,70,1,3,4,NA
+66794,7,2,1,10,NA,5,6,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6850.601671,7388.972861,3,91,14,14,4.03,4,4,0,2,0,1,51,2,4,1,5
+66795,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,34810.007519,37700.123082,1,94,3,3,0.37,5,5,0,3,0,2,29,1,4,4,NA
+66796,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,79632.40863,82653.579173,1,95,9,9,4.08,2,2,0,0,2,2,65,1,5,1,3
+66797,7,2,2,30,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,27303.803575,27793.15685,1,96,7,7,1.52,4,4,0,2,0,2,30,2,4,1,5
+66798,7,2,2,56,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,4,1,NA,1,2,2,1,2,2,2,2,2,2,34082.505027,35315.234687,2,92,2,2,0.4,3,3,0,0,0,1,50,2,4,1,4
+66799,7,2,1,6,NA,4,4,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10665.048307,10792.905577,1,96,8,8,2.78,3,3,0,2,0,2,34,1,4,3,NA
+66800,7,2,1,11,NA,1,1,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,13742.678011,2,98,4,4,0.75,4,4,0,2,0,2,33,1,2,5,NA
+66801,7,2,1,7,NA,3,3,2,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57057.523607,61384.115788,1,101,14,14,4.21,4,4,1,1,0,2,37,1,5,1,5
+66802,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,26763.110196,28578.287397,2,94,5,5,1.3,3,3,0,1,0,1,43,1,3,6,NA
+66803,7,2,2,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,1,1,2,2,1,2,2,NA,NA,NA,NA,43813.24867,44924.427845,1,98,4,4,0.66,4,4,2,0,0,2,22,1,4,6,NA
+66804,7,2,1,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,12824.368043,13581.00423,2,101,3,3,1.13,1,1,0,0,1,1,74,1,1,2,NA
+66805,7,2,2,2,NA,4,4,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,8048.181894,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+66806,7,1,2,29,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,14698.806915,0,2,99,15,15,5,2,2,0,0,0,1,30,NA,NA,1,5
+66807,7,2,1,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,1,1,2,2,1,9177.295801,9603.338468,2,92,3,3,0.45,4,4,0,0,1,1,64,2,1,1,1
+66808,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,5950.162866,6182.885443,2,95,5,5,1.05,3,3,0,1,1,1,63,1,2,1,3
+66809,7,1,1,68,NA,2,2,NA,NA,NA,2,NA,2,1,6,NA,3,2,NA,2,2,2,1,2,2,NA,NA,NA,NA,9693.846555,0,2,93,5,5,1.04,4,4,0,1,1,1,68,2,3,2,NA
+66810,7,2,1,14,NA,4,4,1,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16147.713323,16532.569027,1,92,NA,1,0.18,4,3,0,2,0,2,56,1,4,4,NA
+66811,7,2,1,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,9177.295801,9548.31812,2,92,77,77,NA,4,4,0,0,1,1,20,1,2,5,NA
+66812,7,2,1,15,NA,4,4,1,15,186,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10569.808278,10821.723266,2,92,10,10,4.76,2,2,0,1,0,2,40,1,5,4,NA
+66813,7,2,1,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8655.162127,9330.305761,2,95,10,10,3.67,3,3,0,1,0,1,43,1,4,1,4
+66814,7,1,1,34,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,23284.536512,0,1,97,7,7,1.74,4,4,2,0,0,1,34,1,5,1,5
+66815,7,1,1,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58116.402634,0,1,97,15,15,5,5,5,2,0,1,1,43,1,5,1,5
+66816,7,2,1,0,8,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,4461.618312,4741.503802,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+66817,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,22820.082463,26177.958982,1,94,2,2,0.83,1,1,0,0,1,2,72,1,3,2,NA
+66818,7,2,2,8,NA,3,3,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39976.778207,40067.73727,2,100,15,15,5,3,3,0,1,0,1,38,1,4,1,4
+66819,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,102928.893739,104528.537732,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+66820,7,1,2,11,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7710.907339,0,2,99,6,6,0.94,7,7,0,4,0,2,32,1,3,1,3
+66821,7,2,2,30,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,3,1,2,2,2,2,1,2,2,2,2,2,2,41791.57979,45058.092516,2,102,6,6,1.12,4,4,1,1,0,1,38,2,2,1,3
+66822,7,2,1,19,NA,5,6,1,19,230,2,NA,2,1,3,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8431.995003,8807.000735,1,95,3,3,0.71,3,3,0,0,0,1,57,2,2,1,4
+66823,7,2,2,5,NA,5,6,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8894.95474,1,97,15,15,5,4,4,1,1,0,1,44,2,5,1,5
+66824,7,2,2,14,NA,2,2,1,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18728.878486,20545.934985,2,93,10,10,3.4,3,3,0,1,0,1,51,1,3,1,4
+66825,7,2,1,8,NA,2,2,2,8,107,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11546.167056,12698.029578,1,90,7,7,1.56,4,4,1,1,0,2,37,1,2,77,NA
+66826,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11355.3308,11862.334174,1,96,9,9,3.97,2,2,0,0,2,1,72,1,4,1,5
+66827,7,2,1,11,NA,5,6,2,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9175.735601,9896.833095,3,91,15,15,5,4,4,0,2,0,1,44,2,5,1,5
+66828,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,116839.212439,120894.200639,2,97,9,9,4.08,2,2,0,0,0,2,24,1,4,1,3
+66829,7,2,1,8,NA,5,6,2,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6262.834446,6786.531245,3,90,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+66830,7,2,2,12,NA,5,6,1,12,154,NA,NA,2,1,4,6,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,5668.184078,6218.795289,2,92,99,2,0.31,7,4,3,3,1,1,61,2,1,1,3
+66831,7,2,1,0,0,1,1,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7222.23638,7675.3005,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+66832,7,2,1,75,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,7608.031426,7606.53553,1,99,5,5,1.84,1,1,0,0,1,1,75,1,5,2,NA
+66833,7,2,2,39,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,3,1,2,2,2,2,1,2,2,1,2,2,2,41067.133288,41493.788594,2,91,3,3,0.73,3,3,0,0,0,2,22,2,2,5,NA
+66834,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14366.887416,15220.688498,3,90,15,15,5,5,5,0,1,1,2,61,1,5,2,NA
+66835,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,15800.216306,15663.050285,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+66836,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,35522.958395,37225.553122,1,102,13,1,0,2,1,0,0,0,1,22,1,4,5,NA
+66837,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16489.238752,16479.116235,1,96,6,6,1.21,4,4,2,0,0,1,24,1,4,1,3
+66838,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,152978.138087,155477.549686,1,101,7,7,3.13,1,1,0,0,1,2,65,1,4,2,NA
+66839,7,2,2,25,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,11696.173591,12195.620792,1,93,15,1,0.41,6,1,0,0,0,1,34,2,5,5,NA
+66840,7,2,2,10,NA,3,3,1,10,123,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61059.578287,60876.138307,1,98,15,15,4.34,4,4,0,2,0,2,52,1,3,1,5
+66841,7,2,1,3,NA,5,7,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26980.605125,29855.353305,1,94,2,2,0.3,5,5,1,2,0,1,23,1,1,6,NA
+66842,7,1,2,0,9,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3861.876549,0,1,96,15,15,4.81,5,5,1,2,0,1,33,1,5,1,3
+66843,7,2,1,5,NA,5,7,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10859.969359,11974.89205,1,98,7,7,1.52,4,4,2,0,0,1,30,1,3,1,4
+66844,7,2,1,18,NA,4,4,1,18,221,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16147.713323,16270.487634,1,92,77,77,NA,5,5,1,2,0,2,41,1,3,5,NA
+66845,7,2,1,1,15,3,3,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47507.757497,53600.040598,1,101,14,14,3.15,5,5,2,1,0,1,35,1,4,1,5
+66846,7,2,1,2,NA,4,4,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,7031.647494,2,100,8,8,2.7,3,3,1,0,0,2,41,1,4,1,3
+66847,7,2,1,31,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16505.268729,17550.815541,3,91,14,14,4.32,3,3,1,0,0,1,31,2,3,1,4
+66848,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,141821.601523,151144.430607,1,90,15,15,5,4,4,0,2,1,2,52,1,5,1,NA
+66849,7,2,1,0,11,5,7,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7317.981812,7846.84086,1,97,15,15,3.7,5,5,1,1,0,2,21,1,4,5,NA
+66850,7,2,2,71,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19603.448069,21893.680196,2,98,5,5,0.59,7,7,2,1,2,2,71,1,2,1,1
+66851,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,143866.32507,144700.959982,1,97,15,15,5,1,1,0,0,0,2,46,1,4,2,NA
+66852,7,2,1,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8569.438441,9098.434789,2,99,7,7,1.19,6,6,1,3,0,2,38,1,3,5,NA
+66853,7,2,1,2,NA,2,2,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11030.983881,11818.903113,2,93,7,7,1.56,4,4,1,1,0,1,35,2,4,1,4
+66854,7,2,2,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,26021.868354,25835.926172,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+66855,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17606.560681,17743.688949,2,95,6,6,1.7,2,2,0,0,0,2,54,1,4,2,NA
+66856,7,2,2,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12871.484115,13281.030392,2,102,5,5,0.89,4,4,1,1,0,2,28,2,2,1,2
+66857,7,2,2,15,NA,5,6,2,15,181,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6486.356303,6952.179218,1,91,7,7,1.57,4,4,0,3,0,2,38,2,2,3,NA
+66858,7,2,2,6,NA,4,4,1,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8362.256577,8929.488766,2,100,7,7,2.37,3,3,0,1,1,2,45,1,5,1,NA
+66859,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6441.733603,6839.385512,1,91,6,6,0.99,5,5,3,0,0,2,33,2,3,1,4
+66860,7,2,1,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,51965.135941,60918.873896,2,101,2,1,0.37,2,1,0,0,0,1,21,1,4,5,NA
+66861,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,17478.873252,2,95,6,6,1.36,3,3,0,1,1,2,62,1,4,5,NA
+66862,7,2,1,10,NA,4,4,2,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9699.683862,9681.447258,2,101,2,2,0.27,6,6,0,3,0,2,45,1,2,5,NA
+66863,7,2,1,77,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,70642.066815,74773.070249,2,96,12,12,NA,2,2,0,0,2,1,77,1,5,1,4
+66864,7,2,1,16,NA,4,4,1,16,196,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11666.009872,12200.765691,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+66865,7,2,2,15,NA,1,1,1,15,184,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22424.988432,22856.096824,1,94,5,5,0.87,4,4,0,2,0,2,41,2,4,1,1
+66866,7,2,1,5,NA,4,4,1,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8385.172131,8641.288503,2,93,5,5,1.04,4,4,1,1,0,1,29,1,3,6,NA
+66867,7,1,1,18,NA,1,1,NA,NA,NA,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,22721.243258,0,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+66868,7,2,1,8,NA,5,6,2,8,100,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9928.619925,10708.884665,1,91,15,15,5,4,4,1,1,0,1,43,2,5,1,5
+66869,7,2,2,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,24719.680932,24496.884814,1,97,15,15,5,2,2,0,0,0,1,59,1,5,1,5
+66870,7,2,2,12,NA,1,1,1,12,153,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22424.988432,24600.637711,1,94,15,15,4.37,7,7,0,4,1,1,58,1,4,1,5
+66871,7,2,1,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,32375.321924,32878.474997,1,95,7,6,2.6,5,1,1,2,0,1,26,1,4,6,NA
+66872,7,2,1,37,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22424.102245,23525.946014,1,92,14,14,3.47,4,4,0,2,0,1,37,1,5,1,5
+66873,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,163102.567998,168673.834909,1,99,12,12,NA,2,2,0,0,0,1,55,1,5,1,4
+66874,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,53955.606082,55085.619185,2,100,15,15,5,4,4,1,1,0,1,29,1,4,1,4
+66875,7,2,2,69,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,10760.495249,11342.54557,3,90,4,4,1.22,2,2,0,0,2,2,69,2,4,1,1
+66876,7,2,2,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,134694.414609,139412.076132,2,91,15,15,5,3,3,0,0,2,2,62,1,4,1,4
+66877,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,56180.550638,64695.241485,2,98,5,5,1.63,2,2,0,0,2,1,80,1,3,1,3
+66878,7,2,2,15,NA,1,1,1,15,180,NA,NA,2,2,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21062.314667,21780.985882,3,91,3,3,0.39,6,6,1,1,0,1,39,2,1,6,NA
+66879,7,2,2,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,139800.409559,144765.126463,1,100,15,15,4.56,4,4,0,2,0,2,42,1,4,1,3
+66880,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18452.546861,18969.498532,1,93,12,12,NA,3,3,0,1,0,2,48,1,3,5,NA
+66881,7,2,2,40,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,20303.639991,20411.004471,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+66882,7,2,2,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,50922.951701,51648.728485,1,92,15,15,5,3,3,0,0,1,1,57,1,3,1,4
+66883,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,109181.566304,117126.933999,2,91,7,7,2.31,2,2,0,0,0,2,58,1,5,3,NA
+66884,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,20691.085146,20754.703375,2,91,4,4,1.22,2,2,0,0,0,1,53,1,4,1,4
+66885,7,2,1,76,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,6856.239408,7260.756717,2,95,5,5,0.87,4,4,0,0,2,2,77,1,2,1,1
+66886,7,2,1,5,NA,2,2,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14318.290734,14771.527769,3,91,6,6,0.83,6,6,1,3,0,1,37,1,4,1,4
+66887,7,1,2,6,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9122.654131,0,1,96,9,9,2.18,5,5,1,1,0,1,26,1,4,1,4
+66888,7,2,2,1,18,4,4,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7281.670423,7938.059494,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+66889,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,19541.667675,22573.12843,2,95,1,1,0.36,1,1,0,0,0,1,59,1,5,5,NA
+66890,7,2,1,14,NA,1,1,2,14,178,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,22044.437334,22214.434256,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+66891,7,2,2,15,NA,3,3,2,15,191,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,132630.209478,136474.31291,1,97,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+66892,7,2,2,1,16,3,3,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46281.468826,49830.1764,1,92,9,4,1,7,3,2,1,0,1,45,1,4,2,NA
+66893,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,168185.448935,169079.116739,1,95,9,9,4.01,2,2,0,0,1,1,60,1,3,1,3
+66894,7,1,2,1,12,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,0,1,91,9,9,2.97,3,3,1,0,0,1,31,2,5,1,5
+66895,7,2,1,10,NA,2,2,2,10,121,NA,NA,2,2,3,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10490.055059,10676.813132,3,90,4,4,0.63,5,5,0,3,0,1,45,2,4,1,4
+66896,7,2,1,64,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,8886.717016,9234.294003,2,101,3,3,0.78,3,3,0,0,1,1,64,1,2,1,3
+66897,7,2,2,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,18097.801029,17642.065425,2,100,9,9,3.24,3,3,1,0,0,1,32,1,3,1,4
+66898,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,24056.374863,23398.009058,2,99,6,6,2.6,1,1,0,0,0,2,45,1,5,5,NA
+66899,7,2,2,11,NA,1,1,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,22662.992756,24846.804377,2,98,13,13,NA,5,5,0,2,0,1,48,2,1,1,2
+66900,7,2,2,10,NA,4,4,1,10,121,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,13050.526646,2,101,1,1,0.15,3,3,0,2,0,2,58,1,3,5,NA
+66901,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11449.435533,12331.980143,2,99,6,6,1.98,2,2,0,0,2,1,77,1,3,1,3
+66902,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,25691.564623,26900.812132,1,90,3,3,0.63,3,3,1,1,0,2,32,1,4,5,NA
+66903,7,2,2,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,74517.751389,74746.868777,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+66904,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,11507.810748,11238.9991,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+66905,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18801.993237,20649.846581,2,96,8,5,2.2,2,1,0,0,0,2,25,2,5,5,NA
+66906,7,2,2,11,NA,4,4,2,11,135,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10888.493631,11627.08662,1,101,1,1,0.21,3,3,0,2,0,2,32,1,4,5,NA
+66907,7,2,2,37,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,11105.558187,11128.234812,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+66908,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,17824.805721,17767.952896,2,92,2,2,0.57,2,2,0,0,0,2,56,1,3,2,NA
+66909,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,52280.406546,52747.829022,1,95,3,1,0.28,2,1,0,0,0,1,27,1,3,5,NA
+66910,7,1,2,8,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14465.997114,0,2,96,3,3,0.24,7,7,2,3,1,2,40,1,3,3,NA
+66911,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,1,22697.846242,22639.540149,2,100,4,4,1.47,2,1,0,0,0,2,38,1,3,2,NA
+66912,7,2,2,14,NA,5,7,2,14,172,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6386.337576,6452.948976,1,93,15,15,4.59,4,4,0,2,0,2,45,1,5,1,5
+66913,7,2,1,9,NA,2,2,2,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8516.07921,8708.134582,3,90,14,14,3.69,4,4,0,2,0,2,49,1,4,1,4
+66914,7,2,2,51,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12162.017722,12226.329772,2,92,12,9,5,7,1,0,0,2,1,53,2,3,1,3
+66915,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32461.799549,32422.216998,1,101,4,4,0.99,2,2,0,0,0,2,51,1,5,1,2
+66916,7,2,1,1,23,4,4,1,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6859.539552,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+66917,7,2,1,7,NA,1,1,1,7,89,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16747.549238,17012.570163,2,96,7,7,1.34,5,5,0,2,0,1,24,2,2,5,NA
+66918,7,2,1,72,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,32916.648979,34960.567692,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+66919,7,2,2,13,NA,1,1,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,27070.679378,27847.54398,1,92,14,14,3.15,5,5,1,2,0,1,34,1,4,1,4
+66920,7,2,1,77,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,17113.447343,18123.138698,2,101,6,6,2.04,2,2,0,0,2,1,77,1,1,1,2
+66921,7,2,2,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,38679.12951,52110.643741,1,98,3,3,0.86,2,2,0,1,0,2,34,1,4,5,NA
+66922,7,2,2,12,NA,4,4,2,12,149,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12180.874919,12414.982997,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+66923,7,2,2,47,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17623.300255,17855.084956,1,100,15,15,5,3,3,0,0,0,1,47,2,5,1,5
+66924,7,2,1,36,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,2,2,2,NA,NA,NA,NA,28519.067294,31362.329476,1,96,15,15,5,4,4,0,2,0,1,36,2,3,1,4
+66925,7,2,2,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,46764.716703,54568.74353,1,99,2,2,0.46,1,1,0,0,0,2,23,1,5,5,NA
+66926,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,175544.769665,178639.415011,1,91,15,15,5,2,1,0,0,0,1,51,1,3,1,NA
+66927,7,2,1,20,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,51965.135941,52673.460841,2,101,1,1,0.11,2,1,0,0,0,1,19,NA,NA,NA,NA
+66928,7,2,2,64,NA,5,6,1,NA,NA,2,NA,2,1,1,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,7118.69664,7393.452915,1,103,77,77,NA,6,6,0,2,2,1,70,NA,NA,1,1
+66929,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12331.419303,12882.003985,2,95,14,14,5,2,2,0,0,2,1,73,1,5,1,4
+66930,7,2,1,41,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,31640.296506,31576.726829,2,94,15,15,5,3,3,0,0,0,1,41,2,3,1,NA
+66931,7,2,1,16,NA,3,3,2,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,68148.957861,67253.324127,1,93,15,15,3.92,5,5,0,1,0,2,54,1,5,1,5
+66932,7,2,1,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,10420.275705,10501.786379,2,96,7,7,2.58,2,2,0,0,1,2,55,1,4,3,NA
+66933,7,2,1,34,NA,5,6,1,NA,NA,2,NA,2,7,77,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16770.056318,16992.484825,1,103,12,12,NA,2,2,0,0,0,1,34,2,5,1,5
+66934,7,2,2,12,NA,5,6,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7952.410952,8162.028124,2,98,9,9,2.29,5,5,0,2,0,1,36,1,4,1,4
+66935,7,2,1,1,19,5,7,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6370.584728,7024.611386,2,94,10,10,3.51,3,3,1,0,0,2,30,2,5,1,NA
+66936,7,2,1,28,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,2,1,2,1,1,2,2,3,14313.345971,14892.009983,3,91,6,6,1.12,4,4,0,0,2,1,69,2,3,1,1
+66937,7,2,1,37,NA,3,3,1,NA,NA,2,NA,2,2,6,NA,2,5,NA,1,2,2,2,2,2,1,2,2,1,63557.943986,66218.577849,2,103,12,12,NA,3,3,0,0,1,1,60,2,2,1,2
+66938,7,2,2,62,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,NA,NA,NA,1,2,1,NA,17248.011865,22917.917651,1,97,14,14,2.29,7,7,1,2,2,1,40,2,1,1,1
+66939,7,1,2,15,NA,2,2,NA,NA,NA,NA,NA,2,2,3,10,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,18053.382334,0,1,90,10,10,3.67,3,3,0,1,0,2,40,2,2,77,NA
+66940,7,2,2,14,NA,1,1,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20117.170449,20520.192725,1,94,2,2,0.27,5,5,0,4,0,2,47,2,1,4,NA
+66941,7,2,1,25,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,42077.383821,43345.097117,1,102,14,14,4.32,3,3,1,0,0,1,25,1,4,1,4
+66942,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,2,1,2,2,1,2,2,1,2,2,1,20562.749362,20582.941069,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+66943,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,27934.372045,29727.618806,1,101,7,2,0.67,3,1,0,0,1,2,69,1,4,2,NA
+66944,7,2,1,72,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,79754.311902,85970.307401,1,97,6,6,2.15,2,2,0,0,2,1,72,1,5,1,NA
+66945,7,2,2,57,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,24646.971819,24775.50368,1,102,6,6,1.48,3,3,0,0,1,2,57,2,1,1,4
+66946,7,2,1,32,NA,5,7,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,21271.615575,1,94,6,6,1.33,4,4,2,0,0,2,29,1,2,1,4
+66947,7,2,1,51,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,29883.483388,30470.971906,1,102,9,9,3.74,2,2,0,0,0,2,45,1,4,1,2
+66948,7,2,1,14,NA,5,6,1,15,180,NA,NA,2,1,3,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6140.97758,6391.148404,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+66949,7,2,2,54,NA,5,7,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21760.356138,21875.42365,1,92,14,14,5,2,2,0,0,0,1,56,2,4,1,4
+66950,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,111065.717962,123974.675785,2,94,3,3,0.54,4,4,0,1,0,2,48,1,3,1,3
+66951,7,2,2,8,NA,1,1,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,2,2,2,2,17053.854294,17496.484818,3,92,7,7,0.93,7,7,1,3,0,2,20,1,3,1,1
+66952,7,2,2,4,NA,3,3,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28409.87702,1,101,6,6,0.87,6,6,2,2,0,2,23,1,4,6,NA
+66953,7,2,1,10,NA,1,1,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13837.588743,14876.800627,1,92,8,8,2.62,3,3,0,1,0,1,41,2,3,1,9
+66954,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,81857.569857,83650.947594,2,92,15,10,5,4,1,0,0,0,1,28,1,5,5,NA
+66955,7,2,1,38,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,39049.131011,2,98,15,15,5,3,3,0,1,0,1,38,1,4,1,3
+66956,7,2,2,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,41018.498876,43893.586815,2,98,3,3,0.54,3,3,1,0,0,1,23,1,3,1,2
+66957,7,2,1,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,136361.754972,134969.826866,1,98,6,6,1.75,2,2,0,0,2,1,62,1,4,1,3
+66958,7,2,1,52,NA,3,3,1,NA,NA,2,NA,2,2,5,NA,3,1,NA,2,2,2,1,2,2,2,2,2,2,24127.240234,24937.486066,2,93,6,6,1.65,2,2,0,0,0,1,52,2,3,1,5
+66959,7,2,2,43,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,5,2,2,2,2,2,2,2,1,2,2,2,33767.584626,33943.679708,2,102,6,3,0.54,6,4,0,4,0,2,43,2,1,5,NA
+66960,7,2,1,1,20,5,6,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8674.760516,9729.693026,1,94,10,10,3.04,4,4,2,0,0,2,30,1,4,1,5
+66961,7,2,1,36,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19144.719218,19850.422567,1,101,10,10,3.67,3,3,1,0,0,1,36,2,5,1,5
+66962,7,2,1,1,22,4,4,1,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5930.749873,6003.089312,2,93,7,7,1.83,3,3,1,0,0,2,34,2,3,1,3
+66963,7,1,2,70,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,64383.454106,0,1,90,12,12,NA,2,2,0,0,2,1,75,1,5,1,4
+66964,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,100264.332334,101647.830414,1,99,7,7,4.09,1,1,0,0,0,2,27,1,5,5,NA
+66965,7,2,1,2,NA,3,3,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21718.301271,24503.405153,1,94,5,5,0.74,5,5,1,1,0,2,24,1,3,1,4
+66966,7,2,2,14,NA,1,1,2,14,170,NA,NA,2,2,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19850.979841,20551.555585,1,97,3,3,0.5,5,5,0,2,0,1,56,2,2,6,NA
+66967,7,2,1,33,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,2,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,39073.76885,38778.866765,2,99,99,3,0.79,4,2,0,0,0,2,42,2,4,5,NA
+66968,7,2,2,11,NA,1,1,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21075.336925,21477.798111,1,92,14,14,3.15,5,5,1,2,0,1,34,1,4,1,4
+66969,7,2,1,10,NA,1,1,1,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8828.580268,8822.70874,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+66970,7,2,1,18,NA,1,1,2,18,222,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26704.187335,27112.370182,1,95,8,5,1.36,3,2,0,0,0,1,50,1,9,6,NA
+66971,7,2,2,8,NA,5,6,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9620.269705,10273.007637,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+66972,7,1,1,1,13,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,0,2,100,2,2,0.25,4,4,2,1,0,2,39,1,2,5,NA
+66973,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,111065.717962,111174.779569,2,94,10,10,4.42,2,2,0,0,0,2,49,1,4,1,1
+66974,7,2,1,72,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11034.04089,11599.454609,2,95,5,5,1.45,2,2,0,0,2,1,72,1,3,1,3
+66975,7,2,1,17,NA,2,2,1,17,205,2,NA,2,1,4,9,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,18206.126374,19392.083527,2,93,3,3,0.58,4,4,0,1,1,1,65,2,1,3,NA
+66976,7,2,1,24,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,35338.972549,37196.45724,2,90,6,6,1.21,4,4,0,0,0,2,59,2,1,6,NA
+66977,7,2,2,10,NA,4,4,2,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.490652,8919.477637,2,97,4,4,0.57,5,5,1,3,0,2,33,1,3,5,NA
+66978,7,2,1,7,NA,5,6,2,7,86,NA,NA,2,2,3,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9928.619925,10758.848877,1,91,14,14,3.69,4,4,1,1,0,2,29,2,5,1,5
+66979,7,2,2,16,NA,5,6,2,16,200,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,7588.544207,8133.521636,3,91,6,6,1.34,4,4,0,2,0,1,52,2,3,1,1
+66980,7,2,1,7,NA,5,6,2,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9928.619925,10758.848877,1,91,2,2,0.32,3,3,1,1,0,2,28,1,4,77,NA
+66981,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,27921.272721,1,101,4,4,0.84,3,3,0,1,0,1,42,1,4,1,4
+66982,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,21924.837493,22597.469895,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+66983,7,2,2,9,NA,4,4,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,8362.256577,9003.967662,2,100,1,1,0.08,5,5,1,2,0,2,19,1,3,NA,NA
+66984,7,2,1,75,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,53663.609619,56801.747638,2,93,10,10,3.61,3,3,0,0,2,1,75,1,4,1,4
+66985,7,2,2,77,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,3,2,NA,1,2,2,1,2,2,2,2,1,NA,18241.877822,19614.829564,2,93,3,3,0.66,2,2,0,0,2,2,69,2,4,3,NA
+66986,7,2,1,9,NA,5,6,1,9,116,NA,NA,1,1,NA,4,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6254.093492,6623.185563,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+66987,7,2,1,0,8,5,6,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5507.575232,5738.278852,1,97,15,15,4.84,6,6,2,0,0,1,53,NA,NA,1,NA
+66988,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,19870.689174,19326.875638,1,96,3,3,0.93,2,2,0,1,0,2,40,1,5,5,NA
+66989,7,2,2,1,14,1,1,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,11879.078775,2,98,2,2,0.35,3,3,2,0,0,2,20,1,4,5,NA
+66990,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17527.360027,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+66991,7,2,1,24,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,14313.345971,14703.033095,3,91,10,10,4.42,2,2,0,0,0,1,47,2,2,1,NA
+66992,7,2,1,7,NA,3,3,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,42986.51011,44926.997612,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+66993,7,2,2,38,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,2,6,2,2,2,2,2,2,2,NA,NA,NA,NA,32982.479382,32092.542799,2,99,99,3,0.79,4,2,0,0,0,2,42,2,4,5,NA
+66994,7,2,1,52,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,25264.512558,25333.955786,2,93,15,15,5,2,2,0,0,0,1,52,2,5,1,5
+66995,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,76827.086279,81170.917712,2,99,15,15,5,2,2,0,0,0,2,37,1,5,1,5
+66996,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,25651.892165,25827.388922,1,97,14,14,5,3,3,0,0,0,2,51,1,5,1,4
+66997,7,2,2,15,NA,4,4,1,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19770.196972,20174.150218,2,102,10,10,3.78,3,3,0,1,0,1,33,1,3,5,NA
+66998,7,2,2,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10771.85499,12037.490455,2,97,4,4,0.81,4,4,1,1,0,2,51,1,3,4,NA
+66999,7,2,2,15,NA,4,4,1,15,191,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13801.622751,14246.373765,1,100,10,10,2.59,5,5,0,1,0,2,40,1,5,1,NA
+67000,7,2,1,49,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19320.837782,1,99,15,8,4.59,4,1,0,2,0,1,49,1,4,6,NA
+67001,7,2,1,76,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,63147.363155,65543.108264,1,91,8,8,3.4,2,2,0,0,2,2,74,1,4,1,2
+67002,7,2,1,39,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,21317.283165,22287.043754,2,96,5,5,1.08,3,3,0,1,0,2,41,1,3,1,NA
+67003,7,2,1,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,105401.67423,106753.633419,2,92,15,15,5,1,1,0,0,1,1,68,1,5,3,NA
+67004,7,2,2,4,NA,1,1,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18078.669459,18848.958225,1,101,2,2,0.26,5,5,3,0,0,2,26,1,2,1,3
+67005,7,2,1,19,NA,4,4,2,19,239,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+67006,7,2,2,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,7906.792868,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+67007,7,2,2,40,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,19247.348846,19527.962249,2,101,9,9,3.74,2,2,0,0,0,2,40,2,4,1,2
+67008,7,2,2,17,NA,4,4,1,17,210,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16659.324602,16705.662179,1,92,77,77,NA,5,5,1,2,0,2,41,1,3,5,NA
+67009,7,2,2,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,90299.161173,96625.186997,1,92,6,6,1.57,3,3,0,1,0,1,29,1,4,6,NA
+67010,7,2,2,3,NA,2,2,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11009.851855,11478.955249,1,93,13,3,0.54,6,3,2,1,0,1,23,NA,NA,5,NA
+67011,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,7869.59899,8538.749518,2,100,2,2,0.72,1,1,0,0,1,2,67,1,1,4,NA
+67012,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,14138.631841,14167.501749,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+67013,7,2,1,11,NA,4,4,2,11,132,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9699.683862,9867.948233,2,97,14,14,3.91,4,4,1,1,0,1,38,1,4,1,5
+67014,7,2,2,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18696.216547,18746.863759,2,100,5,5,0.95,4,4,0,0,1,2,53,1,3,5,NA
+67015,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,14516.765165,13843.248577,3,90,7,7,2.23,3,3,0,0,0,2,51,1,4,3,NA
+67016,7,2,2,11,NA,3,3,2,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,98,14,14,3.9,4,4,0,3,0,2,31,1,4,1,NA
+67017,7,2,1,11,NA,3,3,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,82670.203859,85919.643529,1,97,15,15,5,5,5,0,3,0,2,47,2,5,1,5
+67018,7,1,1,5,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,17458.543556,0,2,91,6,6,1.3,4,4,1,1,0,2,27,1,4,6,NA
+67019,7,2,1,6,NA,5,7,1,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7101.095162,7528.512272,2,96,15,15,5,4,4,1,1,0,2,35,2,5,1,5
+67020,7,2,1,78,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,74473.849242,78828.927467,2,98,14,14,5,2,2,0,0,2,1,78,1,5,1,3
+67021,7,2,1,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15599.953109,16099.73574,1,99,7,7,1.89,3,3,0,1,0,1,50,1,5,1,2
+67022,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,35813.944922,38588.040359,1,100,8,8,2.97,2,2,0,0,1,2,54,1,4,3,NA
+67023,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,8746.76562,8644.133303,2,97,15,15,5,3,3,0,0,3,2,80,1,3,2,NA
+67024,7,2,2,12,NA,3,3,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71303.309206,77744.474592,2,94,15,15,5,5,5,0,2,0,1,53,1,5,1,5
+67025,7,2,2,78,NA,2,2,2,NA,NA,2,NA,2,1,NA,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,17318.187297,23904.945555,2,90,2,2,0.89,1,1,0,0,1,2,78,2,1,1,NA
+67026,7,2,1,40,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,35406.972937,38657.357615,2,98,12,12,NA,3,3,0,1,0,2,34,1,4,1,3
+67027,7,2,2,15,NA,1,1,2,16,192,NA,NA,2,1,4,10,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18166.909002,19929.443801,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+67028,7,2,2,6,NA,1,1,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10118.363218,10311.586628,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+67029,7,2,2,2,NA,5,6,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5373.703942,1,91,5,5,0.89,4,4,2,0,0,1,39,1,4,1,5
+67030,7,2,1,6,NA,4,4,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8714.559478,8865.734494,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+67031,7,2,2,18,NA,4,4,2,18,219,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,5,5,0.92,5,5,0,3,0,2,54,1,3,2,NA
+67032,7,2,2,32,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,21351.921325,21766.153521,2,92,6,6,1.35,3,3,1,0,0,2,32,1,5,1,5
+67033,7,2,1,3,NA,4,4,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10615.626123,11270.93481,1,100,8,8,1.61,6,6,1,3,0,1,29,1,5,6,NA
+67034,7,2,2,37,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,2,1,2,2,1,2,2,2,2,2,2,35353.005268,34399.106917,2,94,12,12,NA,4,4,0,2,0,1,47,2,2,1,2
+67035,7,2,2,3,NA,1,1,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13196.707564,14212.912965,2,96,8,8,1.33,7,7,2,1,1,1,62,2,1,1,1
+67036,7,2,2,16,NA,2,2,2,16,202,NA,NA,1,1,NA,11,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,12536.713942,13553.99602,3,90,12,12,NA,2,2,0,1,0,2,40,2,2,1,NA
+67037,7,2,2,66,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,13676.984152,18290.186018,2,91,4,4,0.67,5,4,2,0,2,2,66,2,1,1,NA
+67038,7,2,1,11,NA,3,3,2,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13713.949705,16784.308768,1,99,6,6,1.12,4,4,0,2,0,1,39,1,3,1,3
+67039,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,63630.652053,80950.199865,3,90,9,9,3.64,2,2,0,0,0,1,27,2,4,1,5
+67040,7,2,2,19,NA,1,1,2,19,232,2,NA,1,1,NA,15,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,18368.872199,18722.003928,2,94,9,1,0.14,3,1,0,0,0,2,48,2,2,6,NA
+67041,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,42468.064168,44382.588967,2,101,3,3,0.54,3,3,0,2,0,2,36,1,3,5,NA
+67042,7,2,2,9,NA,5,6,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8022.905544,9049.556422,2,92,6,6,1.34,4,4,1,1,0,1,40,2,3,1,3
+67043,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,17703.992112,2,95,15,15,5,3,3,0,0,0,1,59,NA,NA,6,NA
+67044,7,2,2,19,NA,5,7,2,19,231,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11975.458482,12291.118947,1,97,15,15,5,6,6,0,3,0,1,47,1,5,1,5
+67045,7,2,2,1,13,3,3,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19168.30863,20370.539296,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+67046,7,2,1,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,7514.993062,7713.03043,2,90,7,7,2.38,2,2,0,0,1,1,66,1,4,5,NA
+67047,7,2,2,54,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,35630.227837,35816.036445,2,102,8,8,4.59,1,1,0,0,0,2,54,2,5,5,NA
+67048,7,2,2,12,NA,5,7,1,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12427.929278,12265.18624,1,102,15,15,5,4,4,0,2,0,2,40,2,5,1,4
+67049,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,10072.885959,10826.303506,2,100,13,13,NA,1,1,0,0,1,2,78,1,2,2,NA
+67050,7,2,2,8,NA,1,1,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,13231.432201,13813.796743,2,97,13,13,NA,3,3,0,1,0,1,28,2,2,1,1
+67051,7,2,2,37,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,13379.422066,13458.148951,2,103,14,14,3.48,5,5,0,2,1,1,43,1,4,1,5
+67052,7,2,1,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,28585.875492,29232.915291,1,94,2,2,0.75,1,1,0,0,0,1,56,1,2,3,NA
+67053,7,2,1,67,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,1,2,2,1,2,1,2,8017.002318,8145.424458,2,93,7,7,1.74,4,4,0,0,1,2,44,2,3,1,4
+67054,7,2,2,8,NA,1,1,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17458.526997,18973.577367,1,94,6,6,0.97,6,6,1,3,0,1,40,1,3,1,4
+67055,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,28244.319428,29210.271354,1,94,4,4,1.24,2,2,0,0,2,2,71,1,2,1,4
+67056,7,2,1,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,11551.71585,11723.869749,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+67057,7,2,1,0,2,4,4,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6423.674397,6522.268756,1,96,14,14,4.19,3,3,1,0,0,1,44,1,4,6,NA
+67058,7,2,1,42,NA,4,4,2,NA,NA,2,NA,2,2,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17602.101156,18151.242681,1,96,15,15,5,4,4,0,1,0,1,42,2,4,1,4
+67059,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,NA,NA,NA,NA,53799.276134,54280.27834,1,94,3,3,0.37,5,5,0,3,0,2,29,1,4,4,NA
+67060,7,2,2,16,NA,4,4,2,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11478.437608,11446.094627,1,96,6,6,1.21,4,4,0,2,0,2,41,1,4,4,NA
+67061,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,36955.110877,37344.656251,1,100,14,14,4.45,3,3,1,0,0,1,33,1,4,1,4
+67062,7,2,2,1,14,3,3,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46813.021927,47428.160802,1,94,8,8,2.62,3,3,1,0,0,2,26,1,4,5,NA
+67063,7,2,1,15,NA,3,3,1,15,188,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,84860.612577,85065.529717,2,98,15,15,5,4,4,0,2,0,1,48,1,3,1,4
+67064,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,94433.586146,97510.682342,1,91,14,14,3.06,5,5,2,0,0,2,30,1,5,1,5
+67065,7,2,1,36,NA,4,4,1,NA,NA,2,NA,2,2,4,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,23654.723526,31640.766843,1,100,4,4,0.99,2,2,0,1,0,1,36,2,4,4,NA
+67066,7,2,1,65,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26087.95381,26422.577042,1,94,4,4,1.24,2,2,0,0,2,2,71,1,2,1,4
+67067,7,2,1,23,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,3,6,NA,2,2,2,NA,NA,NA,2,2,1,2,38474.772527,42632.210531,2,93,3,3,0.43,4,4,0,0,0,1,45,2,2,6,NA
+67068,7,2,1,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,17879.023129,20112.694262,2,90,2,2,0.87,1,1,0,0,0,1,32,1,5,5,NA
+67069,7,2,1,19,NA,3,3,2,19,235,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,69216.263169,70543.167563,1,91,15,15,5,3,3,0,0,0,2,50,1,4,1,4
+67070,7,2,2,64,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,14809.997435,15471.247979,2,95,4,4,0.76,4,4,0,1,2,1,80,1,1,2,NA
+67071,7,2,2,16,NA,3,3,2,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,135393.338842,139317.527763,1,97,14,14,3.9,4,4,0,2,0,1,47,1,3,1,5
+67072,7,2,1,11,NA,2,2,1,11,133,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11971.590477,11920.833512,2,100,14,14,3.58,4,4,0,1,0,1,46,2,5,1,5
+67073,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,42894.724338,43561.362107,1,98,6,3,0.9,2,1,0,0,0,1,24,1,5,5,NA
+67074,7,2,2,37,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,4,1,2,2,2,2,1,2,2,NA,NA,NA,NA,41791.57979,40949.069487,2,102,7,7,1.53,5,5,1,2,0,2,37,2,4,1,4
+67075,7,2,2,14,NA,3,3,1,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,114661.989457,116814.464785,2,101,14,14,4.86,3,3,0,1,0,1,53,1,4,1,5
+67076,7,2,2,10,NA,3,3,1,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23170.920553,22863.220381,3,91,2,2,0.33,4,4,0,3,0,2,31,1,4,4,NA
+67077,7,1,2,4,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5878.066175,0,1,91,15,15,5,5,5,2,1,0,1,40,1,5,1,5
+67078,7,2,2,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,28175.708676,28476.609384,1,94,3,3,0.92,1,1,0,0,1,2,75,1,4,1,NA
+67079,7,2,1,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,20397.472757,21204.731618,1,90,6,6,2.15,2,2,0,0,1,2,79,NA,NA,77,NA
+67080,7,2,2,11,NA,3,3,2,11,140,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14287.66096,14320.169639,2,97,7,7,1.92,3,3,0,1,0,1,57,1,4,1,4
+67081,7,2,2,50,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,22916.776688,24567.079865,1,102,5,5,0.62,7,7,1,3,0,1,49,2,2,1,1
+67082,7,2,1,18,NA,1,1,1,18,224,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22768.423624,22766.421142,2,98,5,5,1.61,2,2,0,0,0,2,44,2,4,3,NA
+67083,7,2,1,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,111284.977736,116509.217288,3,91,15,15,5,4,4,0,0,1,1,60,NA,NA,4,NA
+67084,7,2,2,5,NA,3,3,2,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27528.66901,30383.138359,1,95,5,5,1.19,3,3,1,1,0,1,47,1,2,3,NA
+67085,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,46498.414015,0,1,90,6,6,1.65,2,2,0,0,1,1,55,1,4,77,NA
+67086,7,2,1,8,NA,1,1,1,9,108,NA,NA,2,2,3,2,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,17882.621856,17720.218058,2,98,3,3,0.4,6,6,1,2,0,2,29,2,1,4,NA
+67087,7,2,2,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,15267.012422,14516.051827,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+67088,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,51218.356583,59416.206008,2,98,12,12,NA,2,2,0,0,1,2,80,1,2,2,NA
+67089,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,24654.107413,23987.341621,1,100,6,6,1.39,4,4,0,3,0,2,29,1,4,5,NA
+67090,7,2,2,0,4,2,2,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6752.982789,6610.907942,1,93,12,7,2,4,3,1,0,0,1,43,2,1,1,5
+67091,7,2,2,12,NA,2,2,1,12,149,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15809.066118,17342.845429,2,93,3,3,0.52,5,5,0,2,0,1,41,2,4,1,4
+67092,7,2,1,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,NA,63054.867183,67969.319596,1,90,14,8,4.03,2,1,0,0,2,1,76,1,5,6,NA
+67093,7,2,1,10,NA,1,1,1,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,16288.924956,16868.808147,1,101,3,3,0.41,5,5,0,2,1,2,36,2,4,4,NA
+67094,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,6038.685119,6085.921613,1,96,15,15,5,2,2,0,0,2,1,60,1,5,1,3
+67095,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,28585.875492,28917.983006,1,91,5,5,1.2,3,3,0,0,1,1,58,1,2,1,2
+67096,7,2,1,11,NA,1,1,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11399.23838,11295.714433,1,103,5,5,0.71,6,6,2,2,0,2,31,2,2,1,2
+67097,7,2,2,7,NA,1,1,2,7,85,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15225.935813,15373.8033,2,94,7,7,1.88,4,4,0,2,0,2,28,1,4,4,NA
+67098,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,9793.924718,10548.859356,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+67099,7,2,1,7,NA,2,2,1,7,94,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12231.897958,14410.652577,1,100,3,3,0.39,5,5,1,2,0,1,32,2,1,6,NA
+67100,7,2,2,29,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,20247.768461,26123.76716,2,93,6,6,1.72,2,2,0,1,0,2,29,1,4,3,NA
+67101,7,2,2,8,NA,1,1,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20495.125801,21365.773499,3,92,4,4,0.46,7,7,1,2,0,2,31,2,2,1,1
+67102,7,2,2,13,NA,3,3,2,13,162,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,133500.800632,137370.136946,1,98,5,5,1.39,2,2,0,1,0,1,46,1,4,3,NA
+67103,7,2,2,3,NA,2,2,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11429.37307,12618.334582,2,90,5,5,1.19,3,3,1,0,1,2,60,2,1,4,NA
+67104,7,2,1,8,NA,4,4,2,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9699.683862,9892.534359,2,97,5,5,1.08,3,3,1,1,0,2,27,1,3,5,NA
+67105,7,2,2,43,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,34954.173075,36984.739503,2,98,2,2,0.35,3,3,0,1,0,2,43,1,3,1,3
+67106,7,2,1,21,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,35338.972549,36508.861705,2,90,2,2,0.25,5,5,0,1,0,2,41,2,4,1,NA
+67107,7,2,1,77,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,9662.124837,10964.58979,2,95,2,2,0.6,1,1,0,0,1,1,77,1,3,3,NA
+67108,7,2,1,6,NA,1,1,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11881.117946,11935.814841,1,102,6,6,0.96,5,5,0,2,0,1,32,2,2,1,3
+67109,7,2,2,29,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,47348.206546,48810.979214,1,92,14,14,3.9,4,4,2,0,0,2,29,1,4,1,4
+67110,7,2,2,7,NA,4,4,1,7,90,NA,NA,2,1,3,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7140.212598,7289.797115,2,93,12,12,NA,4,4,1,1,0,2,27,2,4,1,4
+67111,7,2,1,11,NA,1,1,1,11,141,NA,NA,2,2,2,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,13870.762641,14200.45921,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+67112,7,2,2,64,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9581.703872,9981.600708,2,96,15,15,5,2,2,0,0,2,1,66,1,5,1,5
+67113,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,183805.817006,191979.640064,1,93,15,15,5,2,2,0,0,0,1,58,2,5,1,5
+67114,7,2,1,6,NA,5,6,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7241.695104,8178.415743,1,102,15,15,4.59,4,4,1,1,0,1,35,1,5,1,5
+67115,7,2,1,59,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,28247.128624,28689.709737,2,93,9,9,2.6,4,4,0,0,0,2,58,2,4,4,NA
+67116,7,2,2,31,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,43270.789623,48694.023669,2,99,10,10,5,2,1,0,0,0,2,31,1,5,5,NA
+67117,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,47973.37979,50072.031476,1,101,2,2,0.22,4,4,1,0,0,2,25,1,4,6,NA
+67118,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,88056.562286,93150.302158,2,91,6,6,1.34,4,4,1,2,0,2,33,1,4,3,NA
+67119,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,110369.721342,112542.856633,1,94,6,6,1.31,3,3,0,0,0,2,46,1,5,6,NA
+67120,7,1,2,30,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,19305.389921,0,1,93,10,10,5,1,1,0,0,0,2,30,1,5,5,NA
+67121,7,2,1,39,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19091.246741,19659.303383,1,91,5,5,0.89,4,4,2,0,0,1,39,1,4,1,5
+67122,7,2,1,17,NA,4,4,1,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12296.68269,12194.010773,1,102,7,7,2.72,2,2,0,1,0,2,49,1,4,5,NA
+67123,7,2,2,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,32501.623429,43787.968887,2,97,5,5,1.63,2,2,1,0,0,2,33,1,3,5,NA
+67124,7,2,2,8,NA,3,3,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23170.920553,22863.220381,1,94,4,4,1.06,2,2,0,1,0,2,26,1,4,5,NA
+67125,7,2,1,2,NA,2,2,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8331.647763,8595.381151,2,90,15,15,4.2,5,5,1,0,0,2,50,NA,NA,6,NA
+67126,7,2,2,22,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16239.242782,17454.103497,2,101,99,99,NA,3,1,0,0,0,2,22,1,4,5,NA
+67127,7,2,1,18,NA,4,4,1,19,228,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,14650.502937,14679.468181,2,102,14,14,3.25,5,5,1,1,0,2,32,1,4,1,3
+67128,7,2,2,47,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,18811.641937,20880.310604,2,90,3,3,1.04,1,1,0,0,0,2,47,2,4,5,NA
+67129,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18723.98095,17927.802584,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+67130,7,2,2,10,NA,2,2,1,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15352.601806,15746.071667,2,102,15,12,NA,5,4,0,3,0,1,42,2,4,6,NA
+67131,7,2,1,8,NA,3,3,1,8,103,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18834.739821,20852.023287,1,94,5,5,1.2,3,3,0,1,0,1,49,1,4,5,NA
+67132,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,36598.587714,38321.205688,1,97,7,7,1.74,4,4,0,3,0,2,32,1,4,5,NA
+67133,7,2,1,33,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32856.012738,32608.038024,2,103,77,77,NA,5,5,1,2,0,2,30,1,2,1,2
+67134,7,2,1,29,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,40333.47326,40883.249623,2,99,9,9,4.92,1,1,0,0,0,1,29,1,5,5,NA
+67135,7,2,2,58,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,1,2,NA,1,2,1,1,2,2,NA,NA,NA,NA,17277.829496,17117.256291,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+67136,7,2,2,11,NA,5,7,2,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18348.624469,20109.577944,2,90,77,77,NA,6,6,0,4,0,2,41,NA,NA,4,NA
+67137,7,2,1,67,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,8479.54701,8948.405799,2,98,6,6,2.04,2,2,0,0,2,2,66,1,1,1,1
+67138,7,2,2,8,NA,2,2,2,8,102,NA,NA,2,1,3,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15583.587534,16935.930722,1,93,15,15,5,4,4,0,2,0,1,50,1,5,1,5
+67139,7,2,2,0,1,1,1,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8907.98929,8720.575629,1,95,1,1,0,3,3,1,0,0,2,21,1,2,6,NA
+67140,7,1,2,12,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5268.765205,0,1,99,9,9,2.68,4,4,0,2,0,1,43,2,3,1,NA
+67141,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,72114.232586,74326.626155,2,96,12,12,NA,2,2,0,0,2,1,77,1,5,1,4
+67142,7,2,1,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6992.24593,7710.094516,2,97,1,1,0.33,2,2,1,0,0,2,24,1,2,5,NA
+67143,7,2,1,33,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,3,5,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,34624.133414,2,94,14,8,3.06,5,2,0,0,0,1,24,2,4,5,NA
+67144,7,2,1,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,13629.653758,14595.525499,1,90,15,15,5,5,5,0,3,0,2,46,2,4,1,5
+67145,7,2,2,0,9,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3320.8855,3567.679794,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+67146,7,2,2,7,NA,3,3,2,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24070.467912,25563.654853,1,95,6,6,1.09,5,5,0,3,0,1,31,1,4,1,4
+67147,7,2,1,1,22,4,4,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6347.215153,6541.084247,2,95,6,6,1.3,4,4,1,1,0,1,38,1,4,1,4
+67148,7,2,2,68,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,3,2,NA,2,2,2,2,2,2,1,2,2,2,9716.805546,10855.679158,2,90,2,2,0.64,1,1,0,0,1,2,68,2,3,2,NA
+67149,7,2,2,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,9943.806181,2,100,6,6,2.31,2,2,0,0,2,2,65,1,4,1,2
+67150,7,2,1,0,7,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6246.568228,6909.306675,2,95,1,1,0.13,2,2,1,0,0,2,22,1,3,5,NA
+67151,7,2,1,5,NA,4,4,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,10162.494907,1,100,1,1,0.26,2,2,1,0,0,2,28,1,3,5,NA
+67152,7,2,2,10,NA,1,1,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,14414.529053,14932.182215,2,96,3,3,0.46,5,5,1,2,0,1,37,1,1,1,2
+67153,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17538.193115,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+67154,7,2,1,4,NA,5,7,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10276.262805,11525.953064,1,97,15,15,4.77,4,4,1,1,0,1,41,2,4,1,5
+67155,7,2,2,2,NA,5,6,1,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7128.631964,7757.55827,3,91,15,15,5,4,4,1,1,0,1,39,2,5,1,5
+67156,7,2,2,10,NA,2,2,1,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12307.832776,13375.906079,2,93,10,10,2.26,6,6,0,4,0,1,34,1,4,1,3
+67157,7,2,2,18,NA,5,6,2,18,222,2,NA,2,1,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6937.463063,7435.682574,3,90,99,99,NA,4,4,0,1,0,1,40,2,3,6,NA
+67158,7,2,1,14,NA,2,2,1,14,178,NA,NA,2,2,3,9,NA,NA,NA,2,1,2,1,2,2,1,2,1,2,14117.225999,14174.690553,2,93,4,4,0.56,5,5,0,2,0,1,37,NA,NA,1,1
+67159,7,2,1,80,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,1,1,2,1,1,2,2,NA,11550.158096,12419.035396,2,92,5,5,1.08,3,3,0,0,2,1,46,NA,NA,5,NA
+67160,7,2,2,15,NA,4,4,2,15,185,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12209.74498,12444.407921,2,90,14,14,4.25,4,4,0,2,1,2,45,2,5,5,NA
+67161,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,48113.658256,0,1,90,5,5,2.15,1,1,0,0,1,2,80,1,3,2,NA
+67162,7,2,1,4,NA,5,6,2,4,54,NA,NA,2,2,1,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8402.098771,9423.873047,3,91,5,5,1.08,3,3,1,0,0,1,29,2,5,1,5
+67163,7,2,1,4,NA,1,1,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14505.510202,14964.673559,2,94,4,4,0.73,5,5,2,1,0,1,35,2,1,6,NA
+67164,7,2,2,13,NA,5,6,1,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10142.281747,10534.471105,3,91,15,15,5,4,4,0,2,0,1,44,2,5,1,5
+67165,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,35126.205635,35160.69801,1,101,2,2,0.66,1,1,0,0,0,2,46,1,4,3,NA
+67166,7,2,2,9,NA,2,2,2,9,116,NA,NA,2,1,3,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,16099.075547,16268.329655,1,93,5,5,0.84,5,5,1,2,0,2,52,2,1,3,NA
+67167,7,2,1,8,NA,2,2,2,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9390.522479,10327.334743,2,90,3,3,0.7,3,3,1,1,0,2,25,1,1,1,NA
+67168,7,2,2,11,NA,3,3,1,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18800.96526,18551.296274,1,94,3,3,0.37,5,5,0,3,0,2,29,1,4,4,NA
+67169,7,2,1,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,27572.205373,27179.185736,1,100,7,7,3.58,1,1,0,0,0,1,30,1,5,5,NA
+67170,7,2,1,13,NA,2,2,2,13,163,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16033.31661,17623.465787,2,90,5,5,0.76,5,5,0,4,0,2,32,1,2,3,NA
+67171,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,19060.786733,19662.793534,2,97,4,4,0.81,4,4,1,0,0,2,51,1,2,4,NA
+67172,7,2,1,5,NA,1,1,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19885.456648,19912.326587,1,92,10,10,3.04,4,4,2,0,0,2,37,2,5,1,5
+67173,7,2,2,21,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,1,2,2,1,19463.594852,21649.931723,3,92,6,6,1.6,3,3,0,0,1,2,77,1,3,99,NA
+67174,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,1,1,2,2,1,2,2,1,2,2,1,100264.332334,116996.29597,1,99,7,7,3.63,1,1,0,0,0,2,25,1,5,5,NA
+67175,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,31540.022655,31610.470938,2,94,NA,77,NA,2,1,0,0,0,1,49,1,3,3,NA
+67176,7,2,1,17,NA,4,4,2,17,206,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11834.781205,12120.23702,2,90,8,8,2.59,3,3,0,2,0,2,35,1,4,6,NA
+67177,7,2,2,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,66567.821082,69187.508251,1,94,3,3,0.88,2,2,0,0,1,2,74,1,2,2,NA
+67178,7,2,1,4,NA,1,1,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17865.135763,18430.646082,3,92,3,3,0.51,5,5,1,2,0,2,34,2,1,6,NA
+67179,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,NA,NA,NA,NA,30275.274308,28786.080652,2,101,2,2,0.51,1,1,0,0,0,2,20,1,4,5,NA
+67180,7,2,2,78,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,14534.533756,15507.238104,1,96,6,6,2.06,2,2,0,0,2,1,68,2,3,1,2
+67181,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,28721.124083,1,101,7,7,1.82,4,4,2,0,0,2,27,1,2,1,3
+67182,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,19130.246369,19076.4893,1,98,10,10,3.77,3,3,0,1,0,1,48,NA,NA,1,4
+67183,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21143.964074,20709.49715,1,100,15,15,3.7,5,5,0,3,0,1,51,1,5,1,5
+67184,7,2,1,42,NA,1,1,2,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,31640.296506,31176.023929,2,94,15,9,5,2,1,0,0,0,1,42,1,4,6,NA
+67185,7,2,2,51,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,1,1,2,2,NA,24178.173487,24760.288626,1,92,7,7,2.1,3,3,0,0,0,1,24,2,4,5,NA
+67186,7,2,1,6,NA,2,2,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11971.590477,11920.833512,2,100,14,14,3.58,4,4,1,1,0,1,33,1,4,1,5
+67187,7,2,2,15,NA,1,1,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12996.753859,13369.730018,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+67188,7,2,2,13,NA,4,4,1,13,161,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14166.687432,14623.20249,1,100,6,6,1.39,4,4,0,3,0,2,29,1,4,5,NA
+67189,7,2,2,70,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,3,2,NA,1,2,1,1,2,1,1,2,2,NA,12813.709202,14706.046404,2,103,4,4,1.43,1,1,0,0,1,2,70,2,3,2,NA
+67190,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,79987.938327,1,101,14,14,4.5,3,3,0,1,0,1,39,1,2,1,5
+67191,7,2,2,33,NA,3,3,1,NA,NA,2,NA,2,7,2,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,29733.812317,32603.623062,1,101,6,6,1.65,2,2,0,0,0,1,47,1,4,1,2
+67192,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126117.5094,130777.186989,2,98,8,8,2.7,3,3,0,0,1,2,71,NA,NA,2,NA
+67193,7,2,1,37,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18289.793332,19321.216647,1,99,8,8,1.76,5,5,0,2,1,1,37,1,4,1,3
+67194,7,2,1,51,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21762.20618,21775.974398,1,91,10,10,2.56,5,5,0,3,0,1,51,2,5,1,4
+67195,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,133542.212862,137840.368471,1,94,9,9,3.97,2,2,0,0,0,1,49,1,3,1,3
+67196,7,2,2,5,NA,1,1,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11859.546176,12772.78418,1,102,8,8,1.33,7,7,1,4,0,2,32,1,3,1,2
+67197,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,66253.989241,66961.54455,1,101,15,15,5,2,2,0,0,2,2,73,1,4,1,4
+67198,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32461.799549,32721.879701,1,101,3,3,0.66,2,2,0,0,1,1,67,1,2,3,NA
+67199,7,2,1,41,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15574.704266,15518.439557,2,92,15,15,5,2,2,0,0,0,2,36,1,5,1,5
+67200,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,97074.465027,101633.534325,1,93,15,8,4.41,3,1,0,0,0,1,30,1,5,5,NA
+67201,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,20953.00978,22383.074498,2,97,3,3,0.46,5,5,0,3,0,1,40,1,2,1,3
+67202,7,2,1,11,NA,5,6,2,11,133,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8423.270513,9127.622487,1,90,15,15,5,5,5,0,3,0,2,46,2,4,1,5
+67203,7,2,1,33,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17879.023129,20112.694262,2,90,5,5,2.02,1,1,0,0,0,1,33,2,3,5,NA
+67204,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,20333.447198,20233.229833,1,98,6,6,1.72,2,2,0,0,0,2,53,1,5,2,NA
+67205,7,2,1,5,NA,5,7,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8100.706553,8491.571292,1,98,14,14,3.9,4,4,2,0,0,1,39,1,5,1,4
+67206,7,2,1,8,NA,5,7,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21087.869274,22876.159598,1,101,5,5,1.26,3,3,0,1,1,2,42,1,3,5,NA
+67207,7,2,2,10,NA,4,4,2,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7136.421849,7489.546444,1,90,9,9,1.65,7,7,0,4,0,1,36,1,4,1,4
+67208,7,2,1,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7117.971973,7173.650989,2,100,6,6,2.31,2,2,0,0,2,2,65,1,4,1,2
+67209,7,2,2,80,NA,3,3,1,NA,NA,2,NA,2,1,9,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,51644.110977,57877.507418,1,102,5,5,1.84,1,1,0,0,1,2,80,2,5,2,NA
+67210,7,2,2,63,NA,4,4,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,2,1,1,1,NA,10585.751811,11058.394307,2,93,6,6,1.13,4,4,0,0,2,1,60,2,3,1,3
+67211,7,2,1,3,NA,4,4,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8973.990262,9895.291699,2,95,3,3,0.43,4,4,2,0,0,2,23,1,2,5,NA
+67212,7,1,2,67,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,125706.50355,0,3,91,14,14,5,2,1,0,0,1,2,67,1,5,5,NA
+67213,7,2,1,4,NA,4,4,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,10259.663981,2,97,1,1,0.27,2,2,1,0,0,2,20,1,2,5,NA
+67214,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,99283.360764,103932.649449,3,91,14,14,5,1,1,0,0,0,1,39,1,5,5,NA
+67215,7,2,1,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,2,2,2,1,2,2,1,40899.412129,44211.773156,1,94,5,5,0.57,7,7,2,1,0,1,58,2,1,1,1
+67216,7,2,2,0,7,1,1,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6744.839779,7193.080406,1,103,5,5,1.02,4,4,2,0,0,1,25,1,2,1,4
+67217,7,2,1,41,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,37402.70356,39087.586144,2,102,7,7,1.89,3,3,0,1,0,1,41,2,2,6,NA
+67218,7,2,1,0,8,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13392.309303,13804.825901,1,99,15,15,5,5,5,3,0,0,2,34,1,5,1,5
+67219,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,61212.189461,64753.083655,3,90,15,15,5,3,3,1,0,0,1,31,1,5,1,5
+67220,7,2,1,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,106105.629898,111686.437619,1,100,14,9,4.92,3,1,1,0,0,1,33,1,5,5,NA
+67221,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,17293.36291,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+67222,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,62796.637452,70136.543572,2,102,6,6,1.15,5,5,0,0,2,1,80,1,5,1,1
+67223,7,2,1,40,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18898.73153,22670.159935,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+67224,7,2,1,2,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6760.288309,6966.774293,1,96,99,99,NA,4,4,1,1,0,2,35,2,3,1,3
+67225,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,8318.523894,9127.657215,3,90,3,3,1.07,1,1,0,0,1,1,80,1,5,2,NA
+67226,7,2,2,43,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,14831.744106,14871.922635,3,90,5,5,0.87,4,4,0,0,0,2,43,2,3,5,NA
+67227,7,2,2,17,NA,4,4,2,17,208,2,NA,2,2,4,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11072.776368,11285.58755,3,90,9,9,4.1,2,2,0,1,0,2,41,2,5,5,NA
+67228,7,2,1,41,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,14823.307875,15546.691363,1,96,8,8,2.62,3,3,0,1,0,1,41,2,3,1,5
+67229,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,138075.879417,141933.339512,2,91,7,7,1.61,4,4,0,0,3,1,65,1,3,6,NA
+67230,7,2,1,59,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,25969.864445,26997.658596,1,97,15,15,5,2,2,0,0,0,1,59,1,5,1,5
+67231,7,2,1,18,NA,4,4,1,18,219,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16147.713323,16532.569027,1,92,5,5,0.95,4,4,0,2,0,2,33,1,4,5,NA
+67232,7,2,2,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,35933.117795,36141.582386,1,98,1,1,0.18,1,1,0,0,0,2,48,1,5,1,NA
+67233,7,2,2,7,NA,4,4,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8757.841043,9034.425418,2,97,2,2,0.49,3,3,0,1,0,2,27,1,4,5,NA
+67234,7,2,1,12,NA,1,1,1,12,149,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20705.832333,21431.576705,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+67235,7,2,1,6,NA,4,4,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14125.862146,14295.209168,1,97,5,5,0.91,4,4,0,3,0,2,44,1,4,5,NA
+67236,7,2,2,48,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,43535.993088,43763.029589,2,102,77,77,NA,3,3,0,0,0,2,48,2,2,1,3
+67237,7,2,2,51,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,23953.14388,24078.057488,1,90,12,12,NA,4,4,0,0,0,1,54,2,4,1,2
+67238,7,2,2,15,NA,5,6,1,15,189,NA,NA,2,1,4,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7382.152016,8028.485773,1,94,14,14,2.78,6,5,0,2,1,1,61,1,4,1,5
+67239,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,1,4,NA,2,2,2,2,2,1,NA,NA,NA,NA,24004.6026,28934.42641,2,91,4,4,0.94,3,3,0,1,0,2,50,2,1,4,NA
+67240,7,2,2,5,NA,1,1,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19235.084509,21236.049482,3,92,8,8,2,4,4,2,0,0,1,30,1,4,1,4
+67241,7,1,1,80,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,99,NA,1,1,2,1,2,2,NA,NA,NA,NA,14359.447628,0,1,97,4,4,0.81,3,3,0,0,2,1,80,1,3,99,NA
+67242,7,2,1,2,NA,4,4,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8009.966208,8832.297541,2,96,6,6,1.35,3,3,1,1,0,2,23,1,2,5,NA
+67243,7,2,2,68,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,7869.59899,8538.749518,1,96,3,3,0.68,2,2,0,0,1,2,68,1,2,3,NA
+67244,7,2,2,13,NA,3,3,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28650.637159,30356.286382,2,100,2,2,0.38,3,3,0,2,0,2,35,1,4,5,NA
+67245,7,2,1,27,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,2,5,NA,1,2,2,1,2,1,1,2,2,1,9177.295801,9548.31812,2,92,77,77,NA,4,4,0,0,0,1,27,2,2,5,NA
+67246,7,2,1,15,NA,3,3,2,15,185,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,68701.580401,72973.564721,2,94,15,15,5,5,5,0,2,0,1,53,1,5,1,5
+67247,7,2,1,8,NA,5,6,2,8,102,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8151.552109,8792.161653,1,90,14,14,3.33,5,5,1,2,0,1,41,1,5,1,5
+67248,7,2,2,14,NA,1,1,1,14,174,NA,NA,2,2,4,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15690.47168,16407.081535,1,102,5,5,0.62,7,7,1,3,0,1,49,2,2,1,1
+67249,7,2,2,58,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16663.192678,16751.306683,2,92,NA,4,1.65,2,1,0,0,1,2,58,2,4,5,NA
+67250,7,2,2,43,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,42424.587753,44729.774642,2,102,4,4,1.38,2,1,0,0,0,2,43,1,5,6,NA
+67251,7,2,2,7,NA,4,4,2,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,1,2,NA,NA,NA,NA,7814.742747,7984.793423,2,95,2,2,0.26,4,4,0,2,0,2,44,NA,NA,5,NA
+67252,7,2,2,24,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16844.740449,17983.530016,3,91,3,3,1.1,1,1,0,0,0,2,24,1,5,5,NA
+67253,7,2,2,10,NA,3,3,2,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,44941.581862,44344.776378,2,94,10,10,2.91,4,4,0,2,0,2,38,1,4,1,4
+67254,7,2,1,8,NA,1,1,1,9,108,NA,NA,2,2,2,2,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,13870.762641,13985.149896,2,102,6,4,1.02,6,2,0,4,0,2,43,2,1,5,NA
+67255,7,2,2,38,NA,3,3,2,NA,NA,2,NA,2,1,4,NA,3,1,2,1,2,2,1,2,2,1,1,2,NA,53830.599426,56664.989337,1,99,77,77,NA,4,4,1,1,0,1,31,2,3,1,3
+67256,7,2,1,10,NA,1,1,1,11,132,NA,NA,2,2,3,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15456.524105,16140.282926,1,100,99,99,NA,6,6,0,1,0,2,22,2,3,1,3
+67257,7,2,2,9,NA,5,6,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8556.454265,9137.012028,1,90,15,15,5,5,5,0,2,0,1,47,2,5,1,5
+67258,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,54256.870337,62240.534341,2,94,6,6,2.04,2,2,0,0,2,1,75,1,3,1,3
+67259,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,90081.78624,90194.909743,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+67260,7,2,1,3,NA,3,3,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27542.701065,31074.71228,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+67261,7,2,1,57,NA,3,3,2,NA,NA,2,NA,2,1,99,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,20160.790176,25538.533486,3,90,77,99,NA,2,1,0,0,1,1,62,2,5,3,NA
+67262,7,1,2,68,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,1,1,2,1,NA,NA,NA,NA,9793.924718,0,2,100,2,2,0.39,3,3,0,0,1,2,45,1,2,5,NA
+67263,7,2,2,3,NA,1,1,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15979.952759,16987.381382,2,102,6,6,1.03,5,5,1,1,0,1,37,1,2,1,2
+67264,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,81062.798322,86779.337922,1,101,4,4,1.61,1,1,0,0,1,2,77,1,2,2,NA
+67265,7,2,2,0,5,4,4,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4681.626184,4732.744026,1,96,6,6,1.31,4,3,1,0,0,2,27,2,4,1,3
+67266,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,51543.062078,51154.050295,3,92,7,7,1.3,5,5,1,2,0,2,33,2,2,1,1
+67267,7,1,1,10,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10524.718724,0,1,96,77,77,NA,2,2,0,1,0,2,35,1,3,3,NA
+67268,7,2,2,18,NA,3,3,2,18,217,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,100004.689924,107460.712122,1,90,12,12,NA,2,2,0,0,0,2,45,2,3,4,NA
+67269,7,2,1,59,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21762.20618,22687.256739,1,91,15,15,5,4,4,0,1,0,2,51,2,4,1,5
+67270,7,2,2,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,34874.122648,36144.248604,3,92,6,6,1.41,4,3,0,1,0,1,41,1,4,1,4
+67271,7,2,2,4,NA,4,4,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8833.042831,9629.276723,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+67272,7,2,2,11,NA,3,3,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18417.272091,18465.044105,1,94,5,5,1.04,4,4,0,2,0,2,29,1,3,1,3
+67273,7,2,1,44,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,31740.385214,31855.807763,2,96,5,5,0.78,5,5,0,2,0,1,37,2,1,5,NA
+67274,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,19150.604366,19251.871661,3,91,14,9,2.68,6,4,0,0,2,1,48,2,1,1,1
+67275,7,2,1,77,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,16603.347511,18119.902269,2,98,3,3,0.88,2,2,0,0,2,1,77,1,1,1,3
+67276,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,3,NA,2,2,2,2,2,2,1,2,2,2,9716.805546,10855.679158,2,90,7,7,1.34,5,5,0,1,2,1,61,2,1,4,NA
+67277,7,2,2,4,NA,5,6,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5307.591514,5454.53335,2,102,3,3,0.38,5,5,3,0,0,2,30,2,2,1,4
+67278,7,2,1,2,NA,2,2,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,1,1,0.14,3,2,2,0,0,2,27,1,3,6,NA
+67279,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,21765.629914,22790.091994,2,90,2,2,0.38,4,4,1,2,0,2,32,1,4,5,NA
+67280,7,2,1,27,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37911.437415,38428.199561,2,103,12,6,2.24,2,1,0,0,0,1,27,1,4,5,NA
+67281,7,2,2,42,NA,1,1,2,NA,NA,2,NA,2,2,77,NA,2,6,2,2,2,2,2,2,2,2,2,2,2,31235.666551,35013.570975,2,94,77,77,NA,3,3,0,1,0,2,42,2,2,6,NA
+67282,7,2,2,8,NA,1,1,1,8,102,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,13028.403003,13395.598637,2,96,6,6,1.11,5,5,0,3,0,2,32,2,3,1,2
+67283,7,2,2,56,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12441.719186,12605.354834,1,96,15,15,5,5,5,0,0,0,1,58,2,5,1,5
+67284,7,2,2,12,NA,5,6,1,12,147,NA,NA,2,2,1,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6370.316505,6496.587233,2,94,8,8,1.8,6,6,0,1,2,1,74,2,5,1,5
+67285,7,2,2,70,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,22166.463682,23916.215243,3,91,6,6,2.89,1,1,0,0,1,2,70,2,5,2,NA
+67286,7,2,2,6,NA,4,4,2,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6655.097829,7106.52929,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+67287,7,2,2,10,NA,5,6,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7932.110938,8316.610099,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+67288,7,2,1,24,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,17446.328105,17921.312041,1,92,15,15,5,2,2,0,0,0,2,49,1,5,3,NA
+67289,7,2,1,5,NA,5,6,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7042.228842,7898.630137,2,103,14,14,3.47,4,4,1,0,1,1,47,2,5,1,5
+67290,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,34099.599202,35276.751365,1,94,7,1,0.09,5,1,0,0,0,1,46,1,4,1,4
+67291,7,2,2,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,35160.494695,36239.184013,1,100,4,4,1.16,2,2,0,0,2,1,74,1,3,1,5
+67292,7,2,1,8,NA,4,4,1,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9022.8939,9530.778148,2,100,6,6,0.99,5,5,0,3,0,2,40,1,3,1,3
+67293,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,132969.642582,137509.365878,2,91,15,15,5,4,4,0,2,0,1,53,1,5,1,4
+67294,7,1,2,44,NA,2,2,NA,NA,NA,2,NA,2,1,5,NA,3,1,3,1,2,2,1,2,2,NA,NA,NA,NA,32606.880052,0,2,93,6,6,1.48,4,4,0,1,0,1,53,2,2,1,3
+67295,7,2,2,4,NA,5,6,2,4,52,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,4932.827461,1,91,14,14,4.32,3,3,1,0,0,1,34,2,5,1,3
+67296,7,2,2,15,NA,4,4,2,15,182,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12265.19283,12230.632995,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+67297,7,2,1,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,123110.069898,136669.986833,1,101,8,4,1.34,2,1,0,0,0,2,20,1,4,6,NA
+67298,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,17377.366864,16840.035727,2,99,6,6,1.11,5,5,1,2,0,2,41,1,2,5,NA
+67299,7,2,2,7,NA,2,2,2,7,84,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15148.721588,16225.089736,2,91,2,2,0.42,3,3,1,1,0,2,27,1,3,5,NA
+67300,7,2,1,72,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,71709.98031,77299.00621,2,91,9,9,2.6,4,4,0,0,2,1,72,1,4,1,5
+67301,7,1,2,18,NA,3,3,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,45824.798023,0,1,97,1,1,0.09,2,1,0,0,0,1,24,1,3,6,NA
+67302,7,2,2,3,NA,4,4,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16749.124902,18717.057678,2,97,1,1,0.13,4,4,2,0,1,2,62,1,2,4,NA
+67303,7,2,1,8,NA,3,3,2,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,82670.203859,85919.643529,1,97,15,15,5,5,5,0,3,0,2,47,2,5,1,5
+67304,7,2,2,12,NA,2,2,1,12,151,NA,NA,2,2,2,5,NA,NA,NA,2,1,2,2,2,2,1,2,1,2,12712.538972,13945.896408,2,93,6,6,0.93,5,5,1,2,0,1,40,2,4,1,4
+67305,7,2,2,20,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,3,1,0.22,3,1,0,0,0,2,20,2,4,5,NA
+67306,7,2,1,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,19186.370211,20284.349464,2,97,2,2,0.27,4,4,0,2,0,1,51,1,2,4,NA
+67307,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,21022.682584,21611.637105,1,100,3,3,0.43,4,4,2,0,0,1,20,1,3,6,NA
+67308,7,2,1,21,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,10131.732483,10407.573345,2,103,12,3,1.07,5,1,0,1,0,2,47,NA,NA,3,NA
+67309,7,2,1,72,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,2,2,1,2,2,2,2,2,2,NA,15435.262366,15704.333986,2,93,9,9,3.14,3,3,0,0,2,1,43,NA,NA,5,NA
+67310,7,2,1,46,NA,2,2,1,NA,NA,2,NA,2,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,49060.272708,48961.70392,1,92,14,5,1.88,3,1,0,1,0,2,39,2,4,6,NA
+67311,7,2,2,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,50915.06085,52488.027702,3,92,8,8,2,4,4,2,0,0,1,30,1,4,1,4
+67312,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,160001.813639,1,95,9,9,2.66,4,4,0,2,0,1,45,1,3,1,3
+67313,7,2,1,11,NA,1,1,1,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17882.621856,18280.794545,3,92,8,8,1.55,6,6,1,3,0,2,38,1,5,1,4
+67314,7,2,1,62,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,40561.050563,40941.458273,2,101,3,3,0.98,2,2,0,0,2,1,62,1,4,1,3
+67315,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15890.452621,2,100,7,7,1.79,4,4,0,1,0,2,51,1,3,3,NA
+67316,7,2,2,48,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,32208.300114,33976.532975,1,102,6,6,1.34,4,4,0,1,0,2,48,2,3,1,1
+67317,7,2,1,0,10,4,4,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6275.847063,6372.172481,2,100,14,14,3.58,4,4,1,1,0,2,31,1,5,1,4
+67318,7,2,1,26,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,12364.328404,12075.509308,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+67319,7,2,1,6,NA,4,4,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8065.706636,8519.712345,2,99,1,1,0.03,3,3,0,1,0,2,56,1,3,5,NA
+67320,7,2,1,19,NA,2,2,2,19,230,2,NA,1,1,NA,12,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,14081.782012,14782.02856,2,90,7,7,1.34,5,5,0,1,2,1,61,2,1,4,NA
+67321,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,24930.322327,24899.923342,2,91,4,4,1.22,2,2,0,0,0,1,53,1,4,1,4
+67322,7,2,1,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,NA,NA,NA,1,2,2,1,20308.910079,25155.898326,1,90,NA,NA,NA,2,2,0,0,0,2,40,NA,NA,5,NA
+67323,7,2,2,10,NA,1,1,1,10,122,NA,NA,2,2,3,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20495.125801,21027.07407,3,92,3,3,0.52,5,5,2,1,0,2,29,2,1,1,3
+67324,7,2,1,7,NA,5,6,2,7,95,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7193.657603,7758.988679,2,90,14,14,4.32,3,3,0,1,0,1,48,2,4,1,5
+67325,7,2,2,15,NA,1,1,1,15,182,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16781.078148,17658.768186,2,103,77,77,NA,5,5,0,2,0,2,45,2,4,5,NA
+67326,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,24126.537834,25148.058527,2,97,5,5,0.76,5,5,1,1,0,2,47,1,4,5,NA
+67327,7,2,1,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53149.251154,62614.383127,2,94,6,6,2.04,2,2,0,0,2,1,75,1,3,1,3
+67328,7,2,2,6,NA,5,6,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9007.62445,9504.796896,2,102,15,15,3.92,5,5,1,2,0,1,34,2,5,1,5
+67329,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,13934.943848,14557.124186,2,96,3,3,0.47,4,4,1,0,1,2,61,1,4,3,NA
+67330,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,108408.375382,114958.410267,2,98,6,6,1.25,4,4,1,0,1,1,46,1,2,6,NA
+67331,7,2,2,15,NA,4,4,2,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14417.957956,14453.467189,1,96,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+67332,7,2,2,45,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,1,1,2,1,1,2,1,3,13749.025709,14311.068456,1,103,7,7,1.89,3,3,0,1,0,2,45,2,5,5,NA
+67333,7,2,1,42,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17602.101156,17988.968846,1,96,7,7,1.52,4,4,0,2,0,2,30,2,4,1,5
+67334,7,1,2,32,NA,1,1,NA,NA,NA,2,NA,2,2,3,NA,3,1,3,2,2,2,2,2,2,NA,NA,NA,NA,35353.005268,0,2,94,4,4,0.72,4,4,1,1,0,1,30,2,1,1,3
+67335,7,2,2,30,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,26074.980194,26960.560427,1,93,12,2,0.69,4,1,0,0,0,2,25,2,5,5,NA
+67336,7,2,2,7,NA,5,6,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9054.387575,9459.329211,2,100,14,14,4.03,4,4,0,2,0,1,48,2,5,1,5
+67337,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,64463.340883,65151.773075,1,91,15,14,5,3,2,0,0,2,2,73,1,4,3,NA
+67338,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15971.744676,15898.343344,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+67339,7,2,1,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,86445.94283,91501.124576,2,102,9,9,4.08,2,2,0,0,2,1,70,1,5,1,5
+67340,7,2,2,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,15521.115746,15096.339697,2,100,5,5,1.07,4,4,0,1,0,2,36,1,3,5,NA
+67341,7,2,1,74,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,14472.233702,14665.217659,1,98,8,8,3.3,2,2,0,0,2,1,74,1,1,1,3
+67342,7,2,2,48,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,12770.403552,13002.937616,1,103,4,4,0.82,3,3,0,0,0,1,48,2,4,1,1
+67343,7,2,1,58,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,29903.342494,29807.964765,1,95,6,4,1.74,2,1,0,0,0,2,48,1,4,3,NA
+67344,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,2,2,2,1,2,2,1,2,2,1,9691.985299,9847.238527,1,93,5,5,1.43,2,2,0,0,1,1,60,2,5,1,4
+67345,7,2,2,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6555.231326,6846.316857,1,99,6,6,1.35,3,3,1,1,0,2,42,1,4,4,NA
+67346,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,40859.270352,45390.978638,2,101,12,12,NA,1,1,0,0,1,1,80,1,3,3,NA
+67347,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,38321.717684,40488.857872,1,92,6,6,2.04,2,2,0,0,2,2,71,1,4,1,1
+67348,7,2,1,16,NA,5,6,2,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6666.045669,7317.485505,3,90,77,77,NA,5,5,0,2,0,1,46,2,3,1,3
+67349,7,2,1,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23160.426103,23797.470648,2,98,10,10,3.78,3,3,0,0,0,2,46,1,4,1,4
+67350,7,2,1,2,NA,4,4,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8431.543376,9297.155306,2,96,14,14,3.58,4,4,2,0,0,1,36,1,4,1,5
+67351,7,2,1,10,NA,5,7,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20857.728985,21677.56405,2,98,3,3,0.38,5,5,0,4,0,2,39,1,4,5,NA
+67352,7,2,2,40,NA,3,3,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,25784.374025,27218.997103,1,90,7,7,2.1,3,3,1,0,0,2,40,2,5,1,4
+67353,7,2,1,61,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,8883.460927,9371.520203,2,92,15,15,5,2,2,0,0,2,1,61,1,5,1,5
+67354,7,1,2,18,NA,5,6,NA,NA,NA,2,NA,2,1,4,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,9758.609905,0,3,91,14,2,0.83,2,1,0,0,1,2,67,1,5,5,NA
+67355,7,2,2,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,32455.694722,32314.335903,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+67356,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,80418.665565,96911.831087,2,97,15,15,4.97,5,5,1,0,0,1,48,1,4,1,3
+67357,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,36154.496177,37370.445999,2,101,1,1,0.14,3,1,0,0,0,1,23,1,4,5,NA
+67358,7,2,1,7,NA,4,4,2,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9554.261994,9836.582126,2,90,8,8,1.67,6,6,1,1,0,1,52,1,3,1,5
+67359,7,2,1,74,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,59027.291951,62692.518829,1,103,15,15,5,2,2,0,0,2,1,74,1,5,1,5
+67360,7,2,1,10,NA,1,1,1,10,131,NA,NA,2,2,4,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11159.151566,11226.781631,1,102,5,5,0.98,4,4,1,1,0,2,42,2,2,6,NA
+67361,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,32185.399379,40770.619238,2,91,4,4,1.19,2,2,0,0,0,1,59,1,1,1,3
+67362,7,2,2,47,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,13219.753222,13289.658517,2,92,8,8,1.91,5,5,0,2,1,2,47,2,1,1,3
+67363,7,2,1,61,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,4,NA,2,2,2,2,2,2,1,2,2,2,8609.250304,9380.869295,2,90,7,7,1.34,5,5,0,1,2,1,61,2,1,4,NA
+67364,7,2,2,19,NA,3,3,1,19,231,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22916.593117,23588.294062,1,102,4,4,0.97,3,3,0,1,0,2,19,1,2,NA,NA
+67365,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16033.091438,16307.204086,1,96,15,15,5,3,3,0,0,1,2,62,1,4,3,NA
+67366,7,2,2,5,NA,3,3,1,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64434.313673,68475.614831,1,101,5,5,0.89,5,5,1,2,0,1,31,1,2,1,1
+67367,7,2,2,32,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,1,2,2,2,2,2,2,2,NA,NA,NA,NA,35464.8385,41544.401264,2,96,6,6,1.11,5,5,0,3,0,2,32,2,3,1,2
+67368,7,2,2,23,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,3,5,2,2,2,2,2,2,2,1,2,2,1,41646.508203,41998.067158,3,91,4,4,0.81,3,3,0,0,1,1,64,2,1,1,1
+67369,7,2,2,3,NA,4,4,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9445.424546,10163.382174,2,99,6,6,1.15,5,5,1,2,0,2,34,1,4,77,NA
+67370,7,2,1,41,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,1,1,2,1,1,2,2,3,19184.316833,20543.822351,1,97,15,15,5,4,4,2,0,0,2,35,2,4,1,4
+67371,7,2,1,13,NA,4,4,1,13,163,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9188.45337,9407.445906,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+67372,7,2,2,0,8,1,1,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6588.463421,6449.849868,2,95,12,6,1.98,4,2,1,0,0,2,25,1,4,77,NA
+67373,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,10746.81867,11542.921605,2,100,99,99,NA,6,6,1,1,2,1,37,2,3,1,3
+67374,7,1,1,10,NA,5,6,NA,NA,NA,NA,NA,2,1,3,4,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,8014.738552,0,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+67375,7,2,2,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,18490.479848,18318.636758,2,100,7,7,1.38,5,5,1,0,0,2,45,1,2,3,NA
+67376,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,38254.514187,37933.750372,1,98,2,2,0.72,1,1,0,0,0,2,57,1,4,3,NA
+67377,7,2,1,0,2,3,3,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9570.577309,9932.368407,1,95,2,2,0.18,6,6,1,2,2,2,69,1,2,1,2
+67378,7,2,1,9,NA,2,2,2,9,108,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,1,NA,NA,NA,NA,13217.721247,13882.368076,2,91,4,4,0.94,3,3,0,1,0,2,50,2,1,4,NA
+67379,7,2,2,12,NA,2,2,1,12,148,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,23968.380373,25913.276293,2,91,14,7,2.91,3,2,0,1,0,1,40,2,3,6,NA
+67380,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16165.962054,15723.538094,2,99,12,5,1.88,6,1,0,0,0,2,57,1,5,2,NA
+67381,7,2,1,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32680.7991,1,95,2,2,0.74,1,1,0,0,0,1,50,1,4,3,NA
+67382,7,2,2,18,NA,4,4,1,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18905.695776,2,101,4,4,0.86,3,3,0,1,0,2,18,1,2,NA,NA
+67383,7,2,2,13,NA,4,4,2,13,165,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10401.399206,10736.579564,2,99,9,9,2.43,4,4,0,2,0,2,49,1,3,3,NA
+67384,7,2,1,19,NA,3,3,2,20,NA,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,99249.131685,98501.502244,1,101,14,14,3.25,4,4,0,1,0,1,48,1,4,1,2
+67385,7,2,1,47,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18116.816149,18405.984579,2,90,99,4,1.16,5,2,0,0,1,1,43,NA,NA,1,NA
+67386,7,2,2,46,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,1,2,2,NA,NA,NA,NA,27654.660303,28156.17371,2,103,77,77,NA,4,4,0,0,0,2,46,2,1,4,NA
+67387,7,1,1,74,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,8601.453077,0,2,97,4,4,0.53,7,7,0,2,2,1,74,1,2,1,2
+67388,7,2,1,35,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,2,2,2,2,54095.173154,55399.110059,1,92,10,10,4.63,2,2,0,0,0,1,35,2,5,1,4
+67389,7,2,1,62,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,2,NA,2,2,2,2,2,2,1,2,2,2,10585.549682,13806.559103,1,90,13,13,NA,2,2,0,0,1,1,62,2,1,2,NA
+67390,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,121463.203322,122574.38549,2,95,9,9,4.92,1,1,0,0,0,2,56,1,5,3,NA
+67391,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,73849.700988,79023.338367,3,91,14,14,5,3,3,1,0,0,2,30,1,4,1,5
+67392,7,2,1,41,NA,2,2,1,NA,NA,2,NA,2,2,1,NA,5,1,NA,2,2,2,2,2,2,2,2,2,2,33029.272844,32544.619181,2,93,9,9,1.49,7,7,0,3,0,2,41,2,5,1,5
+67393,7,2,2,29,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,5,2,1,2,2,2,2,2,1,2,2,1,35424.746838,35546.372478,2,93,10,10,3.67,3,3,0,0,0,2,56,2,4,6,NA
+67394,7,2,2,8,NA,5,7,2,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8746.306586,9472.024073,1,91,3,3,0.66,4,4,1,2,0,2,33,1,3,5,NA
+67395,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16741.034883,16850.233711,2,95,3,3,0.66,2,2,0,0,0,2,55,1,2,1,NA
+67396,7,2,1,4,NA,1,1,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16118.799226,16847.423074,3,92,4,4,0.46,7,7,1,2,0,2,31,2,2,1,1
+67397,7,2,1,20,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,12364.328404,12075.509308,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+67398,7,2,2,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5847.515059,6374.625564,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+67399,7,2,2,55,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11428.6913,11636.794359,2,103,7,7,1.65,4,4,0,1,1,2,55,2,3,1,NA
+67400,7,2,1,61,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,9355.567184,9645.104203,2,100,14,14,3.06,5,5,1,0,1,2,31,2,5,1,5
+67401,7,2,1,5,NA,1,1,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17865.135763,18076.339981,3,92,1,1,0,5,5,3,0,0,1,26,1,2,1,2
+67402,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,16181.169973,15883.791498,2,100,7,7,2.72,2,2,0,0,0,2,59,1,4,3,NA
+67403,7,2,1,15,NA,1,1,1,15,191,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,24325.638415,24460.075857,3,92,5,5,1.05,3,3,1,1,0,2,38,2,3,5,NA
+67404,7,1,2,63,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,18002.759054,0,2,102,5,5,1.36,2,2,0,0,2,1,70,2,5,1,4
+67405,7,2,1,5,NA,1,1,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11388.091908,11522.723578,2,103,5,5,0.89,5,5,1,3,0,2,34,2,1,99,NA
+67406,7,2,1,48,NA,1,1,2,NA,NA,2,NA,2,2,2,NA,5,5,NA,2,2,2,1,2,2,1,2,2,2,36475.684097,37047.191703,1,93,15,15,5,3,2,0,1,0,2,46,2,5,5,NA
+67407,7,2,1,64,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,153565.050575,166235.02721,1,97,15,15,5,3,3,0,0,1,1,64,1,3,1,3
+67408,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,14647.161643,15007.506342,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+67409,7,2,2,45,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,3,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,123440.03559,156711.394658,1,90,12,12,NA,2,2,0,0,0,2,45,2,3,4,NA
+67410,7,2,2,18,NA,1,1,2,18,220,2,NA,2,2,2,11,NA,NA,NA,2,2,2,1,2,2,2,2,2,2,19557.287652,19949.093379,2,94,99,99,NA,3,3,1,0,0,2,18,2,2,NA,NA
+67411,7,2,1,43,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,6,NA,2,2,2,1,2,2,2,2,2,2,27127.17615,26729.126657,3,90,7,7,1.48,5,5,0,1,0,1,43,2,1,6,NA
+67412,7,2,1,77,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,1,1,1,1,2,1,2,1,NA,17775.981268,18879.758897,1,92,4,4,1.1,2,2,0,0,2,2,69,2,4,1,4
+67413,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,32485.015568,36087.933902,2,101,6,6,1.62,3,3,0,0,2,1,80,1,3,1,3
+67414,7,2,2,77,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,13045.741791,13445.321496,1,99,3,3,1.07,1,1,0,0,1,2,77,1,2,2,NA
+67415,7,1,1,5,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,9016.053035,0,2,100,NA,NA,NA,3,3,1,0,0,1,29,NA,NA,1,NA
+67416,7,2,1,4,NA,4,4,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,9417.927146,2,97,2,2,0.45,3,3,1,0,0,1,24,1,2,1,3
+67417,7,2,2,58,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19329.435508,19798.346555,2,97,15,15,5,2,2,0,0,1,2,58,2,5,1,5
+67418,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,39416.921733,1,95,2,2,0.87,1,1,0,0,1,2,80,1,2,2,NA
+67419,7,2,1,4,NA,4,4,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10291.033925,11347.547701,1,100,14,14,4.45,3,3,1,0,0,1,33,1,4,1,4
+67420,7,2,1,22,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,49741.714519,52356.235161,2,91,14,14,4.71,3,3,0,0,0,1,28,2,1,1,2
+67421,7,2,2,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16664.698857,2,98,9,9,3.08,3,3,0,1,0,1,35,2,1,1,3
+67422,7,2,1,19,NA,3,3,2,19,238,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,83180.831932,83381.692822,2,100,14,14,3.06,5,5,0,0,0,1,55,1,5,1,5
+67423,7,2,2,3,NA,3,3,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25881.48305,27865.988236,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+67424,7,2,2,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,42468.064168,46720.900929,2,101,3,3,0.65,3,3,0,1,0,2,54,1,3,5,NA
+67425,7,2,1,37,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,2,2,2,1,2,2,1,2,2,1,41241.224595,41716.316195,2,102,6,6,1.03,5,5,1,1,0,1,37,1,2,1,2
+67426,7,1,2,24,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,3,1,2,2,1,2,2,NA,NA,NA,NA,112992.533921,0,1,91,8,8,2.51,3,3,1,0,0,2,24,1,4,1,3
+67427,7,2,1,24,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,14977.822328,3,91,15,15,5,3,3,0,0,2,2,61,1,5,1,5
+67428,7,1,1,72,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,68460.271241,0,1,102,9,9,4.08,2,2,0,0,1,1,44,1,3,3,NA
+67429,7,2,2,65,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,2,6,NA,2,2,2,1,2,2,1,2,2,2,9716.805546,12994.252166,2,90,4,4,1.47,1,1,0,0,1,2,65,2,2,6,NA
+67430,7,2,1,8,NA,5,6,2,8,99,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10105.916709,10900.114748,1,91,6,6,1.25,4,4,1,1,0,1,26,2,4,6,NA
+67431,7,2,1,61,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,1,NA,NA,NA,1,2,1,3,5526.665646,5830.301859,2,92,12,NA,NA,7,1,0,0,2,1,53,2,3,1,3
+67432,7,2,2,10,NA,4,4,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11195.065587,11638.702248,2,96,2,2,0.43,3,3,0,2,0,2,50,1,2,5,NA
+67433,7,2,1,65,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,5,3,NA,2,2,2,NA,NA,NA,2,2,2,2,13473.930124,13736.530204,2,98,4,4,0.48,6,6,2,0,2,2,65,2,1,2,NA
+67434,7,2,1,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,184986.088848,184760.524604,1,92,15,15,5,2,2,0,0,0,2,56,1,4,1,5
+67435,7,2,1,80,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,1,NA,12101.489198,12967.543396,1,93,3,3,0.82,2,2,0,0,2,1,80,2,5,1,1
+67436,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,19783.396474,19410.189178,2,92,14,4,1.38,2,1,0,0,0,1,29,1,5,6,NA
+67437,7,2,2,0,2,3,3,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16423.151355,15977.062092,1,99,9,9,3.24,3,3,1,0,0,1,29,1,5,1,5
+67438,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,6943.972932,7268.809657,2,92,5,5,1.32,2,2,0,0,1,2,51,1,2,1,2
+67439,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21619.283038,21663.427812,2,102,8,8,1.72,5,5,0,2,1,1,63,2,5,1,5
+67440,7,1,2,61,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,16913.219568,0,2,98,77,77,NA,1,1,0,0,1,2,61,1,4,2,NA
+67441,7,2,1,80,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,36829.543424,39682.305625,1,93,15,15,5,2,2,0,0,2,2,75,1,5,1,5
+67442,7,2,2,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,28187.999204,29187.28099,1,99,7,7,2.72,2,2,0,0,0,2,39,1,5,5,NA
+67443,7,2,1,4,NA,1,1,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16169.123686,17324.04909,1,100,13,13,NA,4,4,1,1,0,1,28,2,1,1,1
+67444,7,2,1,3,NA,5,6,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9459.753034,9916.192713,2,91,10,10,3.04,4,4,1,1,0,1,37,2,5,1,5
+67445,7,2,2,38,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,2,1,2,1,2,2,1,2,2,2,2,2,2,32097.38481,33203.6204,2,100,4,4,0.81,4,4,0,2,0,1,56,1,4,1,2
+67446,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19835.707828,24564.335286,1,94,6,6,1.18,5,5,1,2,0,1,30,1,3,1,3
+67447,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,140431.173819,139253.659476,1,94,8,8,3.47,2,2,0,0,1,2,80,1,1,2,NA
+67448,7,2,1,4,NA,4,4,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7629.74403,7646.343205,1,99,4,4,0.53,7,7,3,1,0,2,26,1,1,5,NA
+67449,7,2,2,48,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,111065.717962,115110.76456,2,91,15,15,5,4,4,0,2,0,2,48,1,5,1,5
+67450,7,2,1,55,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,166693.693828,2,91,15,6,2.24,7,1,0,0,1,1,49,NA,NA,5,NA
+67451,7,2,2,18,NA,1,1,2,19,228,2,NA,2,2,3,12,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,16594.391299,17940.930507,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+67452,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,134694.414609,139412.076132,2,91,15,10,5,3,1,0,0,1,1,47,1,5,5,NA
+67453,7,2,1,0,1,3,3,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23912.171644,23498.78217,1,94,9,9,2.39,4,4,2,0,0,2,30,2,4,1,3
+67454,7,2,2,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53103.835249,56432.29308,2,92,6,6,2.02,2,2,0,0,2,2,76,1,3,1,NA
+67455,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,87101.243392,95057.097172,1,101,6,6,1.65,2,2,0,0,2,1,70,1,3,1,1
+67456,7,2,1,7,NA,4,4,2,7,93,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9699.683862,9681.447258,2,100,13,13,NA,4,4,0,2,0,2,28,1,2,6,NA
+67457,7,2,1,49,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,31010.243793,30930.584862,3,92,6,6,0.74,7,7,2,1,0,2,46,1,2,1,4
+67458,7,2,1,9,NA,5,6,1,10,121,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7921.96624,8581.996701,1,92,7,7,2.31,2,2,0,1,0,2,26,1,4,5,NA
+67459,7,2,2,24,NA,4,4,1,NA,NA,2,NA,2,2,4,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,17427.779559,17080.798702,2,93,6,6,1.13,4,4,0,0,2,1,60,2,3,1,3
+67460,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,44341.489734,49693.466543,2,103,5,5,1.79,1,1,0,0,1,2,80,1,4,2,NA
+67461,7,2,2,0,11,3,3,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,11331.751026,1,101,1,1,0.08,3,3,1,0,0,2,19,1,2,NA,NA
+67462,7,2,2,38,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,3,2,1,2,1,1,2,1,2,2,2,NA,35464.8385,46825.562506,2,96,3,3,0.95,2,2,0,1,0,2,38,2,3,3,NA
+67463,7,2,1,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,124091.929364,131797.624562,1,95,15,15,5,3,3,1,0,0,1,28,1,5,1,5
+67464,7,2,1,10,NA,3,3,1,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41165.805324,42583.611962,2,100,10,10,3.13,4,4,0,2,0,1,45,1,4,1,4
+67465,7,1,2,58,NA,4,4,NA,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15519.323571,0,2,99,10,10,3.67,3,3,0,0,1,1,64,2,4,1,5
+67466,7,2,1,55,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,23431.677775,24302.344664,2,93,5,5,1.26,3,3,0,1,0,1,55,2,2,1,2
+67467,7,1,1,80,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,39280.460347,0,2,91,4,4,1.39,1,1,0,0,1,1,80,1,3,2,NA
+67468,7,2,2,17,NA,5,6,1,17,212,2,NA,2,1,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9416.499309,9568.799193,1,100,15,15,5,4,4,0,1,0,1,44,2,5,1,5
+67469,7,2,1,23,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,14703.033095,3,91,7,7,2.58,2,2,0,0,0,2,55,2,5,3,NA
+67470,7,2,2,37,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,22326.231285,22166.696692,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+67471,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,155208.037885,157114.920604,2,102,8,8,4.32,1,1,0,0,0,2,45,1,3,4,NA
+67472,7,2,1,2,NA,3,3,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,40111.361732,45255.148434,1,98,15,15,3.7,5,5,2,1,0,1,34,1,5,1,5
+67473,7,2,2,79,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,29145.675285,31446.34406,3,92,7,7,2.31,2,2,0,0,2,1,77,1,4,1,4
+67474,7,2,1,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18423.855809,18161.238545,1,96,12,12,NA,5,5,1,2,0,2,35,1,5,1,4
+67475,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16793.056025,2,100,10,10,5,1,1,0,0,0,1,52,1,3,3,NA
+67476,7,2,1,6,NA,3,3,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57218.802967,58901.688698,1,95,9,9,2.13,6,6,0,4,0,2,44,1,1,1,1
+67477,7,2,2,57,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12449.932013,12109.206963,3,90,15,15,4.89,5,5,0,0,0,2,57,2,3,1,3
+67478,7,2,1,2,NA,3,3,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37959.146468,40828.920669,1,94,99,99,NA,3,3,1,0,0,1,31,1,4,6,NA
+67479,7,2,2,5,NA,4,4,2,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10771.85499,11250.180007,2,97,2,2,0.38,3,3,1,1,0,2,27,1,2,5,NA
+67480,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,6503.357568,6816.933235,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+67481,7,2,2,69,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10235.0654,10662.230581,2,93,3,3,0.66,2,2,0,0,2,2,69,2,4,3,NA
+67482,7,2,2,14,NA,2,2,1,14,173,NA,NA,1,1,NA,11,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18515.058419,19360.671834,2,96,2,2,0.27,6,6,1,3,0,1,34,NA,NA,1,NA
+67483,7,2,2,64,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,2,2,2,2,2,2,2,2,2,2,9570.416297,10355.226074,1,92,2,2,0.66,1,1,0,0,1,2,64,1,1,3,NA
+67484,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,NA,NA,NA,NA,14289.513581,13586.634632,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+67485,7,2,1,1,22,3,3,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22261.258803,25115.990281,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+67486,7,2,2,41,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,36924.381422,38054.088192,2,102,14,14,3.8,4,4,2,0,0,2,41,2,4,1,5
+67487,7,2,2,75,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,16494.288293,17728.004854,2,101,3,3,0.92,1,1,0,0,1,2,75,1,2,2,NA
+67488,7,2,1,29,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,3,12241.196357,12961.680012,2,96,15,7,3.21,3,1,0,0,0,1,31,2,5,1,NA
+67489,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,24158.28574,25084.308361,1,92,14,9,3.97,3,2,0,0,2,1,51,1,4,5,NA
+67490,7,2,1,34,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,1,2,2,2,2,2,2,41241.224595,41716.316195,2,102,4,4,0.61,5,5,0,3,0,1,34,2,3,1,3
+67491,7,2,1,2,NA,1,1,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13968.423539,13738.28453,2,102,3,3,0.54,4,4,1,1,0,1,28,2,2,6,NA
+67492,7,2,2,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85444.349063,87754.040572,1,94,14,14,5,2,2,0,0,0,1,50,1,3,1,5
+67493,7,2,1,76,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,8517.336599,8684.171961,2,100,9,9,4.35,2,2,0,0,2,2,79,1,5,1,3
+67494,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,21265.137164,1,94,4,4,0.56,5,5,1,2,0,1,34,1,2,3,NA
+67495,7,2,1,11,NA,2,2,1,11,142,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,13898.598114,14013.214919,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+67496,7,2,1,2,NA,1,1,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13305.770449,13463.073191,3,92,4,4,0.59,5,5,2,1,0,1,20,2,1,1,3
+67497,7,2,2,6,NA,5,6,1,6,74,NA,NA,2,2,2,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5064.232234,5712.276567,2,92,99,77,NA,7,4,3,3,1,1,61,2,1,1,3
+67498,7,2,2,16,NA,4,4,1,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14166.687432,14745.171396,1,100,1,1,0.04,4,4,1,1,0,2,51,1,3,3,NA
+67499,7,2,1,73,NA,2,2,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,13345.06742,13314.236759,1,99,15,15,5,2,2,0,0,2,1,73,1,4,1,5
+67500,7,2,2,9,NA,5,7,2,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,18348.624469,20109.577944,2,90,77,77,NA,6,6,0,4,0,2,41,NA,NA,4,NA
+67501,7,2,2,62,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,164066.603708,163511.57474,1,95,10,10,4.76,2,2,0,0,2,1,65,1,4,1,4
+67502,7,2,1,56,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10976.758665,11141.51106,2,103,15,15,5,3,3,0,0,0,2,52,2,4,1,5
+67503,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,154825.466557,154977.498295,1,94,12,7,3.67,2,1,0,0,0,2,45,1,5,5,NA
+67504,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,1,1,2,2,1,2,2,1,2,2,1,27532.825087,28471.490951,1,101,6,6,1.3,4,4,0,2,0,1,43,2,1,1,3
+67505,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,163604.158578,166277.181905,1,101,10,10,4.63,2,2,0,0,2,1,62,1,5,1,5
+67506,7,2,2,6,NA,3,3,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21658.223225,22668.915202,1,90,7,7,1.55,5,5,0,3,0,1,51,2,3,1,2
+67507,7,2,1,28,NA,4,4,1,NA,NA,2,NA,2,2,4,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17840.217575,17960.016751,2,93,6,6,1.13,4,4,0,0,2,1,60,2,3,1,3
+67508,7,2,1,18,NA,5,7,2,19,228,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13547.769361,13874.542578,1,91,9,9,4.35,2,2,0,0,0,2,40,1,4,3,NA
+67509,7,2,1,79,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,68266.732554,70856.701199,1,95,7,7,3.67,1,1,0,0,1,1,79,1,5,5,NA
+67510,7,2,1,4,NA,4,4,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7311.663111,7613.781996,2,93,6,6,1.15,5,5,3,1,0,1,29,1,3,5,NA
+67511,7,1,2,21,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,3,6,3,1,2,2,1,2,2,NA,NA,NA,NA,44119.608456,0,1,92,6,6,1.51,3,3,0,0,0,1,46,1,3,3,NA
+67512,7,2,1,3,NA,4,4,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,10259.663981,2,97,13,13,NA,4,4,1,0,1,2,45,1,2,5,NA
+67513,7,2,1,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,20286.317046,20915.633712,2,99,2,2,0.5,2,2,0,0,0,1,53,1,3,1,NA
+67514,7,2,1,6,NA,1,1,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11036.458246,10936.228943,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+67515,7,2,2,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,18174.62037,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+67516,7,2,2,47,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20773.573942,20827.234538,2,93,6,6,1.47,3,3,0,0,0,2,47,1,4,5,NA
+67517,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,23660.610934,25318.185975,3,91,5,5,1.07,4,4,0,2,0,2,36,1,5,1,4
+67518,7,2,2,5,NA,1,1,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11009.851855,11478.955249,1,93,13,3,0.54,6,3,2,1,0,1,23,NA,NA,5,NA
+67519,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,6612.194774,6921.511029,2,99,6,6,1.98,2,2,0,0,1,1,63,1,2,2,NA
+67520,7,2,1,79,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11245.778093,11855.469704,1,98,4,4,1.19,2,2,0,0,2,1,79,1,3,1,3
+67521,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,81062.798322,86779.337922,1,101,4,4,1.48,1,1,0,0,1,2,76,1,2,3,NA
+67522,7,2,2,26,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,63207.045171,63513.398112,2,102,15,15,5,2,2,0,0,0,1,41,2,4,6,NA
+67523,7,1,1,54,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,31699.998102,0,1,98,5,5,2.15,1,1,0,0,0,1,54,1,3,3,NA
+67524,7,2,1,6,NA,2,2,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9807.589376,10786.008845,2,90,5,5,0.76,5,5,0,4,0,2,32,1,2,3,NA
+67525,7,2,1,67,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,1,1,2,2,1,2,1,3,10497.261485,11239.197739,1,90,2,2,0.33,2,2,0,0,2,2,65,2,3,1,5
+67526,7,2,1,33,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,34887.439952,36924.956604,2,94,7,7,1.23,6,6,2,1,0,1,33,2,1,6,NA
+67527,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,17399.722435,17053.300185,2,99,6,3,1.27,3,1,0,0,0,1,41,1,3,6,NA
+67528,7,2,1,2,NA,3,3,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,38457.282261,42554.855377,1,100,6,6,1.18,5,5,2,2,0,2,40,1,5,3,NA
+67529,7,2,2,11,NA,3,3,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,80369.555824,80552.420473,1,97,15,15,4.07,5,5,0,3,0,1,36,1,5,1,5
+67530,7,2,1,52,NA,1,1,2,NA,NA,2,NA,2,2,7,NA,5,4,NA,2,2,2,2,2,2,1,2,2,2,22446.308035,22508.005013,2,94,4,4,1.38,1,1,0,0,0,1,52,2,5,4,NA
+67531,7,2,2,1,15,4,4,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6880.068407,7403.030352,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+67532,7,2,2,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,88916.414931,94489.544183,1,101,6,6,1.65,2,2,0,0,2,1,70,1,3,1,1
+67533,7,2,1,0,4,1,1,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6298.658963,6298.775059,2,94,7,7,1.57,4,4,2,0,0,2,27,1,4,1,2
+67534,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,31070.966983,31355.213599,1,102,2,2,0.66,1,1,0,0,0,2,56,1,4,2,NA
+67535,7,2,2,63,NA,4,4,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9113.905743,9695.883475,3,90,9,9,3.14,3,3,0,1,1,2,63,2,4,3,NA
+67536,7,2,2,14,NA,3,3,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,91797.787708,92992.465808,1,95,15,15,5,4,4,0,2,0,2,42,1,5,1,5
+67537,7,2,1,33,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19638.748956,20390.674215,2,99,15,15,5,2,1,0,0,0,2,31,1,5,1,NA
+67538,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,25645.251384,25368.119207,1,92,6,6,1.3,4,4,0,1,1,1,25,1,1,1,3
+67539,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,2,1,2,2,1,2,2,1,2,2,1,102855.726146,103775.32646,1,101,5,5,0.89,5,5,1,2,0,1,31,1,2,1,1
+67540,7,2,2,12,NA,1,1,2,12,155,NA,NA,2,2,4,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13824.001771,14945.739837,2,90,3,3,0.58,4,4,0,2,0,2,36,2,3,1,3
+67541,7,2,1,11,NA,5,6,2,11,143,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10810.913614,11522.32071,1,97,15,15,4.07,5,5,0,3,0,1,42,2,5,1,5
+67542,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,3,1,2,1,2,1,1,2,1,NA,NA,NA,NA,11032.714892,11055.242776,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+67543,7,2,2,16,NA,2,2,2,16,194,NA,NA,1,1,NA,9,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,12680.621719,13709.581084,2,90,7,7,1.34,5,5,0,1,2,1,61,2,1,4,NA
+67544,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,17521.481386,17363.561951,2,101,1,1,0.2,2,2,0,0,1,2,55,1,4,4,NA
+67545,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,124604.441853,125718.490512,1,92,9,4,1,7,3,2,1,0,1,45,1,4,2,NA
+67546,7,2,2,30,NA,2,2,1,NA,NA,2,NA,2,1,3,NA,4,1,2,2,2,2,1,2,2,NA,NA,NA,NA,40476.413979,40301.503085,2,93,7,7,1.83,3,3,1,0,0,1,40,2,5,1,4
+67547,7,2,1,8,NA,3,3,2,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,16549.21669,17579.802509,1,91,12,8,2.15,6,4,1,1,0,2,29,1,4,6,NA
+67548,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,12532.471503,12837.991566,2,97,4,4,0.84,3,3,1,0,1,2,68,1,4,2,NA
+67549,7,2,1,25,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,36391.614555,41134.650764,1,103,5,5,1.02,4,4,2,0,0,1,25,1,2,1,4
+67550,7,2,2,13,NA,4,4,1,13,159,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15483.914568,16116.18632,1,100,4,4,1.23,2,2,0,1,0,2,47,1,2,4,NA
+67551,7,2,2,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,17427.779559,17328.063231,2,93,12,12,NA,4,4,0,0,2,1,72,1,2,1,4
+67552,7,2,2,16,NA,3,3,1,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,76992.7514,81576.336255,1,100,15,15,4.07,5,5,0,2,0,2,41,1,5,1,4
+67553,7,2,2,9,NA,4,4,2,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7388.61397,8001.678046,3,90,2,2,0.39,2,2,0,1,0,2,32,1,3,5,NA
+67554,7,1,2,61,NA,4,4,NA,NA,NA,2,NA,2,1,99,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9024.164523,0,2,93,15,15,5,1,1,0,0,1,2,61,2,5,1,NA
+67555,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,31785.728924,32871.467684,1,95,4,4,1.22,2,2,0,0,1,1,79,1,1,1,3
+67556,7,2,1,14,NA,4,4,2,14,178,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13251.602554,13095.83949,1,96,9,9,3.14,3,3,0,2,0,2,39,NA,NA,3,NA
+67557,7,2,2,15,NA,4,4,2,15,187,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9728.028593,10125.263908,2,99,6,6,1.11,5,5,1,2,0,2,41,1,2,5,NA
+67558,7,2,2,0,7,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4476.23918,4525.114437,1,90,3,3,0.43,4,4,2,0,0,1,46,1,3,1,4
+67559,7,2,1,9,NA,3,3,2,9,118,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30554.050397,31755.009616,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+67560,7,2,1,68,NA,5,6,1,NA,NA,2,NA,2,2,8,NA,1,5,NA,1,2,2,2,2,2,1,2,2,1,13527.667075,14341.996991,2,98,6,6,0.59,7,7,2,2,1,2,52,2,1,1,1
+67561,7,2,2,12,NA,4,4,1,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14086.017075,14046.326674,2,96,5,5,1.07,4,4,0,3,0,2,46,1,4,3,NA
+67562,7,2,1,2,NA,4,4,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6347.215153,6609.482921,2,95,1,1,0.09,5,5,3,1,0,2,31,1,2,1,NA
+67563,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,39416.921733,1,92,2,2,0.64,1,1,0,0,1,2,80,1,3,2,NA
+67564,7,2,2,43,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,37512.060155,39042.669235,1,92,15,15,4.99,4,4,0,2,0,2,43,1,4,1,4
+67565,7,2,1,10,NA,3,3,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58429.74688,62860.392832,1,100,15,15,4.56,4,4,0,2,0,2,42,1,4,1,3
+67566,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,30796.941649,33729.162412,1,98,4,4,1.26,2,2,0,0,1,2,80,1,4,2,NA
+67567,7,2,1,69,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9618.837002,9727.194029,3,91,14,14,3.53,5,5,0,1,1,1,69,1,4,3,NA
+67568,7,2,2,7,NA,3,3,2,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22933.149195,22757.230737,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+67569,7,2,1,7,NA,3,3,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23188.935049,25672.571973,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+67570,7,2,2,6,NA,2,2,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13720.541363,13932.536034,2,100,14,14,3.36,4,4,1,1,0,1,45,2,5,1,2
+67571,7,2,2,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,28747.860416,30588.052168,1,99,6,6,0.96,5,5,1,2,0,2,35,1,4,1,2
+67572,7,2,2,1,23,3,3,1,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,59617.625426,65799.423913,3,92,15,15,5,4,4,2,0,0,1,38,1,5,1,5
+67573,7,2,2,80,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,2,2,2,2,2,2,2,2,2,NA,25315.905293,28273.512517,2,98,4,4,1.15,2,2,0,0,2,1,80,1,1,1,1
+67574,7,2,2,12,NA,4,4,2,12,147,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11608.900361,11982.991894,1,99,8,8,2.59,3,3,0,2,0,2,46,1,4,2,NA
+67575,7,2,2,6,NA,1,1,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17458.526997,17642.073401,1,94,6,6,1.11,5,5,1,2,0,2,41,2,1,1,1
+67576,7,2,2,8,NA,1,1,2,8,97,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,15225.935813,15621.122955,2,94,77,77,NA,6,6,0,3,0,2,58,1,3,1,9
+67577,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,118933.861968,118531.514768,1,91,8,8,4.82,1,1,0,0,1,2,60,1,4,3,NA
+67578,7,2,2,10,NA,3,3,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,73810.484644,75214.997077,1,94,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+67579,7,2,1,10,NA,1,1,1,10,121,NA,NA,1,1,NA,2,NA,NA,NA,2,1,1,2,2,1,1,2,2,1,14880.007592,14744.872501,3,92,4,4,1.12,2,2,0,1,0,2,38,2,1,5,NA
+67580,7,2,2,67,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,37934.469637,42910.885175,1,94,3,3,0.95,2,2,0,0,1,2,67,1,2,2,NA
+67581,7,2,2,19,NA,2,2,2,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,5,5,0.8,5,5,0,3,0,2,40,2,1,5,NA
+67582,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,NA,22306.465066,22494.734848,2,98,3,3,0.54,3,3,1,1,0,2,29,1,2,1,NA
+67583,7,1,1,6,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14456.751936,0,1,90,15,15,5,5,5,1,1,0,1,32,2,1,1,4
+67584,7,2,1,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19008.083201,19380.210545,2,97,7,7,3.67,1,1,0,0,0,1,38,1,3,5,NA
+67585,7,2,2,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16181.169973,16286.716901,2,100,10,10,4.42,2,2,0,0,0,2,55,1,2,1,4
+67586,7,2,2,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,17622.141982,17728.11858,2,95,2,2,0.75,1,1,0,0,0,2,54,1,2,5,NA
+67587,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,33147.414266,37148.276517,2,94,7,7,3.49,1,1,0,0,1,2,80,1,5,2,NA
+67588,7,2,1,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7814.415054,8296.803376,1,93,6,6,0.83,6,6,3,1,0,1,37,NA,NA,1,3
+67589,7,2,1,79,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,8517.336599,8684.171961,2,100,6,6,2.11,2,2,0,0,2,1,79,1,3,1,4
+67590,7,2,1,31,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,36150.793885,43021.850084,1,90,3,3,0.43,4,4,2,0,0,1,31,1,3,6,NA
+67591,7,2,1,40,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11113.602843,11678.105413,3,90,14,14,3.47,4,4,1,1,0,2,38,2,5,1,5
+67592,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17810.743272,17839.416552,1,99,15,15,5,2,2,0,0,0,2,46,1,5,1,5
+67593,7,2,1,4,NA,4,4,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9035.668246,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+67594,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,100867.796959,104079.392539,2,99,15,15,5,3,3,1,0,0,1,43,1,5,1,5
+67595,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25128.435397,25532.311821,2,94,6,5,2.11,3,1,0,0,0,1,26,1,4,5,NA
+67596,7,2,1,63,NA,5,7,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9314.746352,9205.449493,1,91,15,15,5,3,3,0,0,1,1,63,2,5,1,5
+67597,7,2,2,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,21077.085361,20500.255628,2,99,12,12,NA,1,1,0,0,0,2,41,1,5,5,NA
+67598,7,2,2,80,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,3,NA,2,2,2,2,2,2,2,2,2,NA,16490.79781,18057.97943,3,90,10,10,3.04,4,4,0,0,2,2,80,2,1,3,NA
+67599,7,2,2,4,NA,4,4,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13130.790087,13857.266639,2,102,5,5,0.76,5,5,1,3,0,2,30,1,4,4,NA
+67600,7,2,2,15,NA,3,3,2,15,181,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,34552.42011,37128.535405,1,90,7,7,1.55,5,5,0,3,0,1,51,2,3,1,2
+67601,7,1,2,8,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7842.234542,0,1,91,15,15,5,5,5,2,1,0,1,40,1,5,1,5
+67602,7,2,1,43,NA,1,1,1,NA,NA,1,2,2,2,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,31740.385214,32919.784432,2,96,7,7,1.79,4,4,0,2,0,1,43,2,3,1,2
+67603,7,2,2,62,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17243.546687,17909.086027,1,92,14,14,5,2,2,0,0,2,2,62,1,4,1,4
+67604,7,2,2,24,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,13820.210756,14410.358083,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+67605,7,2,2,19,NA,1,1,1,19,230,2,NA,2,7,77,10,NA,NA,NA,2,2,2,2,2,2,2,2,2,1,18581.167701,19429.800436,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+67606,7,2,1,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,28542.421068,29427.85637,2,101,2,2,0.74,1,1,0,0,0,1,48,1,2,5,NA
+67607,7,2,2,63,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,3,1,NA,1,2,1,1,2,1,1,2,1,1,17248.011865,19146.123826,1,97,14,14,4.96,2,2,0,0,1,1,50,1,3,1,3
+67608,7,2,1,4,NA,5,6,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10273.602479,11522.969217,1,92,15,15,5,3,3,1,0,0,1,50,1,4,1,4
+67609,7,2,2,6,NA,4,4,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9399.281543,9563.245188,2,96,6,6,1.35,3,3,1,1,0,2,23,1,2,5,NA
+67610,7,2,1,2,NA,4,4,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,5652.403121,6080.146007,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+67611,7,2,2,14,NA,3,3,2,14,175,NA,NA,2,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,76360.13568,77793.595093,1,99,15,15,5,3,3,0,1,0,1,50,1,4,1,4
+67612,7,2,1,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17882.621856,18280.794545,3,92,7,7,2.1,3,3,1,1,0,2,25,1,4,5,NA
+67613,7,2,2,21,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,11739.283384,12617.501315,1,96,7,7,1.83,3,3,0,0,1,1,66,2,5,1,3
+67614,7,2,1,53,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,25118.469449,26312.875816,2,98,5,5,1.07,4,4,0,1,0,1,53,2,1,1,1
+67615,7,2,2,17,NA,5,7,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12821.227649,2,100,9,9,2.46,4,4,0,2,0,2,36,2,4,1,3
+67616,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,167711.394252,175827.980982,1,101,4,2,0.81,2,1,0,0,1,1,63,1,2,6,NA
+67617,7,2,2,13,NA,2,2,1,13,162,NA,NA,2,2,4,6,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,15809.066118,17342.845429,2,93,7,7,1.52,4,4,1,1,0,1,44,2,4,1,NA
+67618,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,39565.288792,43332.356399,1,99,14,14,5,2,2,0,0,2,1,80,1,4,1,4
+67619,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,120041.937453,120355.294586,1,98,15,15,5,5,5,0,1,0,1,53,1,5,1,5
+67620,7,2,1,54,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,28017.200708,32299.614806,2,102,3,3,0.92,1,1,0,0,0,1,54,1,4,3,NA
+67621,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,43813.24867,44204.968982,1,98,4,4,0.67,5,5,1,2,0,1,29,1,4,1,3
+67622,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,18246.235208,18261.326779,2,99,1,1,0.07,4,4,1,1,0,2,24,1,2,5,NA
+67623,7,2,1,8,NA,3,3,2,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,74331.764009,78960.699825,2,91,14,14,4.19,3,3,0,1,0,2,31,1,4,1,3
+67624,7,2,1,30,NA,3,3,2,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,99283.360764,104566.027434,3,91,1,1,0.09,1,1,0,0,0,1,30,2,5,5,NA
+67625,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,25359.946386,29418.979823,2,95,2,2,0.88,1,1,0,0,1,2,80,1,1,2,NA
+67626,7,2,1,1,15,2,2,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13305.770449,13726.956753,3,92,9,9,2.22,5,5,1,0,2,1,66,2,1,1,1
+67627,7,2,1,25,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,23064.54207,22591.937434,2,91,15,15,5,4,4,0,0,1,1,61,NA,NA,1,2
+67628,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,53634.754806,54437.113731,1,98,99,99,NA,3,2,0,0,0,2,22,1,4,5,NA
+67629,7,2,2,70,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,18698.205673,19635.336647,1,97,12,12,NA,5,5,0,1,1,2,40,2,9,1,NA
+67630,7,2,1,12,NA,3,3,1,12,147,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,26749.020961,27839.957403,1,98,6,6,1.11,5,5,1,2,0,2,32,1,2,1,2
+67631,7,2,1,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,22007.065507,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+67632,7,2,2,51,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,24646.971819,25093.941214,1,102,7,7,1.89,3,3,0,0,0,1,53,2,1,1,1
+67633,7,2,2,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7944.571197,8483.470772,2,99,15,15,5,3,3,0,1,0,2,48,1,5,4,NA
+67634,7,2,2,8,NA,4,4,2,8,104,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8184.286585,8442.757341,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+67635,7,2,1,65,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,10298.484448,10551.517983,1,94,6,6,1.98,2,2,0,0,2,1,65,2,1,1,1
+67636,7,1,1,7,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17227.332856,0,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+67637,7,1,2,9,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7489.549692,0,2,100,10,10,2.33,6,6,0,2,2,2,35,1,2,5,NA
+67638,7,2,2,19,NA,4,4,1,19,232,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11437.338051,11296.529267,2,95,2,2,0.41,3,3,2,0,0,2,19,1,2,NA,NA
+67639,7,2,1,0,2,4,4,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6476.58432,6575.990772,2,97,3,3,0.75,2,2,1,0,0,2,22,1,4,4,NA
+67640,7,2,1,58,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27595.50738,27352.795749,1,98,6,6,1.57,3,3,0,0,0,1,58,1,3,1,3
+67641,7,2,1,5,NA,1,1,2,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16074.564008,16583.394837,1,97,4,4,0.72,5,5,2,1,0,2,33,2,1,6,NA
+67642,7,2,2,24,NA,1,1,2,NA,NA,2,NA,2,1,4,NA,2,6,2,1,2,2,1,2,2,NA,NA,NA,NA,39426.061521,43773.817687,2,94,8,8,2.33,4,4,2,0,0,1,24,1,2,6,NA
+67643,7,2,1,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,51472.063256,53424.859661,2,95,15,15,5,2,2,0,0,2,1,76,1,4,1,5
+67644,7,2,1,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,23005.210125,23019.76475,1,95,14,14,3.04,6,6,0,4,0,1,56,1,5,1,4
+67645,7,2,1,15,NA,4,4,2,15,187,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11386.695644,11908.648036,2,99,6,6,1.18,5,5,0,3,0,2,38,1,2,5,NA
+67646,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11113.602843,11678.105413,3,90,5,5,0.93,4,4,1,0,0,1,48,2,4,1,NA
+67647,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,16494.288293,17598.146607,2,95,3,3,1.1,1,1,0,0,1,2,70,1,3,4,NA
+67648,7,1,2,2,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6662.138091,0,2,95,14,14,3.58,4,4,1,0,0,1,39,1,3,1,3
+67649,7,2,2,41,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,2,1,2,1,2,1,1,2,2,1,2,1,3,16378.162652,17998.555773,2,96,4,4,0.92,3,3,0,1,1,2,41,2,2,1,2
+67650,7,2,2,11,NA,3,3,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16950.724686,16899.799988,2,98,2,2,0.34,2,2,0,1,0,2,30,1,4,4,NA
+67651,7,2,2,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20430.250572,20111.803159,2,97,5,5,0.76,5,5,0,0,0,2,50,1,4,5,NA
+67652,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,108408.375382,118202.807654,1,92,6,6,1.51,3,3,0,0,0,1,46,1,3,3,NA
+67653,7,2,2,39,NA,3,3,2,NA,NA,2,NA,2,1,7,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,74517.751389,77393.175383,2,94,10,10,3.51,3,3,0,2,0,2,39,2,4,3,NA
+67654,7,2,2,16,NA,1,1,1,16,193,NA,NA,1,1,NA,8,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,20460.442471,21235.303768,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+67655,7,2,2,8,NA,4,4,2,8,99,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9326.540969,10100.402919,1,91,8,8,1.76,5,5,0,3,0,2,42,1,3,6,NA
+67656,7,2,1,53,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15599.953109,16217.343339,1,99,14,1,0.23,2,1,0,0,0,2,51,1,5,1,NA
+67657,7,2,1,1,20,3,3,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,32956.344514,37182.588634,2,97,15,15,4.97,5,5,1,0,0,1,48,1,4,1,3
+67658,7,2,1,77,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,52501.717941,55571.910913,2,102,8,8,4.13,1,1,0,0,1,1,77,1,5,2,NA
+67659,7,2,2,15,NA,5,6,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8272.446168,8996.728356,1,102,15,15,3.82,5,5,1,1,0,1,29,1,4,1,4
+67660,7,2,1,16,NA,5,7,2,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9136.388281,9764.423514,3,91,15,15,4.47,4,4,0,1,0,2,45,2,5,1,5
+67661,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,13408.721263,15005.802731,2,98,4,4,1.22,2,2,0,0,2,1,80,1,1,1,1
+67662,7,2,2,11,NA,5,6,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,5064.232234,5431.552443,2,92,10,8,2.01,7,4,1,1,1,2,27,2,3,1,3
+67663,7,2,1,3,NA,4,4,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9319.143734,9894.41982,2,95,8,8,1.85,5,5,1,2,0,1,55,1,2,1,3
+67664,7,2,1,11,NA,1,1,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11399.23838,11468.323492,2,103,77,77,NA,5,5,1,2,0,2,30,1,2,1,2
+67665,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,19498.713386,19633.661812,2,97,5,5,0.84,5,5,0,2,0,2,33,1,4,1,3
+67666,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,10816.310126,11253.74147,1,99,14,14,5,2,2,0,0,1,2,64,1,3,3,NA
+67667,7,1,1,35,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,79582.971419,0,2,99,15,15,5,1,1,0,0,0,1,35,1,5,5,NA
+67668,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,26302.518039,27109.453365,1,101,5,3,0.98,2,1,0,0,2,2,70,1,4,2,NA
+67669,7,2,2,2,NA,5,6,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8818.200077,8968.551716,2,102,6,6,1.52,4,4,2,0,0,1,30,2,4,1,4
+67670,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15497.844354,15146.281728,1,99,7,7,3.21,1,1,0,0,0,2,52,1,4,1,NA
+67671,7,2,2,5,NA,3,3,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,59321.981286,63042.638464,1,94,8,8,1.67,5,5,1,2,0,1,52,1,4,1,4
+67672,7,2,1,12,NA,3,3,2,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,27702.556686,27838.63939,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+67673,7,2,2,13,NA,4,4,1,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14166.687432,14623.20249,1,100,15,15,3.87,6,6,1,3,0,2,39,1,4,1,4
+67674,7,2,2,0,4,4,4,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4964.196196,5466.923926,1,93,4,4,1.09,2,2,1,0,0,2,39,2,3,4,NA
+67675,7,2,1,66,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,11924.931067,12067.158788,1,98,8,8,1.95,4,4,1,1,1,2,59,1,3,1,1
+67676,7,1,1,6,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10651.061092,0,1,90,99,99,NA,2,2,0,1,0,2,26,1,4,5,NA
+67677,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17342.255821,20631.425049,1,93,3,3,1.29,1,1,0,0,0,1,36,1,4,5,NA
+67678,7,2,2,6,NA,3,3,1,7,85,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22308.590534,22137.463018,1,95,7,2,0.35,5,4,1,2,0,1,26,1,4,6,NA
+67679,7,2,1,9,NA,1,1,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14820.807433,14905.891142,2,102,7,7,1.53,5,5,0,3,0,1,43,2,2,1,4
+67680,7,2,2,10,NA,3,3,2,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,63555.637461,64464.244761,1,90,15,15,5,4,4,0,2,0,1,44,1,5,1,5
+67681,7,2,2,33,NA,4,4,2,NA,NA,2,NA,2,1,3,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,28747.860416,29850.909164,1,99,14,14,3.8,4,4,1,1,0,1,48,2,5,1,5
+67682,7,2,2,13,NA,1,1,2,13,157,NA,NA,2,2,3,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,19850.979841,20602.760063,1,97,4,4,0.72,5,5,2,1,0,2,33,2,1,6,NA
+67683,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,31785.728924,32633.084965,1,95,7,7,2.16,3,3,0,0,1,1,45,1,3,1,4
+67684,7,2,1,8,NA,2,2,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14820.807433,14943.02937,2,102,5,5,0.89,4,4,0,3,0,2,44,2,2,4,NA
+67685,7,2,1,9,NA,5,6,2,9,113,NA,NA,2,2,2,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9720.482616,10533.307174,2,91,14,14,3.47,4,4,1,1,0,2,36,2,3,1,5
+67686,7,2,1,12,NA,1,1,1,12,147,NA,NA,2,2,3,5,NA,NA,NA,2,1,1,1,2,2,1,2,2,1,32326.52031,34735.818434,3,92,7,7,1.41,5,5,1,2,0,1,20,2,1,1,1
+67687,7,2,2,8,NA,5,7,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,10422.423011,10751.577119,1,98,5,5,1.26,3,3,1,1,0,2,27,1,5,5,NA
+67688,7,2,2,0,10,5,7,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8303.503441,8530.807571,1,94,7,7,1.23,6,6,3,1,0,1,32,1,4,1,4
+67689,7,2,2,18,NA,1,1,2,18,219,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,19557.287652,21454.715555,2,94,9,9,2.37,5,5,0,1,0,1,48,2,4,1,2
+67690,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20480.890987,19920.377678,2,93,3,3,1.07,1,1,0,0,0,2,40,1,4,5,NA
+67691,7,2,1,18,NA,3,3,1,19,228,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,34443.919252,35848.685683,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+67692,7,2,2,12,NA,2,2,2,12,153,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23072.919059,23761.374659,1,97,15,15,4.52,6,6,0,4,0,2,41,1,5,1,5
+67693,7,1,2,2,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12871.484115,0,2,102,15,15,4.47,4,4,1,1,0,1,32,1,5,1,4
+67694,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,8890.956373,9238.69917,2,99,12,12,NA,2,1,0,0,1,2,46,1,3,2,NA
+67695,7,1,2,55,NA,2,2,NA,NA,NA,2,NA,2,1,5,NA,4,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,23200.373382,0,2,93,3,3,0.63,3,3,0,1,0,1,53,2,2,1,4
+67696,7,2,2,67,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18695.172864,19350.637044,2,102,7,7,1.68,5,5,0,0,3,1,70,2,4,1,4
+67697,7,2,2,3,NA,5,7,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8818.200077,9596.189182,2,102,15,15,5,3,3,1,0,0,2,34,1,5,1,5
+67698,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,129559.2554,1,98,9,9,3.97,2,2,0,0,2,1,63,1,5,1,4
+67699,7,2,1,32,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,20254.971305,2,100,9,9,3.24,3,3,1,0,0,1,32,1,3,1,4
+67700,7,2,1,69,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9883.238978,10581.776717,1,90,4,4,0.78,4,4,0,0,1,1,69,2,4,1,3
+67701,7,2,1,54,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17869.988703,18923.921245,3,90,14,14,3.69,4,4,0,2,0,2,49,1,4,1,4
+67702,7,1,1,8,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8613.834494,0,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+67703,7,2,1,72,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,21815.897449,22272.021332,3,92,6,6,1.98,2,2,0,0,2,1,72,1,4,1,1
+67704,7,2,2,10,NA,4,4,2,10,128,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10221.991799,10790.677347,1,98,15,15,3.7,5,5,0,3,0,1,37,1,2,1,2
+67705,7,1,1,78,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,12173.814732,0,2,92,3,3,0.98,1,1,0,0,1,1,78,1,1,2,NA
+67706,7,2,1,7,NA,5,6,1,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9307.245755,9856.522898,1,92,14,14,3.47,4,4,0,2,0,1,37,1,5,1,5
+67707,7,2,1,46,NA,3,3,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27340.471576,32700.198254,2,91,2,2,0.44,3,3,0,1,0,1,46,2,3,1,4
+67708,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,22685.373982,23047.569967,1,98,6,6,0.97,7,7,1,2,0,1,49,1,2,1,2
+67709,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,9235.951997,10444.280286,2,103,12,12,NA,3,3,0,0,1,1,60,2,2,1,2
+67710,7,2,1,50,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,22238.49412,21912.1785,2,90,7,7,1.34,5,5,0,1,2,1,61,2,1,4,NA
+67711,7,2,1,17,NA,4,4,2,17,214,2,NA,2,1,5,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,77,77,NA,7,7,0,3,1,2,43,77,5,5,NA
+67712,7,2,1,15,NA,4,4,1,15,181,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13653.432599,13680.426553,2,96,5,5,1.07,4,4,0,3,0,2,46,1,4,3,NA
+67713,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,167711.394252,169284.299948,1,101,10,10,4.63,2,2,0,0,2,1,62,1,5,1,5
+67714,7,2,1,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,43188.300631,46554.36669,2,91,15,2,0.86,7,1,0,0,1,1,49,NA,NA,5,NA
+67715,7,2,2,3,NA,5,7,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12382.393854,12702.004448,1,97,10,10,2.82,4,4,1,1,0,2,24,1,3,5,NA
+67716,7,2,1,60,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12585.09113,12786.688219,1,92,5,5,1.41,2,2,0,0,2,1,60,1,2,1,4
+67717,7,2,1,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,10717.375231,11218.730451,2,101,3,3,1.1,1,1,0,0,1,1,66,1,1,2,NA
+67718,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,138322.767578,145546.941919,1,101,5,5,1.45,2,2,0,0,0,2,49,1,4,3,NA
+67719,7,2,1,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16214.132654,20271.082789,3,90,14,14,5,2,2,0,0,0,1,47,1,2,5,NA
+67720,7,2,1,64,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12279.19827,12375.250021,2,102,14,14,5,2,2,0,0,2,1,64,1,4,1,3
+67721,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,49191.372812,55403.452354,3,91,3,3,1.1,1,1,0,0,1,2,80,1,1,2,NA
+67722,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,4,1,0.4,4,1,0,0,0,1,22,1,5,5,NA
+67723,7,1,2,19,NA,2,2,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,21850.358234,0,2,93,99,99,NA,3,3,0,0,0,2,54,2,3,4,NA
+67724,7,2,1,1,14,4,4,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9438.902193,9727.203655,2,102,4,4,0.81,3,3,2,0,0,2,23,1,4,5,NA
+67725,7,1,2,68,NA,2,2,NA,NA,NA,2,NA,2,1,5,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,10561.745159,0,2,90,77,77,NA,2,2,0,0,2,2,68,2,1,1,NA
+67726,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,2,2,2,2,22466.936477,23282.464675,1,90,6,6,1.57,3,3,0,0,0,1,50,2,2,1,2
+67727,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,29733.812317,31414.972893,1,101,5,5,1.45,2,2,0,0,0,1,41,NA,NA,1,4
+67728,7,2,1,66,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,74792.980299,75494.43714,2,101,99,2,0.67,7,1,0,0,1,1,55,NA,NA,77,NA
+67729,7,2,2,2,NA,2,2,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11412.410776,11898.666241,1,97,3,3,0.44,5,5,2,2,0,2,26,1,4,4,NA
+67730,7,2,1,14,NA,3,3,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,102027.743122,101259.182802,1,101,8,8,1.85,5,5,0,3,0,1,41,1,3,1,4
+67731,7,2,1,0,11,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13392.309303,13030.480476,1,99,15,15,3.45,7,7,1,4,0,1,42,1,5,1,5
+67732,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,7233.371983,2,95,1,1,0,1,1,0,0,1,1,62,1,2,2,NA
+67733,7,2,2,18,NA,2,2,1,18,217,2,NA,1,1,NA,11,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,15809.066118,16348.490248,2,93,6,6,1.39,4,4,0,0,0,1,53,2,3,1,3
+67734,7,2,2,19,NA,4,4,2,19,237,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18905.695776,2,101,2,2,0.48,2,2,1,0,0,2,19,1,3,NA,NA
+67735,7,2,1,16,NA,5,6,2,16,195,NA,NA,2,2,3,9,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,7350.524832,8448.96413,2,90,3,3,0.54,4,4,0,1,0,2,52,NA,1,1,2
+67736,7,2,2,5,NA,1,1,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13366.393396,13935.903375,2,94,5,5,0.67,6,6,1,3,0,1,37,2,3,1,4
+67737,7,2,2,25,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,10800.351372,11406.289115,2,92,15,15,5,3,1,0,0,0,2,25,1,5,5,NA
+67738,7,2,1,6,NA,2,2,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10738.959181,10632.988891,2,93,9,9,3.14,3,3,0,2,0,2,34,2,5,3,NA
+67739,7,2,2,17,NA,5,6,2,17,214,2,NA,2,1,5,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11975.458482,12226.374363,1,97,15,15,5,3,3,0,1,2,2,63,1,5,1,NA
+67740,7,2,1,52,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,4,NA,2,2,2,1,2,2,NA,NA,NA,NA,21084.369131,21009.599098,2,95,4,4,1.12,2,2,0,1,0,1,52,2,3,4,NA
+67741,7,2,2,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,NA,NA,NA,NA,105039.256649,105978.379214,1,90,8,8,1.67,5,5,2,1,0,2,28,1,4,1,5
+67742,7,2,1,5,NA,1,1,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17865.135763,18430.646082,3,92,3,3,0.52,5,5,2,1,0,2,29,2,1,1,3
+67743,7,2,1,51,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16117.991297,16911.733026,1,96,3,3,0.43,4,4,1,1,0,2,39,2,4,1,3
+67744,7,2,1,11,NA,1,1,1,11,143,NA,NA,2,2,3,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,13822.148996,14860.201344,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+67745,7,2,2,72,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,29534.722322,30544.805853,3,91,2,2,0.83,1,1,0,0,1,2,72,1,4,3,NA
+67746,7,2,1,10,NA,3,3,2,10,128,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39772.343364,41554.529575,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+67747,7,2,2,2,NA,1,1,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8141.317022,8654.572344,1,103,14,14,2.96,5,5,1,2,0,1,34,1,4,1,5
+67748,7,2,2,4,NA,3,3,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26966.264969,27815.81123,1,98,6,6,1.31,3,3,2,0,0,2,22,1,3,5,NA
+67749,7,2,1,1,19,5,6,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6389.003009,6767.308805,3,91,14,14,3.06,5,5,3,0,0,1,34,2,5,1,5
+67750,7,2,2,2,NA,4,4,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7016.981922,7550.350821,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+67751,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,43813.24867,47373.102231,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+67752,7,2,1,14,NA,5,7,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11506.937395,12095.740214,1,97,15,15,5,6,6,0,3,0,1,47,1,5,1,5
+67753,7,1,2,6,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,12789.411811,0,1,102,99,99,NA,5,5,0,2,1,1,52,2,1,1,1
+67754,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,14010.52688,14536.170828,2,103,15,15,5,3,3,1,0,0,1,35,1,9,1,5
+67755,7,2,1,11,NA,3,3,1,11,138,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74331.764009,78594.005469,2,91,9,9,2.6,4,4,0,2,0,1,53,1,2,1,5
+67756,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,17583.693727,17958.024135,2,95,15,7,3.13,5,1,0,0,0,1,47,1,5,1,3
+67757,7,2,1,0,4,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6910.953528,6911.08091,2,96,4,4,0.97,3,3,1,0,0,2,37,2,2,1,1
+67758,7,2,2,7,NA,4,4,2,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5758.0032,6529.524105,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+67759,7,2,1,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17341.8035,17546.820808,2,102,7,7,1.53,5,5,1,2,0,1,36,1,2,1,3
+67760,7,2,1,17,NA,5,6,2,18,216,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7057.977053,7861.480262,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+67761,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,27271.751091,29115.882263,2,101,6,6,1.67,3,3,0,0,0,2,22,1,4,5,NA
+67762,7,2,1,53,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,21016.438271,22051.40744,1,93,12,12,NA,3,3,0,1,0,2,49,2,3,1,3
+67763,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,97803.500399,99700.910854,1,95,14,14,3.8,4,4,0,2,0,2,37,1,5,1,5
+67764,7,2,1,76,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,2,2,2,1,2,2,NA,12962.876803,16930.790311,2,90,6,5,1.84,2,1,0,0,2,1,76,2,1,2,NA
+67765,7,2,1,2,NA,2,2,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10803.555682,10931.27688,2,94,6,6,1.43,5,4,2,1,0,2,23,2,3,6,NA
+67766,7,2,2,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,37934.469637,38685.959862,1,94,4,4,1.26,2,2,0,0,1,2,41,1,4,5,NA
+67767,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,29167.119125,34820.124106,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+67768,7,2,2,14,NA,3,3,2,14,174,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,103298.858809,112630.333619,1,101,8,8,2.24,4,4,0,1,0,1,45,1,4,1,NA
+67769,7,2,2,54,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,1,2,1,1,2,2,2,2,2,2,18295.488967,18390.898385,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+67770,7,2,2,0,10,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4418.651245,4685.491283,2,95,6,6,0.97,6,6,2,1,0,1,54,1,3,6,NA
+67771,7,2,1,13,NA,4,4,2,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,6,6,1.51,3,3,0,1,1,1,65,1,2,1,4
+67772,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53541.401974,54113.194007,1,99,9,9,3.74,2,2,0,0,2,2,73,1,3,1,4
+67773,7,2,2,60,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17243.546687,17909.086027,1,92,8,8,3.44,2,2,0,0,2,1,71,1,3,1,5
+67774,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16905.961576,17390.157008,2,94,8,8,1.6,6,6,3,1,0,2,32,1,4,1,4
+67775,7,2,2,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,93589.96496,99393.853006,1,93,15,15,5,3,3,1,0,0,1,33,1,5,1,3
+67776,7,2,1,54,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,1,2,1,1,2,2,2,2,2,2,21139.303536,20829.116843,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+67777,7,1,1,2,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5547.430651,0,1,96,9,9,2.18,5,5,1,1,0,1,26,1,4,1,4
+67778,7,2,1,31,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17802.31438,18749.539496,1,102,3,3,0.82,2,2,0,0,0,1,31,1,4,1,4
+67779,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,207644.101324,209788.639452,1,97,10,10,4.3,2,2,0,0,1,2,56,1,5,1,5
+67780,7,2,2,7,NA,1,1,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16061.826248,2,98,4,4,0.75,4,4,0,2,0,2,33,1,2,5,NA
+67781,7,2,2,41,NA,2,2,1,NA,NA,2,NA,2,2,1,NA,5,1,2,2,2,2,2,2,2,2,2,1,2,32606.880052,32776.922157,2,93,9,9,1.49,7,7,0,3,0,2,41,2,5,1,5
+67782,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19440.793325,19514.660132,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+67783,7,2,2,13,NA,5,6,2,13,162,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11975.458482,12226.374363,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+67784,7,2,2,18,NA,1,1,1,18,216,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15690.47168,16249.379042,1,102,5,5,0.86,5,5,2,0,0,2,21,2,2,5,NA
+67785,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,27156.758177,27240.256208,1,95,4,4,1.21,2,2,0,0,0,1,46,1,2,1,2
+67786,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,153199.936938,1,95,3,3,1.33,1,1,0,0,0,1,45,1,2,5,NA
+67787,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,24881.621161,24802.260383,2,94,15,15,5,1,1,0,0,0,1,44,1,5,3,NA
+67788,7,2,1,62,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,2,2,2,2,2,2,1,2,2,2,9871.376767,9834.888389,2,97,4,4,1.29,2,2,0,0,2,2,70,1,3,1,4
+67789,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,1,1,2,2,1,2,2,1,2,2,1,18723.98095,18882.01405,2,101,2,2,0.22,4,4,1,1,0,2,41,1,2,4,NA
+67790,7,2,1,14,NA,4,4,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10065.83895,10440.165744,2,99,14,14,4.09,3,3,0,2,0,2,37,1,5,5,NA
+67791,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,32489.451884,36954.118364,2,91,3,3,1.16,1,1,0,0,1,2,80,1,4,2,NA
+67792,7,1,1,10,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8943.919305,0,1,92,5,5,0.63,7,7,0,4,1,1,60,NA,NA,1,NA
+67793,7,2,1,39,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,37658.482129,41412.915504,1,100,7,7,1.74,4,4,0,2,0,2,39,2,1,1,3
+67794,7,2,1,51,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,25139.75955,26335.178282,2,99,77,77,NA,3,3,0,0,0,2,57,2,2,1,1
+67795,7,2,1,41,NA,5,6,2,NA,NA,2,NA,2,2,99,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,11113.602843,11073.454175,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+67796,7,2,2,1,20,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7108.64371,7648.979929,1,90,14,14,2.96,5,5,1,2,0,1,31,1,5,1,4
+67797,7,2,1,45,NA,2,2,2,NA,NA,2,NA,2,1,77,NA,3,3,NA,2,2,2,2,2,2,2,2,2,2,28428.303115,29087.004066,3,90,77,77,NA,4,3,0,0,0,1,45,2,3,3,NA
+67798,7,2,1,51,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,24923.937021,24558.216666,2,93,7,7,2.58,2,2,0,0,0,1,51,1,4,1,4
+67799,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,27945.726298,28031.650144,1,94,6,6,1.26,5,5,0,2,0,2,38,1,4,1,NA
+67800,7,2,1,0,8,2,2,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5863.789973,5970.184293,2,93,8,8,2.17,4,4,2,0,0,2,30,1,4,1,4
+67801,7,2,2,11,NA,3,3,1,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17482.620882,17502.587262,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+67802,7,2,1,4,NA,5,7,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8890.779467,9258.147648,3,91,10,10,2.48,5,5,2,1,0,2,27,1,2,1,4
+67803,7,2,1,6,NA,5,7,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18834.739821,19876.018883,1,94,2,2,0.3,5,5,1,2,0,1,23,1,1,6,NA
+67804,7,2,2,4,NA,5,6,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4437.828549,4650.082829,1,102,5,5,0.92,5,5,1,2,0,2,44,2,1,1,2
+67805,7,2,1,6,NA,4,4,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7687.032802,8119.723568,2,99,4,4,0.78,4,4,0,2,0,2,45,1,3,5,NA
+67806,7,2,2,16,NA,2,2,2,16,198,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,20937.26435,23702.551829,1,90,5,5,1,4,4,0,2,0,1,40,2,2,1,1
+67807,7,2,2,3,NA,3,3,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,76623.952798,84569.150751,2,91,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+67808,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,1,2,NA,40827.983435,45600.111014,1,98,8,8,2.62,3,3,0,0,3,1,68,1,4,1,4
+67809,7,2,1,13,NA,1,1,1,13,164,NA,NA,2,2,3,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,32326.52031,34735.818434,2,94,5,5,0.65,6,6,0,3,0,1,44,2,1,1,1
+67810,7,2,1,0,6,2,2,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5420.429995,5420.529903,3,90,6,6,1.3,4,4,2,0,0,1,20,2,5,6,NA
+67811,7,2,1,2,NA,4,4,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6454.74783,2,100,15,15,5,3,3,1,0,0,2,35,1,5,1,2
+67812,7,2,1,66,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,1,5,NA,2,2,2,1,2,2,2,2,2,2,12118.033999,12538.522644,2,91,99,99,NA,3,3,0,0,1,2,31,2,5,5,NA
+67813,7,2,1,67,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,8561.661692,8628.633702,2,99,15,14,5,2,1,0,0,2,2,65,NA,NA,6,NA
+67814,7,2,2,19,NA,4,4,1,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,1,1,0.06,1,1,0,0,0,2,19,1,4,NA,NA
+67815,7,2,2,0,4,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20786.668002,20803.881706,1,101,8,8,1.85,5,5,3,0,0,2,31,1,2,1,2
+67816,7,2,1,14,NA,4,4,2,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13969.457688,14306.402061,1,90,3,3,0.63,3,3,1,1,0,2,32,1,4,5,NA
+67817,7,2,1,55,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,35958.875702,36129.285962,1,98,8,1,0,4,1,0,0,0,1,53,1,2,1,3
+67818,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16007.367503,15264.693262,2,90,15,15,5,4,4,0,0,0,1,57,2,5,1,5
+67819,7,2,2,79,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,44856.466004,46390.551109,2,94,3,3,1.16,1,1,0,0,1,2,79,1,4,2,NA
+67820,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,19130.246369,19040.031855,2,95,7,7,1.74,4,4,0,2,0,2,47,1,5,4,NA
+67821,7,2,1,7,NA,4,4,1,8,96,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12399.014378,12375.702699,2,96,2,2,0.31,4,4,0,2,0,2,30,NA,NA,6,NA
+67822,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,38369.898602,44511.264162,2,95,3,3,0.95,2,2,0,0,2,2,80,1,1,1,2
+67823,7,2,2,15,NA,3,3,1,15,189,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,92934.523767,97199.343719,1,92,8,8,2.17,4,4,0,1,2,2,80,1,3,2,NA
+67824,7,2,1,40,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15851.563418,15794.298537,2,95,15,15,5,1,1,0,0,0,1,40,2,5,5,NA
+67825,7,2,2,11,NA,4,4,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11116.391625,11531.852198,1,92,77,77,NA,5,5,1,2,0,2,41,1,3,5,NA
+67826,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,122833.610417,128308.021903,1,98,15,15,4.34,4,4,0,2,0,1,51,1,5,1,5
+67827,7,2,1,53,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27609.8026,27737.039026,2,101,8,8,2.7,3,3,0,1,0,1,53,1,4,1,2
+67828,7,2,1,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11136.552864,2,101,4,4,1.22,2,2,0,0,2,1,67,1,1,1,2
+67829,7,2,1,19,NA,3,3,1,19,229,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,73465.215193,72911.812289,1,100,15,15,4.63,5,5,0,0,0,1,51,1,5,1,3
+67830,7,2,1,0,5,2,2,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,5733.655482,6014.350383,1,90,10,10,2.44,5,5,1,0,0,2,56,2,1,1,1
+67831,7,2,2,0,1,3,3,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16608.743852,16157.613485,1,94,15,15,5,4,4,2,0,0,1,37,1,5,1,4
+67832,7,2,2,71,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,17836.372654,18457.016952,2,96,5,5,0.67,6,6,1,2,1,1,34,1,4,1,4
+67833,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,12526.25131,13442.161918,2,95,5,5,1.32,2,2,0,0,2,2,78,1,2,1,2
+67834,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,92613.517882,94092.287712,3,91,8,6,2.75,3,1,0,0,0,1,23,1,4,1,4
+67835,7,2,2,9,NA,4,4,2,9,114,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7405.320425,7603.433563,2,99,6,6,1.13,4,4,1,1,0,1,33,1,3,6,NA
+67836,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,112153.23206,1,91,8,8,2.17,4,4,0,0,0,1,59,1,4,1,5
+67837,7,2,1,8,NA,3,3,2,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49922.147265,52289.098209,1,98,9,9,2.6,4,4,1,1,0,2,35,1,2,1,NA
+67838,7,2,1,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,11650.457723,11613.298191,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+67839,7,2,1,61,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9313.036488,9824.696739,1,103,15,15,5,2,2,0,0,1,2,56,2,5,1,5
+67840,7,2,1,28,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,115954.75973,120569.27907,1,92,5,5,1.97,1,1,0,0,0,1,28,1,4,3,NA
+67841,7,2,1,58,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11498.794569,11546.882913,1,96,15,15,5,5,5,0,0,0,1,58,2,5,1,5
+67842,7,2,2,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,16420.864787,17686.616768,2,102,1,1,0.16,3,3,1,0,1,2,63,1,2,4,NA
+67843,7,2,1,3,NA,3,3,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24655.003412,27816.70307,1,98,2,2,0.36,5,5,3,0,0,1,25,1,3,1,3
+67844,7,2,1,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,111284.977736,114467.051739,3,91,8,5,1.5,3,2,0,0,0,1,23,1,4,1,4
+67845,7,2,1,49,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18116.816149,22904.074887,2,90,8,7,3.21,2,1,0,0,0,1,51,1,2,5,NA
+67846,7,2,1,15,NA,5,7,2,15,183,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60818.973858,62775.825513,1,99,15,15,5,4,4,0,2,0,2,44,1,5,1,5
+67847,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,16186.470589,15743.485359,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+67848,7,2,1,66,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,12585.09113,13280.957381,2,98,4,4,1.34,2,2,0,0,2,1,66,1,1,1,1
+67849,7,2,2,0,11,5,7,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5882.73073,5843.204067,3,90,15,15,5,3,3,1,0,0,2,32,2,5,1,5
+67850,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10440.656902,1,99,10,10,5,1,1,0,0,1,2,64,1,5,3,NA
+67851,7,2,2,5,NA,3,3,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51483.624552,53105.566664,1,94,15,15,5,4,4,2,0,0,1,51,2,5,1,5
+67852,7,2,1,15,NA,5,6,1,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12412.721558,13262.259083,1,92,10,10,2.82,4,4,0,2,0,2,48,2,5,1,5
+67853,7,2,1,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19923.530941,23644.216851,2,95,6,6,0.97,6,6,2,2,0,1,37,1,3,1,4
+67854,7,2,1,80,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12101.489198,13370.144062,1,93,3,3,0.65,3,3,0,0,3,2,74,2,1,2,NA
+67855,7,2,1,58,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11498.794569,11546.882913,2,100,15,15,5,3,3,0,1,0,1,58,2,5,1,5
+67856,7,2,2,0,8,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4523.857227,4573.252417,2,95,6,6,1.57,3,3,1,0,0,1,29,1,3,1,4
+67857,7,2,2,25,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16021.911789,17471.931528,1,94,7,7,1.79,4,4,0,1,0,1,59,2,4,1,4
+67858,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,NA,10049.7347,10691.470743,2,90,5,5,1.98,1,1,0,0,1,2,68,1,4,5,NA
+67859,7,2,1,18,NA,4,4,1,18,219,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12792.875152,12871.476461,2,93,99,99,NA,7,6,1,0,0,1,19,1,3,NA,NA
+67860,7,2,2,14,NA,3,3,2,14,174,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23708.623398,24267.27809,2,97,5,5,1.08,3,3,0,1,0,2,45,1,4,6,NA
+67861,7,2,1,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,85786.890667,86591.455494,2,96,9,9,5,1,1,0,0,1,1,60,1,5,5,NA
+67862,7,2,1,1,20,3,3,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23524.870375,27564.905667,1,90,7,7,2.1,3,3,1,0,0,2,40,2,5,1,4
+67863,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,202246.928022,1,91,15,15,5,3,3,0,0,0,2,50,1,4,1,4
+67864,7,2,2,22,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,15735.580263,16455.708445,1,97,15,15,5,4,4,0,0,0,1,51,2,5,1,5
+67865,7,2,1,59,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17121.370948,17378.349074,1,92,14,14,3.9,4,4,0,0,0,2,55,2,5,1,5
+67866,7,2,2,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,13101.965339,13686.954077,1,100,6,6,2.24,1,1,0,0,1,2,60,1,5,3,NA
+67867,7,2,2,11,NA,2,2,1,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,13720.541363,14610.824098,2,100,4,4,0.81,4,4,0,2,0,2,37,1,2,1,2
+67868,7,2,2,13,NA,1,1,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23979.296993,25562.604106,1,101,3,3,0.41,5,5,0,2,1,2,36,2,4,4,NA
+67869,7,2,2,4,NA,2,2,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,2,2,1,NA,NA,NA,NA,12675.140707,13078.439708,1,96,5,5,0.94,4,4,2,0,0,1,32,2,3,1,4
+67870,7,2,2,20,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,1,1,2,2,1,10345.80475,11593.940235,3,90,15,15,3.23,6,6,0,2,0,1,50,2,2,1,2
+67871,7,2,2,6,NA,2,2,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15148.721588,15796.67129,2,91,10,10,3.04,4,4,1,1,0,2,31,2,5,1,5
+67872,7,2,2,78,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,1,1,NA,2,2,2,1,2,2,2,2,2,NA,20441.922878,23572.887355,1,90,4,4,0.94,3,3,0,0,2,2,78,2,1,1,2
+67873,7,2,2,50,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,20388.95294,20876.134898,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+67874,7,2,1,69,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,138075.879417,141933.339512,2,94,10,10,4.3,2,2,0,0,2,1,69,1,4,1,5
+67875,7,2,2,9,NA,4,4,1,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11195.065587,11548.620784,2,96,15,9,3.74,3,2,0,1,0,2,38,1,5,6,NA
+67876,7,2,2,5,NA,4,4,2,5,63,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11353.600279,12216.600549,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+67877,7,2,2,79,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,33602.625,34751.830256,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+67878,7,2,1,9,NA,4,4,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8714.559478,8887.823591,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+67879,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,139800.409559,142430.529735,1,100,15,15,5,4,4,0,1,0,1,50,1,4,1,4
+67880,7,2,1,13,NA,5,6,1,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9737.713978,10134.40846,2,100,14,14,4.03,4,4,0,2,0,1,48,2,5,1,5
+67881,7,2,2,17,NA,3,3,1,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,31282.308091,32019.424199,2,98,3,3,0.38,5,5,0,4,0,2,39,1,4,5,NA
+67882,7,2,1,4,NA,3,3,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,86817.367332,101726.917198,2,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+67883,7,2,1,5,NA,5,7,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12996.965152,13393.943951,1,101,2,2,0.33,4,4,2,1,0,2,26,1,4,5,NA
+67884,7,2,2,10,NA,2,2,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16986.005478,17464.743129,2,102,5,5,0.89,4,4,0,3,0,2,44,2,2,4,NA
+67885,7,2,2,80,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,3,2,NA,1,2,1,1,2,1,1,2,1,NA,12344.929687,13171.097693,1,93,1,1,0.28,1,1,0,0,1,2,80,2,3,2,NA
+67886,7,2,2,3,NA,1,1,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12714.663639,13516.237728,1,102,5,5,0.86,5,5,2,0,0,2,21,2,2,5,NA
+67887,7,2,2,67,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17243.546687,17909.086027,1,92,14,14,5,2,2,0,0,2,1,62,1,4,1,4
+67888,7,2,1,8,NA,3,3,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,27154.222487,28089.451048,2,101,4,4,0.73,5,5,1,2,0,1,40,1,5,1,5
+67889,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,30863.871606,31440.435679,1,101,4,4,1.43,1,1,0,0,0,2,42,1,5,5,NA
+67890,7,2,2,7,NA,1,1,2,7,88,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14300.71869,14814.284705,2,94,13,13,NA,5,5,0,3,0,1,32,2,2,1,1
+67891,7,2,2,29,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,17204.739153,20747.6165,1,93,9,9,5,1,1,0,0,0,2,29,1,5,5,NA
+67892,7,2,2,10,NA,3,3,1,10,123,NA,NA,2,2,3,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,13450.606713,14078.286101,3,91,4,4,0.65,5,5,2,2,0,2,27,2,2,3,NA
+67893,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,83819.702285,99717.125794,1,99,14,14,5,1,1,0,0,0,1,34,1,5,5,NA
+67894,7,2,1,80,NA,5,7,1,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,38080.409655,40864.822189,2,95,6,6,1.95,2,2,0,0,2,1,80,1,1,1,3
+67895,7,2,1,8,NA,4,4,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9261.557132,9782.87535,2,100,7,7,1.79,4,4,0,1,0,2,51,1,3,3,NA
+67896,7,2,1,17,NA,4,4,2,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15381.581315,15476.088016,1,93,12,12,NA,5,4,0,2,0,1,32,1,2,5,NA
+67897,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,60257.408263,62318.203523,1,103,15,15,5,2,2,0,0,2,1,74,1,5,1,5
+67898,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,12170.020379,2,97,6,6,1,6,6,1,2,2,2,60,1,2,2,NA
+67899,7,2,1,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,NA,7663.797586,8115.960731,1,96,3,3,1.25,1,1,0,0,1,1,80,1,2,4,NA
+67900,7,1,1,24,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,13859.220514,0,1,98,12,2,0.54,3,1,0,0,0,1,24,1,4,5,NA
+67901,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12222.312509,13136.499838,2,95,12,12,NA,3,3,0,0,3,2,73,1,2,1,1
+67902,7,2,1,21,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,4,NA,2,2,2,2,2,2,2,2,2,2,39915.513053,44831.646235,2,98,5,5,1.07,4,4,0,1,0,1,53,2,1,1,1
+67903,7,2,2,3,NA,4,4,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10771.85499,11049.894844,2,97,1,1,0.2,2,2,1,0,0,2,26,1,4,5,NA
+67904,7,2,1,1,21,2,2,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12373.634774,12852.001067,1,92,10,10,2.63,5,5,2,1,0,2,26,1,4,1,4
+67905,7,2,2,10,NA,5,7,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5836.229473,6119.1334,2,103,14,14,3.48,5,5,0,2,1,1,43,1,4,1,5
+67906,7,2,2,8,NA,3,3,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,25563.654853,1,95,15,15,3.62,7,7,2,4,0,1,59,1,5,1,2
+67907,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,74517.751389,89988.433696,2,94,12,12,NA,5,5,1,1,0,1,37,1,4,1,3
+67908,7,2,1,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,23235.97926,24675.846787,2,95,6,6,1.36,3,3,0,0,2,2,60,1,5,1,4
+67909,7,2,1,0,6,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,6218.697738,6608.80804,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+67910,7,2,1,80,NA,2,2,1,NA,NA,1,1,99,NA,NA,NA,9,1,NA,1,1,2,1,1,2,1,1,2,NA,13906.496347,14197.251523,2,103,99,99,NA,6,1,0,0,3,1,80,NA,NA,2,NA
+67911,7,2,1,15,NA,3,3,1,15,186,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,81936.967747,80860.127913,1,94,14,14,2.96,5,5,0,3,0,2,39,1,4,1,3
+67912,7,2,1,65,NA,2,2,1,NA,NA,1,2,2,1,7,NA,5,1,NA,2,2,2,1,2,2,1,2,2,1,14067.170863,14292.508976,2,102,15,15,5,3,3,0,0,2,1,36,2,5,5,NA
+67913,7,2,1,11,NA,1,1,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13665.416457,13541.311863,1,94,2,2,0.27,5,5,0,4,0,2,47,2,1,4,NA
+67914,7,2,1,8,NA,3,3,1,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23188.935049,25672.571973,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+67915,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15976.466658,17286.192057,2,96,8,5,2.2,2,1,0,0,0,2,25,2,5,5,NA
+67916,7,2,2,39,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,4,1,2,2,2,2,2,2,2,NA,NA,NA,NA,38184.257672,39931.153329,2,91,8,8,1.85,5,5,0,2,1,1,39,2,3,1,4
+67917,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,22634.531479,23281.741513,1,103,9,6,2.6,3,1,0,0,0,1,27,1,5,5,NA
+67918,7,2,2,19,NA,4,4,2,19,232,2,NA,2,2,3,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10694.834447,10900.381844,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+67919,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,186864.831109,211461.930376,1,97,3,3,1.3,1,1,0,0,0,2,59,1,4,3,NA
+67920,7,2,2,1,19,2,2,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13464.808163,13893.232889,1,101,15,15,4.99,4,4,2,0,0,1,31,1,4,1,4
+67921,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,51644.110977,57877.507418,1,102,14,14,5,2,2,0,0,1,2,59,1,5,3,NA
+67922,7,2,2,3,NA,5,6,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7483.230909,7475.326886,2,96,15,15,5,3,3,1,0,0,1,34,2,5,1,5
+67923,7,2,2,11,NA,4,4,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8115.309776,8917.717263,2,95,6,6,0.97,6,6,2,2,0,1,37,1,3,1,4
+67924,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19150.604366,19611.675453,3,91,15,15,4.47,4,4,0,1,0,2,45,2,5,1,5
+67925,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,12449.932013,12144.773422,3,90,7,7,2.23,3,3,0,0,0,2,51,1,4,3,NA
+67926,7,2,2,40,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,15819.48188,17091.862943,1,90,15,15,5,3,3,1,0,0,1,42,1,5,1,5
+67927,7,2,1,32,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15137.053737,17738.779486,2,99,15,15,5,1,1,0,0,0,1,32,1,5,5,NA
+67928,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,64581.191728,64779.757488,2,94,15,15,5,2,2,0,0,0,1,36,1,2,1,4
+67929,7,1,2,20,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,NA,NA,NA,NA,18723.98095,0,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+67930,7,2,1,59,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,27595.50738,28151.492876,1,98,10,10,3.51,3,3,0,0,0,1,59,2,5,1,4
+67931,7,2,1,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5991.543696,6284.863687,1,102,5,5,0.86,5,5,2,0,0,2,21,2,2,5,NA
+67932,7,2,1,9,NA,3,3,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,48147.167375,49984.220445,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+67933,7,2,1,12,NA,3,3,1,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,124064.997098,122531.713298,1,95,7,7,2.54,2,2,0,1,0,2,37,1,1,5,NA
+67934,7,2,2,16,NA,3,3,1,16,194,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,113907.203714,124196.980527,1,94,7,7,1.52,4,4,0,2,2,1,61,2,1,1,5
+67935,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,74265.831326,76685.765974,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+67936,7,2,1,13,NA,5,6,2,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,10346.302718,11357.395963,2,91,12,12,NA,7,6,0,4,2,2,72,2,1,2,NA
+67937,7,1,2,74,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15730.58404,0,2,98,77,77,NA,4,4,0,0,2,1,71,NA,NA,1,1
+67938,7,2,2,27,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16026.268721,19326.470131,1,93,14,14,5,1,1,0,0,0,2,27,1,5,5,NA
+67939,7,2,1,72,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,49653.587757,54188.961403,2,98,15,15,5,2,2,0,0,2,2,66,1,3,1,1
+67940,7,2,1,66,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22184.040999,22468.589781,2,94,8,8,3.06,2,2,0,0,2,1,66,1,4,1,4
+67941,7,2,2,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,2,1,2,2,1,2,2,1,2,2,1,35313.648114,35629.376203,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+67942,7,2,1,1,12,2,2,2,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8331.647763,8595.381151,2,90,99,99,NA,5,5,1,1,0,2,40,2,3,1,1
+67943,7,2,1,5,NA,5,7,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6176.631821,6670.596558,1,93,15,15,5,5,5,1,2,0,2,40,1,5,1,5
+67944,7,2,2,10,NA,4,4,2,10,131,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11467.793741,13004.375485,2,91,6,6,0.78,7,7,1,4,0,2,38,2,2,77,NA
+67945,7,2,1,6,NA,3,3,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,38712.032122,41122.784973,3,91,15,15,5,6,6,1,3,0,2,40,1,5,1,5
+67946,7,2,1,3,NA,1,1,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,18754.85406,18780.196288,2,102,5,5,0.89,4,4,2,0,0,1,33,2,9,1,2
+67947,7,2,1,79,NA,4,4,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,2,1,2,1,1,2,2,NA,8074.739647,8488.510868,2,93,13,13,NA,3,3,0,0,2,2,63,2,2,1,3
+67948,7,2,1,27,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,4,5,NA,2,2,2,NA,NA,NA,1,2,2,1,44549.73661,46547.524849,2,93,4,4,0.69,4,4,0,1,1,2,66,2,3,2,NA
+67949,7,2,2,10,NA,2,2,2,10,129,NA,NA,2,2,1,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,10762.400563,12070.126078,2,90,3,3,0.46,5,5,1,3,0,2,35,2,1,4,NA
+67950,7,2,2,4,NA,4,4,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11914.048896,13313.886049,1,100,14,14,3.6,4,4,1,1,0,1,41,1,4,1,5
+67951,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,18174.62037,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+67952,7,2,2,65,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,12994.252166,2,90,2,2,0.55,1,1,0,0,1,2,65,2,1,5,NA
+67953,7,2,1,0,9,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5081.270665,5448.486113,2,99,77,77,NA,6,6,1,1,0,2,42,1,3,1,3
+67954,7,2,1,15,NA,2,2,2,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21399.234084,21768.65302,1,91,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+67955,7,2,2,12,NA,3,3,2,12,147,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71303.309206,77744.474592,2,94,15,15,5,5,5,0,3,0,1,44,1,5,1,4
+67956,7,2,2,3,NA,5,6,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4369.011217,4638.097632,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+67957,7,2,1,50,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,2,3,NA,1,2,2,NA,NA,NA,1,2,2,1,27609.8026,27521.740194,2,101,99,99,NA,3,3,0,1,1,2,78,1,1,2,NA
+67958,7,2,2,43,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,3,1,2,2,1,2,2,NA,NA,NA,NA,9131.449129,11051.567129,1,103,77,77,NA,6,6,0,2,2,1,70,NA,NA,1,1
+67959,7,2,1,13,NA,4,4,1,13,162,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16147.713323,16532.569027,1,92,5,5,0.95,4,4,0,2,0,2,33,1,4,5,NA
+67960,7,2,2,40,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,5,1,2,2,2,2,2,2,2,2,2,2,2,31334.47528,32058.983464,2,96,7,7,1.57,4,4,0,2,0,1,40,2,2,1,5
+67961,7,2,1,6,NA,2,2,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15882.795076,15889.831109,1,97,3,3,0.44,5,5,2,2,0,2,26,1,4,4,NA
+67962,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,2,1,2,2,1,2,2,1,2,2,1,16339.124275,15891.961277,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+67963,7,2,2,11,NA,4,4,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8146.767632,8771.942314,2,100,6,6,0.99,5,5,0,3,0,2,40,1,3,1,3
+67964,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,NA,NA,NA,NA,31335.13799,33684.15133,1,95,6,3,0.45,6,4,1,2,0,1,28,1,2,1,2
+67965,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,52448.388619,54438.22579,1,99,8,8,3.4,2,2,0,0,2,1,74,1,5,1,4
+67966,7,2,1,20,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,101419.325386,103801.228657,1,100,15,15,4.63,5,5,0,0,0,1,51,1,5,1,3
+67967,7,2,1,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,158509.005274,159425.752864,1,100,15,15,4.07,5,5,0,2,0,2,41,1,5,1,4
+67968,7,2,2,7,NA,5,6,2,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6878.565723,7345.278289,3,90,14,14,4.71,3,3,0,1,0,1,43,1,5,1,5
+67969,7,2,2,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,118269.59683,119479.91378,2,98,10,10,4.55,2,2,0,0,1,2,66,1,5,2,NA
+67970,7,2,1,72,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,48254.793439,51076.634961,2,100,99,99,NA,2,2,0,0,2,1,72,1,4,1,4
+67971,7,2,2,11,NA,1,1,1,11,140,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12215.503444,12532.555214,1,102,5,5,0.92,5,5,0,3,0,2,39,2,3,1,3
+67972,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,84910.063417,90031.493834,2,96,14,4,1.38,3,1,0,0,0,1,30,2,5,5,NA
+67973,7,2,1,6,NA,5,6,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11522.32071,1,97,15,15,4.07,5,5,0,3,0,1,42,2,5,1,5
+67974,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37814.382501,44413.458724,1,98,3,3,1.03,1,1,0,0,0,1,27,1,4,5,NA
+67975,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,33731.056243,36109.766611,2,98,4,4,1.22,2,2,0,0,2,1,80,1,1,1,1
+67976,7,1,1,34,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,99134.771466,0,2,99,15,15,5,2,2,0,0,0,2,34,NA,NA,1,5
+67977,7,2,2,56,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,17152.714252,16747.256128,1,102,7,1,0.33,5,1,1,0,2,1,47,1,3,5,NA
+67978,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,49428.481088,50236.061312,1,101,1,1,0.13,1,1,0,0,1,2,60,1,4,3,NA
+67979,7,2,1,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,8232.241159,8296.636338,2,98,7,7,2.72,2,2,0,0,1,1,65,1,4,3,NA
+67980,7,2,2,8,NA,4,4,1,8,105,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8362.256577,8929.488766,2,100,7,7,1.34,5,5,0,2,0,2,53,1,4,4,NA
+67981,7,2,1,19,NA,1,1,2,19,238,2,NA,2,1,4,15,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,20174.283097,21488.447069,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+67982,7,1,1,42,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,148374.146816,0,2,96,10,6,2.66,2,1,0,0,0,1,35,1,5,5,NA
+67983,7,2,2,47,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,13568.706187,17300.043727,3,90,6,6,1.98,2,2,0,0,0,2,47,2,5,2,NA
+67984,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,85040.351078,89341.219459,1,93,7,7,2.16,3,3,0,1,0,2,50,1,5,3,NA
+67985,7,2,1,13,NA,3,3,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58479.782556,60361.370686,1,99,15,15,5,5,5,0,3,0,2,43,1,5,1,5
+67986,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,8411.959333,8787.544319,1,96,9,9,3.97,2,2,0,0,1,1,28,1,5,5,NA
+67987,7,2,2,6,NA,4,4,2,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7446.876055,7952.015759,2,99,6,6,1.15,5,5,1,2,0,2,34,1,4,77,NA
+67988,7,2,1,14,NA,3,3,2,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,58479.782556,60361.370686,1,99,15,15,5,5,5,0,3,0,2,43,1,5,1,5
+67989,7,2,2,22,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,NA,NA,NA,NA,55392.206282,57222.234271,3,91,3,3,1.29,1,1,0,0,0,2,22,1,3,5,NA
+67990,7,2,2,12,NA,5,6,2,12,148,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6937.463063,7205.726089,3,90,10,10,2.41,5,5,1,2,0,1,44,2,4,1,5
+67991,7,2,1,57,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11690.444016,12095.591726,3,90,4,4,0.92,3,3,0,0,1,2,56,2,2,1,2
+67992,7,2,1,41,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,52941.648658,52646.945429,2,102,15,15,5,2,2,0,0,0,1,41,2,4,6,NA
+67993,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,5,NA,2,2,2,2,2,2,1,2,2,NA,8609.250304,11228.904188,2,90,4,4,0.57,5,5,1,0,2,2,80,2,1,2,NA
+67994,7,2,1,12,NA,3,3,2,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71458.892941,71654.216305,2,94,3,3,0.54,4,4,0,1,0,2,48,1,3,1,3
+67995,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,58072.588922,61468.555023,1,101,14,14,5,2,2,0,0,2,2,70,1,5,1,2
+67996,7,2,1,9,NA,1,1,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,2,2,2,2,11367.678664,11547.566042,2,96,5,5,0.78,5,5,0,2,0,1,37,2,1,5,NA
+67997,7,1,2,25,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,11934.941038,0,3,90,8,8,1.85,5,5,0,0,1,2,25,1,5,5,NA
+67998,7,2,2,52,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,17991.883465,18228.515837,2,102,10,10,3.62,3,3,0,0,0,1,51,2,5,1,5
+67999,7,2,2,52,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,24004.6026,25447.359355,2,91,14,14,4.19,3,3,0,1,0,1,55,2,3,1,5
+68000,7,2,1,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21941.544332,21717.573526,1,99,10,10,2.58,5,5,0,1,2,1,65,1,5,1,3
+68001,7,2,1,79,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,NA,8992.410435,11769.853451,2,90,4,4,1.43,1,1,0,0,1,1,79,1,2,4,NA
+68002,7,2,2,11,NA,3,3,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55469.656717,57246.428971,1,98,9,9,2.15,5,5,0,3,0,2,32,1,3,1,4
+68003,7,2,1,72,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,15262.668516,16210.38509,1,102,7,7,1.41,5,5,0,2,2,1,72,1,4,1,3
+68004,7,2,2,33,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,36002.138941,36147.943555,1,103,15,15,5,2,2,0,0,0,1,36,2,5,1,5
+68005,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,99,2,0.55,2,1,0,0,0,1,21,NA,NA,5,NA
+68006,7,2,1,13,NA,4,4,2,13,167,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15970.206483,16374.875978,2,97,3,3,0.46,5,5,0,3,0,1,40,1,2,1,3
+68007,7,2,2,33,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23038.68441,23821.989403,1,92,6,6,1.92,2,2,0,0,0,2,33,2,4,5,NA
+68008,7,2,1,80,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,3,2,NA,2,2,2,2,2,2,NA,NA,NA,NA,9710.399795,10186.406299,2,93,99,99,NA,1,1,0,0,1,1,80,2,3,2,NA
+68009,7,2,2,14,NA,4,4,1,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13697.127402,13594.601175,2,100,10,7,2.05,4,3,0,2,0,1,20,1,4,6,NA
+68010,7,2,1,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11218.730451,2,97,3,3,1.29,1,1,0,0,1,1,63,1,2,2,NA
+68011,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,47973.37979,48741.666001,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+68012,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,12537.004291,13376.026635,2,98,77,77,NA,2,2,0,0,2,2,70,1,3,1,2
+68013,7,2,2,60,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14067.755128,14924.32642,2,91,8,8,4.3,1,1,0,0,1,2,60,2,5,5,NA
+68014,7,2,1,16,NA,3,3,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30100.326038,29873.584609,1,101,6,6,1.17,4,4,0,1,0,1,41,1,3,6,NA
+68015,7,2,2,9,NA,3,3,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19824.800404,20630.46787,1,101,4,4,0.78,4,4,1,2,0,2,32,1,3,3,NA
+68016,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,159097.269198,158226.612798,1,97,15,15,4.77,4,4,0,0,0,1,56,1,4,1,4
+68017,7,2,2,68,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16352.915834,18960.412859,3,92,10,10,4.3,5,2,2,1,1,2,68,1,3,1,1
+68018,7,2,1,1,22,5,6,2,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5891.941477,6363.138629,1,90,6,6,0.92,6,6,2,0,2,2,30,2,5,1,5
+68019,7,2,1,12,NA,3,3,1,12,149,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71934.689876,71392.8162,1,100,15,15,5,5,5,0,3,0,1,47,1,5,1,5
+68020,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,35334.703093,40990.264786,1,101,3,3,1.25,1,1,0,0,1,2,80,1,2,2,NA
+68021,7,2,1,34,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,20803.970543,21211.256549,1,93,5,5,1.84,1,1,0,0,0,1,34,2,2,5,NA
+68022,7,2,1,58,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,37426.314738,36877.141263,3,92,15,15,5,2,2,0,0,0,1,58,1,4,1,4
+68023,7,2,1,25,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,5,NA,1,2,2,NA,NA,NA,1,2,2,1,9177.295801,9548.31812,2,92,77,77,NA,4,4,0,0,0,1,27,2,2,5,NA
+68024,7,2,2,26,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,2,2,2,1,2,2,NA,NA,NA,NA,30253.427014,34374.819903,2,90,6,6,2.01,2,2,0,1,0,2,26,1,3,5,NA
+68025,7,2,2,19,NA,2,2,1,19,238,2,NA,2,2,3,15,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,18556.092615,19088.608674,1,103,6,6,0.93,5,5,0,1,0,1,39,2,3,1,3
+68026,7,2,2,1,19,5,7,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6683.092466,7272.710878,3,91,8,8,2.7,3,3,1,0,0,1,31,1,5,1,5
+68027,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,18490.479848,18604.849683,2,100,8,8,2.7,3,3,1,0,0,2,41,1,4,1,3
+68028,7,2,2,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,14994.337564,16150.13007,1,100,9,9,3.97,2,2,0,0,2,1,70,NA,NA,1,3
+68029,7,2,1,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,7973.883342,8285.757609,1,100,3,3,0.9,1,1,0,0,1,1,60,1,3,5,NA
+68030,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,89234.06428,94763.645369,1,93,15,15,5,4,3,0,0,3,1,80,1,5,2,NA
+68031,7,2,1,2,NA,1,1,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10276.786905,10398.280565,1,102,4,4,0.5,6,6,2,2,0,1,25,1,2,1,3
+68032,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,36401.782557,40656.559204,2,100,6,6,2.01,2,2,0,0,2,1,80,1,5,1,5
+68033,7,2,1,2,NA,3,3,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49276.9767,53002.397569,2,98,8,8,2.42,4,4,2,0,0,2,31,1,4,1,2
+68034,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,11190.39853,11690.037855,2,99,99,99,NA,2,2,0,0,2,2,62,1,5,3,NA
+68035,7,2,2,78,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,55793.89654,57702.040299,2,103,12,12,NA,1,1,0,0,1,2,78,1,4,2,NA
+68036,7,2,1,3,NA,1,1,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14505.510202,14266.522334,2,94,5,5,1.3,3,3,1,0,0,2,38,2,1,1,4
+68037,7,2,1,13,NA,5,6,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6666.045669,7124.269577,3,90,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+68038,7,2,1,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7238.674935,7295.298127,1,96,15,15,5,3,3,0,0,2,2,44,1,5,5,NA
+68039,7,2,2,0,1,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7849.042868,8059.930457,2,98,14,14,3.25,5,5,2,1,0,1,37,1,5,1,5
+68040,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,29738.952706,30201.133298,2,94,8,8,3.4,2,2,0,0,0,1,22,1,3,5,NA
+68041,7,2,1,63,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,6441.264127,6693.19464,1,96,15,15,5,2,2,0,0,2,1,63,1,3,1,3
+68042,7,2,1,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,32375.321924,34954.784356,1,98,2,2,0.31,3,3,1,0,0,1,45,NA,NA,1,NA
+68043,7,2,2,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,79351.077678,83837.616505,2,98,9,9,4.01,2,2,0,0,0,1,27,1,5,1,4
+68044,7,2,2,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,187291.098551,189225.431861,2,91,7,7,2.31,2,2,0,0,0,2,58,1,5,3,NA
+68045,7,2,2,13,NA,4,4,2,13,162,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10671.280357,10591.403308,1,99,10,10,3.13,4,4,0,2,0,1,35,1,4,1,5
+68046,7,2,2,65,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,149575.283913,151406.873597,1,95,5,5,1.84,1,1,0,0,1,2,65,1,3,3,NA
+68047,7,2,1,7,NA,5,6,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11461.625841,1,97,15,15,5,3,3,0,1,0,2,36,2,5,1,5
+68048,7,2,1,10,NA,4,4,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9699.683862,9815.96792,2,100,1,1,0.06,3,3,1,1,0,2,30,1,4,5,NA
+68049,7,2,2,6,NA,5,6,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9227.090107,9736.375878,2,100,15,15,5,4,4,1,1,0,1,41,2,5,1,5
+68050,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,21143.97379,22281.995197,1,97,77,77,NA,3,3,0,0,3,2,62,1,5,1,NA
+68051,7,1,1,51,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,24595.31055,0,1,97,15,15,5,4,4,0,2,0,1,51,1,5,1,NA
+68052,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18404.681357,22792.166915,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+68053,7,2,1,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,18754.85406,20094.472571,2,102,10,10,3.04,4,4,2,0,0,2,31,2,2,1,NA
+68054,7,2,2,8,NA,3,3,2,8,98,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,43531.157975,44359.496292,1,91,7,7,1.88,4,4,1,2,0,2,43,1,5,4,NA
+68055,7,2,1,0,1,5,6,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5300.922196,5735.896742,3,90,7,7,1.82,4,4,1,0,0,2,54,2,1,3,NA
+68056,7,2,2,6,NA,4,4,2,6,83,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7136.421849,7489.546444,1,90,9,9,1.65,7,7,0,4,0,1,36,1,4,1,4
+68057,7,1,1,6,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,66000.998272,0,1,90,15,15,5,4,4,1,1,0,2,39,1,5,1,4
+68058,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,123771.419917,129271.862102,2,98,8,8,2.7,3,3,0,0,1,2,71,NA,NA,2,NA
+68059,7,1,1,29,NA,1,1,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,35782.041084,0,2,96,3,3,0.54,4,4,1,1,0,1,29,1,2,1,2
+68060,7,2,1,18,NA,3,3,1,18,217,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,69211.537407,74163.290023,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+68061,7,2,2,35,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21619.283038,21815.3204,2,102,15,15,3.92,5,5,1,2,0,1,34,2,5,1,5
+68062,7,2,1,28,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,59682.963348,63721.06052,2,102,10,7,3.67,2,1,0,0,0,2,27,1,4,6,NA
+68063,7,2,1,51,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,27227.937106,28128.07977,1,101,1,1,0.27,1,1,0,0,0,1,51,1,3,3,NA
+68064,7,2,2,80,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,17057.278872,18910.504828,2,98,2,2,0.82,1,1,0,0,1,2,80,1,3,2,NA
+68065,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114993.808573,116714.079488,1,98,7,3,0.9,4,1,0,0,0,2,20,1,4,5,NA
+68066,7,2,2,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,9943.806181,2,100,14,14,5,2,2,0,0,2,2,63,1,5,1,4
+68067,7,2,2,2,NA,5,6,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8818.200077,9596.189182,2,102,9,9,2.68,4,4,1,1,0,2,38,2,5,1,2
+68068,7,2,2,79,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,74947.363106,78666.944453,2,91,15,15,5,2,2,0,0,2,2,79,1,5,1,5
+68069,7,2,2,66,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,3,5,NA,2,2,2,2,2,2,NA,NA,NA,NA,10136.963678,11753.317783,2,94,2,2,0.41,2,2,0,1,1,2,66,2,3,5,NA
+68070,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19692.655418,21458.476044,2,99,13,13,NA,3,3,0,0,1,1,80,1,2,2,NA
+68071,7,1,1,27,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,11977.649578,0,2,92,15,10,5,3,1,0,0,0,1,29,1,5,5,NA
+68072,7,2,1,14,NA,3,3,1,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,75412.415858,75196.316989,2,98,15,15,5,4,4,0,2,0,2,46,1,4,1,NA
+68073,7,2,1,58,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,26124.541799,26375.922323,1,94,4,4,1.34,4,1,0,0,0,1,58,1,4,6,NA
+68074,7,2,1,1,16,5,7,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8361.302835,9219.703624,1,101,13,13,NA,3,3,1,0,0,2,19,1,2,NA,NA
+68075,7,2,1,59,NA,5,6,2,NA,NA,1,1,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15693.68983,16353.841376,1,94,7,7,1.79,4,4,0,1,0,1,59,2,4,1,4
+68076,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,101896.080785,107317.764998,3,91,6,6,2.3,1,1,0,0,0,1,30,1,4,3,NA
+68077,7,2,2,72,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,54256.870337,56112.448006,2,91,12,12,NA,2,2,0,0,2,1,76,1,5,1,2
+68078,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,2,99,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,13392.164122,13834.479479,3,90,15,15,5,3,3,0,0,0,1,46,2,3,1,3
+68079,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,37307.740846,37344.375392,1,91,5,5,1.36,2,2,0,1,0,2,49,1,5,3,NA
+68080,7,2,2,39,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,19741.154437,19920.161476,1,100,5,5,0.74,6,6,0,3,0,1,40,2,3,1,4
+68081,7,2,2,1,21,4,4,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,7573.246603,2,100,8,8,2.33,4,4,1,0,0,2,50,1,4,3,NA
+68082,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22570.662508,23423.888442,1,95,12,12,NA,5,5,1,1,0,2,46,1,4,1,4
+68083,7,2,1,10,NA,2,2,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12577.115885,12649.318947,2,96,7,7,1.57,4,4,0,2,0,1,40,2,2,1,5
+68084,7,2,1,20,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,1,1,0.14,2,1,0,0,0,1,20,1,4,5,NA
+68085,7,2,2,16,NA,1,1,2,16,194,NA,NA,2,2,4,9,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,18368.872199,19023.186366,2,94,4,4,0.63,6,6,1,2,0,2,36,2,3,1,1
+68086,7,2,2,27,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,1,2,2,2,2,2,2,2,1,2,2,2,50915.06085,50693.303376,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+68087,7,2,1,12,NA,4,4,2,12,154,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13742.402649,13769.572504,1,96,15,15,5,2,2,0,1,0,2,39,1,4,5,NA
+68088,7,2,2,10,NA,5,7,1,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5139.061504,5511.809249,2,103,15,15,5,3,3,0,1,0,2,37,2,5,1,5
+68089,7,2,1,46,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18335.522037,18907.54446,1,96,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+68090,7,2,1,13,NA,3,3,1,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19381.771783,19434.749274,1,102,4,4,0.97,3,3,0,1,0,2,19,1,2,NA,NA
+68091,7,2,2,74,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,2,2,2,NA,17057.278872,19050.04708,2,98,13,13,NA,1,1,0,0,1,2,74,1,1,2,NA
+68092,7,2,2,11,NA,5,7,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6137.256046,6434.751859,1,103,15,15,3.7,5,5,0,2,1,1,55,1,5,1,5
+68093,7,2,1,47,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18186.25816,18751.952628,2,101,9,9,3.74,2,2,0,0,0,2,40,2,4,1,2
+68094,7,2,1,3,NA,2,2,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14716.463544,15182.304505,2,96,1,1,0.06,5,5,2,1,0,1,27,2,3,1,4
+68095,7,2,2,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,35126.205635,35295.519265,1,92,4,4,0.5,6,6,0,3,0,2,41,1,4,1,NA
+68096,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,28280.669788,29879.976389,1,99,77,77,NA,2,2,0,0,2,2,80,1,4,1,4
+68097,7,2,2,8,NA,4,4,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9399.281543,9696.12347,2,96,3,3,0.54,4,4,2,1,0,2,25,1,4,2,NA
+68098,7,2,2,9,NA,3,3,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12892.545573,15136.637829,1,99,6,6,1.12,4,4,0,2,0,1,39,1,3,1,3
+68099,7,2,2,35,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,1,1,2,2,2,2,2,2,2,1,2,2,2,34898.504426,33956.869463,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+68100,7,2,2,65,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,1,2,1,1,2,2,1,2,1,NA,11313.630983,11818.772505,1,93,2,2,0.54,2,2,0,0,2,1,76,2,4,1,1
+68101,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,11740.600601,12693.223305,3,91,4,4,1.16,2,2,0,0,2,1,80,1,5,1,5
+68102,7,2,1,75,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,1,2,2,NA,12962.876803,16930.790311,2,90,3,3,0.46,5,5,0,2,2,1,75,2,1,1,2
+68103,7,2,2,0,3,4,4,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4099.350341,4514.494508,2,99,6,6,1.39,4,4,1,0,1,2,63,1,3,3,NA
+68104,7,2,1,18,NA,5,7,1,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14831.338089,14976.576871,1,98,3,3,0.43,4,4,0,1,0,2,39,1,2,5,NA
+68105,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16675.763807,16960.86402,2,95,12,12,NA,3,3,0,0,2,1,65,1,4,1,4
+68106,7,2,2,72,NA,3,3,1,NA,NA,2,NA,2,1,9,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,69886.968852,72277.093789,1,102,7,7,2.86,2,2,0,0,2,1,73,1,5,1,3
+68107,7,2,2,8,NA,3,3,1,8,105,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,64166.795496,75335.746424,1,101,5,5,0.89,5,5,1,2,0,1,31,1,2,1,1
+68108,7,2,1,2,NA,4,4,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6314.243514,6704.025386,2,97,5,5,0.76,5,5,1,1,0,2,47,1,4,5,NA
+68109,7,2,1,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18790.641284,20754.743742,2,100,8,8,2.7,3,3,1,0,0,2,41,1,4,1,3
+68110,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,10,10,4.49,2,2,0,0,2,1,60,1,5,1,4
+68111,7,2,2,12,NA,1,1,1,12,150,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17490.464019,17826.708822,1,102,15,15,4.47,4,4,0,2,0,2,30,1,4,1,4
+68112,7,2,1,52,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17950.706927,18011.264999,2,94,15,15,4.44,5,5,0,1,1,2,74,1,5,2,NA
+68113,7,2,2,0,6,1,1,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7565.515117,7406.345541,1,100,1,1,0.09,4,4,2,0,0,2,28,2,2,1,2
+68114,7,2,2,16,NA,3,3,2,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,71303.309206,77744.474592,2,94,15,15,5,3,3,0,1,1,1,63,1,5,1,3
+68115,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,44066.377955,48262.000685,2,97,5,5,2.11,1,1,0,0,1,2,80,1,4,2,NA
+68116,7,2,1,8,NA,1,1,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14042.313177,2,98,3,3,0.54,3,3,0,2,0,2,35,1,3,5,NA
+68117,7,2,1,28,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,23022.732862,27069.827485,2,102,14,14,3.25,5,5,1,1,0,2,32,1,4,1,3
+68118,7,2,2,18,NA,4,4,2,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,10154.02528,10568.655787,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+68119,7,2,1,30,NA,4,4,1,NA,NA,2,NA,2,2,3,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,30195.362375,34424.306144,2,102,8,8,4.59,1,1,0,0,0,1,30,2,4,5,NA
+68120,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,26388.213487,26374.704746,2,96,6,3,1.01,2,1,0,0,0,1,25,NA,NA,6,NA
+68121,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,62513.129282,66168.769092,2,95,15,15,5,2,2,0,0,2,1,70,1,5,1,5
+68122,7,2,1,70,NA,3,3,2,NA,NA,1,9,1,1,NA,NA,4,1,NA,1,1,2,1,2,2,NA,NA,NA,NA,68074.313029,72055.159478,1,101,9,9,4.13,2,2,0,0,2,1,70,1,4,1,3
+68123,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,1,2,1,1,2,1,2,2,NA,15437.181938,16772.913227,2,98,3,3,0.97,1,1,0,0,1,1,80,1,1,5,NA
+68124,7,2,1,22,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,14385.653726,15564.966804,2,101,14,6,2.3,2,1,0,0,0,1,22,2,4,5,NA
+68125,7,2,1,15,NA,4,4,2,15,190,NA,NA,2,1,2,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13969.457688,14694.403205,1,90,14,14,3.25,4,4,0,2,0,2,33,2,3,1,3
+68126,7,2,1,6,NA,3,3,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22394.780012,23678.914206,1,91,4,4,0.81,4,4,1,1,0,1,32,1,4,6,NA
+68127,7,2,2,50,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,11446.604914,11862.967437,2,92,8,8,2.01,4,4,0,0,0,1,53,2,3,1,3
+68128,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25786.235831,27127.570278,1,93,3,3,0.75,2,2,0,0,1,2,80,1,1,2,NA
+68129,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,16494.288293,17728.004854,2,97,2,2,0.84,1,1,0,0,1,2,78,1,2,2,NA
+68130,7,2,1,7,NA,3,3,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57057.523607,61384.115788,1,98,9,9,2.15,5,5,0,3,0,2,32,1,3,1,4
+68131,7,2,2,39,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,34898.504426,34194.957212,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+68132,7,2,1,5,NA,1,1,2,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14505.510202,14964.673559,2,94,4,4,0.63,6,6,1,2,0,2,36,2,3,1,1
+68133,7,2,1,44,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,33029.272844,33302.556931,2,93,7,7,1.52,4,4,1,1,0,1,44,2,4,1,NA
+68134,7,2,1,32,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,4,6,NA,2,2,2,2,2,2,1,2,2,2,41155.167164,40844.556107,1,102,13,13,NA,6,6,1,2,0,2,36,2,4,6,NA
+68135,7,2,1,50,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16590.074977,17115.36835,1,92,15,15,5,3,3,1,0,0,1,50,1,4,1,4
+68136,7,2,1,15,NA,2,2,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19570.996814,20425.923806,2,100,4,4,0.81,4,4,0,2,0,2,37,1,2,1,2
+68137,7,2,2,68,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,2,4,NA,1,2,1,1,2,1,1,2,1,NA,9991.888445,10532.363744,3,90,8,4,1.72,3,1,0,0,1,2,68,2,2,4,NA
+68138,7,2,2,5,NA,3,3,2,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78165.891242,86270.974005,1,101,14,14,4.21,4,4,1,1,0,2,37,1,5,1,5
+68139,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19210.136544,19335.440888,1,96,15,15,5,2,2,0,0,0,1,48,1,2,1,3
+68140,7,2,1,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19008.083201,18737.138245,2,97,1,1,0,2,2,0,0,1,2,63,1,4,5,NA
+68141,7,2,2,4,NA,4,4,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10544.002566,11345.464378,1,91,6,6,0.99,5,5,3,0,0,2,33,2,3,1,4
+68142,7,2,1,36,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15732.465299,16321.860662,2,92,14,6,2.75,2,1,0,0,0,1,48,NA,NA,5,NA
+68143,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,4,NA,2,2,2,1,2,2,2,2,1,NA,16623.349489,17874.484754,2,93,6,6,1.41,3,3,0,1,1,2,80,2,4,4,NA
+68144,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,15083.375446,14341.447668,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+68145,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,9221.19173,9581.850682,2,95,6,6,1.65,2,2,0,0,2,1,62,1,1,1,3
+68146,7,2,2,6,NA,5,7,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22371.648216,22397.198208,1,92,3,3,0.46,5,5,2,1,0,1,30,1,3,1,2
+68147,7,2,1,75,NA,4,4,1,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,9662.124837,9885.036833,2,92,3,3,1.1,1,1,0,0,1,1,75,2,4,3,NA
+68148,7,2,1,9,NA,1,1,1,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14258.502552,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+68149,7,2,1,8,NA,1,1,1,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11399.23838,11468.323492,2,103,77,77,NA,5,5,1,2,0,2,30,1,2,1,2
+68150,7,2,1,13,NA,2,2,1,13,167,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,19820.949231,20163.121943,2,91,8,8,1.85,5,5,0,2,1,1,39,2,3,1,4
+68151,7,2,1,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16088.355002,15889.986896,2,100,3,3,0.92,1,1,0,0,0,1,29,1,2,5,NA
+68152,7,2,1,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16737.888813,2,100,14,14,4.86,3,3,0,0,0,2,52,1,5,1,3
+68153,7,2,1,14,NA,5,6,1,14,170,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6015.001712,6229.601178,1,102,5,5,0.92,5,5,1,2,0,2,44,2,1,1,2
+68154,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15599.953109,15843.647059,1,99,15,15,5,2,2,0,0,0,1,56,1,4,1,4
+68155,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,25189.042335,24499.678113,1,100,10,10,2.59,5,5,0,1,0,2,40,1,5,1,NA
+68156,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,13934.943848,14557.124186,2,96,12,10,5,2,1,0,0,1,1,53,1,4,3,NA
+68157,7,2,2,24,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,14756.436992,15386.562828,2,95,14,8,4.59,2,1,0,0,0,2,24,1,4,6,NA
+68158,7,2,1,7,NA,1,1,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8828.580268,9491.612368,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+68159,7,2,1,66,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12579.986433,13271.133625,1,92,6,6,2.15,2,2,0,0,2,2,61,2,4,1,5
+68160,7,2,1,11,NA,3,3,2,11,143,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24713.905595,26080.214484,1,98,6,6,0.97,7,7,1,2,0,1,49,1,2,1,2
+68161,7,2,1,10,NA,4,4,1,10,131,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8894.789377,9317.745565,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+68162,7,2,1,0,9,3,3,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17196.879565,17846.963436,2,94,99,99,NA,6,6,2,0,0,2,26,1,4,1,NA
+68163,7,2,2,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20729.303307,20166.249394,1,90,14,14,4.98,3,3,1,0,0,2,33,2,5,1,5
+68164,7,2,2,14,NA,1,1,1,14,169,NA,NA,2,2,3,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,26325.414456,26852.811114,3,92,4,4,0.67,4,4,0,3,0,2,36,2,1,5,NA
+68165,7,2,2,0,5,2,2,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6850.346072,7305.598313,1,90,3,3,0.43,4,4,2,0,0,1,31,1,3,6,NA
+68166,7,2,1,6,NA,5,6,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6631.058951,7488.793181,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+68167,7,1,1,5,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27873.065855,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+68168,7,2,2,2,NA,5,7,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6247.52442,6810.692829,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+68169,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,55695.737629,59946.103917,1,92,5,5,1.15,3,3,1,0,0,1,23,1,4,1,4
+68170,7,2,1,37,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22856.432972,22931.992355,2,98,14,14,3.36,4,4,0,2,0,1,37,1,4,1,4
+68171,7,2,2,58,NA,1,1,1,NA,NA,2,NA,2,2,8,NA,1,4,NA,2,2,2,2,2,2,NA,NA,NA,NA,28349.668436,29490.478086,1,102,1,1,0.33,2,2,0,0,0,1,37,1,2,4,NA
+68172,7,2,2,9,NA,3,3,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,50928.148447,51656.230004,3,91,14,14,3.4,4,4,0,2,0,1,40,1,4,1,4
+68173,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,22824.336433,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+68174,7,2,1,5,NA,3,3,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30883.231636,34843.624635,1,95,6,3,0.45,6,4,1,2,0,1,28,1,2,1,2
+68175,7,2,1,4,NA,2,2,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16169.123686,17324.04909,1,100,10,10,2.91,4,4,1,1,0,1,32,1,5,1,5
+68176,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,17164.211773,17267.434455,2,99,6,6,2.24,1,1,0,0,0,2,58,1,2,5,NA
+68177,7,2,1,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,32476.100686,32780.682518,1,100,4,4,1.19,2,2,0,0,1,1,62,1,5,1,5
+68178,7,2,1,18,NA,5,6,2,18,223,2,NA,2,1,3,15,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,9923.450213,10376.279545,2,100,5,5,0.89,4,4,0,1,0,2,40,2,3,1,3
+68179,7,2,1,17,NA,4,4,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,NA,9178.515376,10829.980579,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+68180,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19799.565045,19517.338151,1,90,14,14,2.96,5,5,1,2,0,1,31,1,5,1,4
+68181,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,15498.463997,16338.715638,1,98,5,5,1.39,2,2,0,0,2,2,71,1,3,1,3
+68182,7,2,1,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,138834.18124,153441.395439,1,100,15,15,4.56,4,4,0,2,0,2,42,1,4,1,3
+68183,7,2,2,28,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,23293.719218,24697.897932,1,92,7,7,1.83,3,3,1,1,0,2,28,1,3,5,NA
+68184,7,2,1,7,NA,4,4,1,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12267.215138,12414.279886,2,102,5,5,0.76,5,5,1,3,0,2,30,1,4,4,NA
+68185,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26847.643051,27369.434392,1,98,4,4,0.67,5,5,1,2,0,1,29,1,4,1,3
+68186,7,2,2,17,NA,1,1,1,17,206,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20370.629189,20955.218165,1,95,15,15,5,3,3,0,1,0,1,50,1,3,1,4
+68187,7,2,1,3,NA,4,4,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7431.820906,7890.591472,1,99,10,10,2.71,5,5,1,1,2,1,75,1,1,1,3
+68188,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,64463.340883,66173.435468,1,91,14,14,5,2,2,0,0,2,2,70,1,2,1,NA
+68189,7,2,2,10,NA,4,4,2,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9326.540969,10100.402919,1,91,8,8,1.76,5,5,0,3,0,2,42,1,3,6,NA
+68190,7,2,2,1,12,1,1,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11438.839305,12628.78556,1,102,14,14,4.32,3,3,1,0,0,1,25,1,4,1,4
+68191,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,29167.119125,34820.124106,1,98,3,3,0.5,5,5,0,3,0,2,56,1,3,3,NA
+68192,7,2,2,5,NA,1,1,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14852.990935,14903.708855,2,94,6,6,0.8,7,7,1,3,0,2,36,2,3,1,1
+68193,7,2,1,17,NA,3,3,2,17,208,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,71458.892941,70519.759062,2,94,10,10,3.51,3,3,0,2,0,2,39,2,4,3,NA
+68194,7,2,1,15,NA,4,4,2,15,180,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10745.098568,10766.342508,1,96,12,12,NA,5,5,1,2,0,2,35,1,5,1,4
+68195,7,2,1,74,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,17306.956173,18319.031536,1,100,4,4,1.16,2,2,0,0,2,1,74,1,3,1,5
+68196,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,125040.051934,125530.45672,1,97,15,15,5,4,4,0,0,1,1,67,NA,NA,2,NA
+68197,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,196252.38045,199712.076327,1,98,14,14,5,2,2,0,0,0,1,59,1,3,1,4
+68198,7,2,1,32,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,17371.064048,17243.514155,1,96,12,12,NA,5,5,2,0,1,2,63,2,5,3,NA
+68199,7,2,2,30,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,29148.354549,29365.982413,2,92,14,14,4.03,4,4,1,1,1,2,30,1,5,4,NA
+68200,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,31155.769617,31636.819209,1,92,14,9,3.97,3,2,0,0,2,1,51,1,4,5,NA
+68201,7,2,2,12,NA,1,1,1,12,153,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,19719.98657,20781.904006,2,102,6,6,1.03,5,5,1,1,0,1,37,1,2,1,2
+68202,7,2,1,9,NA,3,3,2,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,75923.373594,80651.425295,1,94,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+68203,7,2,2,78,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,72551.269339,73326.076054,1,95,4,4,1.12,2,2,0,0,2,2,78,1,4,1,2
+68204,7,2,2,18,NA,3,3,2,18,226,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24820.424867,25966.716212,1,91,3,3,0.62,3,3,0,1,0,2,55,1,4,4,NA
+68205,7,2,1,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15601.50288,15850.523572,2,99,2,2,0.2,7,7,1,2,1,1,63,1,1,2,NA
+68206,7,2,2,35,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,17978.142628,18308.053591,1,91,10,10,3.22,4,4,1,1,0,1,38,2,5,1,5
+68207,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,22013.270774,22643.742168,1,101,3,3,0.66,2,2,0,0,1,2,65,1,2,3,NA
+68208,7,2,1,16,NA,5,7,2,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,5388.361335,5758.757236,3,91,15,15,4.47,4,4,0,3,0,2,44,2,5,1,NA
+68209,7,2,1,15,NA,2,2,1,15,189,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20798.348063,20598.526957,2,93,12,12,NA,3,1,1,1,0,2,43,1,5,3,NA
+68210,7,2,1,27,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,9177.295801,9548.31812,2,92,15,8,4.59,3,1,0,0,0,2,25,1,5,5,NA
+68211,7,2,1,2,NA,3,3,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37959.146468,40828.920669,1,91,6,6,1.62,3,3,1,0,0,1,30,1,4,1,4
+68212,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,1,1,2,NA,16321.652472,17542.456462,2,97,4,4,1.02,2,2,0,0,2,2,80,1,1,2,NA
+68213,7,2,2,41,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,4,2,2,2,2,1,2,2,NA,NA,NA,NA,40880.818805,41857.641766,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+68214,7,2,2,3,NA,5,6,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6858.963321,7464.098007,3,91,15,15,5,3,3,1,0,0,1,40,2,5,1,5
+68215,7,2,2,14,NA,4,4,1,14,178,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13895.342981,13964.270792,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+68216,7,1,1,60,NA,5,6,NA,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11992.891463,0,1,100,15,15,5,2,2,0,0,1,1,60,2,5,1,NA
+68217,7,2,2,19,NA,4,4,2,19,234,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13841.239638,13875.328502,1,96,15,15,4.9,4,4,0,1,0,1,47,1,3,1,5
+68218,7,2,1,1,14,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13968.423539,13738.28453,2,102,6,6,1.62,3,3,1,0,0,1,20,2,4,1,4
+68219,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,25270.027986,25977.972711,1,100,9,6,2.24,3,1,0,0,0,1,25,NA,NA,5,NA
+68220,7,2,1,14,NA,4,4,2,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11834.781205,13035.394237,2,90,2,2,0.31,5,5,0,2,1,2,71,1,2,2,NA
+68221,7,2,1,3,NA,4,4,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8385.172131,8641.288503,2,93,6,2,0.46,3,2,1,1,0,2,31,2,3,3,NA
+68222,7,2,1,36,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,38746.026117,2,98,14,14,2.87,5,5,0,3,0,2,34,1,2,1,2
+68223,7,2,2,9,NA,3,3,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25527.806244,26565.240294,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+68224,7,2,2,11,NA,2,2,2,11,134,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15166.167659,15710.813593,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+68225,7,2,1,2,NA,5,6,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6389.003009,6946.807658,3,91,6,6,1.15,5,5,1,0,0,1,55,2,5,1,5
+68226,7,2,2,38,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,20039.469886,21581.359058,1,97,15,15,5,4,4,1,1,0,1,44,2,5,1,5
+68227,7,2,2,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,25638.18991,26248.270338,2,101,2,2,0.38,3,3,0,2,0,2,56,1,3,2,NA
+68228,7,2,1,11,NA,4,4,2,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6377.235034,7094.374704,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+68229,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,97803.500399,102601.600974,1,101,14,14,5,3,3,0,1,0,2,36,1,5,1,5
+68230,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,59001.303336,68847.35366,2,101,2,2,0.46,1,1,0,0,0,2,22,1,4,5,NA
+68231,7,2,1,13,NA,5,6,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10592.643259,11320.781443,2,91,77,77,NA,3,3,0,1,0,2,43,2,5,1,5
+68232,7,2,2,9,NA,1,1,1,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13064.573334,13403.6626,2,103,2,2,0.22,7,7,0,3,0,2,39,2,1,5,NA
+68233,7,2,2,5,NA,3,3,2,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51483.624552,53105.566664,1,91,15,15,5,4,4,1,1,0,1,38,1,5,1,5
+68234,7,2,1,68,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,4,5,NA,1,2,2,1,2,2,2,2,2,2,12845.115724,13050.878075,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+68235,7,2,1,79,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19473.412374,20529.16646,1,95,4,4,1.22,2,2,0,0,1,1,79,1,1,1,3
+68236,7,2,2,41,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,26595.398371,26621.513872,1,94,4,4,1.26,2,2,0,0,1,2,41,1,4,5,NA
+68237,7,2,1,63,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,120735.071461,122283.708051,1,94,8,8,2.41,3,3,0,0,3,1,63,1,4,1,5
+68238,7,2,2,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10771.85499,11250.180007,2,97,5,5,1.08,3,3,1,1,0,2,27,1,3,5,NA
+68239,7,2,2,7,NA,1,1,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20753.369981,21285.255435,1,97,10,10,2.32,6,6,0,4,0,1,42,1,4,1,4
+68240,7,2,1,19,NA,1,1,2,19,239,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,25099.482648,25097.275151,1,97,4,4,0.65,4,4,0,1,0,2,45,2,2,3,NA
+68241,7,2,1,9,NA,1,1,1,9,114,NA,NA,2,2,3,3,NA,NA,NA,2,1,1,1,2,2,1,2,2,1,19774.151841,21259.203461,3,92,7,7,1.41,5,5,1,2,0,1,20,2,1,1,1
+68242,7,2,1,7,NA,1,1,2,7,85,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9390.522479,9862.720437,2,90,3,3,0.58,4,4,0,2,0,2,36,2,3,1,3
+68243,7,2,1,13,NA,1,1,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22621.505951,23112.921348,1,92,14,14,5,2,2,0,1,0,2,41,1,5,3,NA
+68244,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,29108.403608,1,94,2,2,0.42,3,3,0,0,0,2,52,1,4,1,1
+68245,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,18246.235208,18400.236064,2,99,1,1,0.07,4,4,1,1,0,2,24,1,2,5,NA
+68246,7,2,1,9,NA,5,6,2,9,116,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5377.477719,5731.340117,2,100,4,4,0.5,6,6,2,1,0,1,30,2,4,1,3
+68247,7,2,2,80,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,12833.793728,13278.897744,2,92,77,77,NA,2,2,0,0,2,2,80,1,3,1,4
+68248,7,2,1,15,NA,4,4,1,15,190,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12147.046136,12703.852077,2,100,8,8,1.8,5,5,0,3,0,2,43,1,3,1,3
+68249,7,2,1,60,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,117075.881463,118577.582598,1,94,9,9,3.97,2,2,0,0,1,1,60,1,4,1,4
+68250,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,207644.101324,214736.820497,1,97,15,15,5,2,2,0,0,0,1,50,1,3,6,NA
+68251,7,2,2,34,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,39561.667842,39233.767064,2,98,14,14,2.87,5,5,0,3,0,2,34,1,2,1,2
+68252,7,2,2,45,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,15206.604563,15895.992431,2,90,14,14,4.25,4,4,0,2,1,2,45,2,5,5,NA
+68253,7,2,2,8,NA,3,3,2,8,102,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,63165.080986,62975.31549,1,98,15,15,5,3,3,0,1,0,2,43,1,5,1,5
+68254,7,2,2,55,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15499.383981,15426.291906,2,99,5,5,1.26,3,3,1,0,0,2,50,2,3,5,NA
+68255,7,2,1,60,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,6800.602543,7011.068263,1,99,6,6,1.62,3,3,0,0,1,1,60,2,5,1,3
+68256,7,2,2,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22790.461787,22849.332243,2,98,10,10,3.78,3,3,0,0,0,2,46,1,4,1,4
+68257,7,2,1,12,NA,5,6,1,12,155,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10346.302718,11892.421636,2,91,6,6,1.26,5,5,0,2,0,2,47,2,1,1,1
+68258,7,2,1,3,NA,2,2,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12403.412256,13289.361067,2,90,10,10,3.13,4,4,1,2,0,2,39,1,5,4,NA
+68259,7,2,2,4,NA,5,7,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,95,10,6,1.34,5,4,1,2,0,1,32,1,3,6,NA
+68260,7,2,1,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11218.730451,2,95,3,3,1.29,1,1,0,0,1,1,61,1,2,3,NA
+68261,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,14971.827573,15192.169136,2,97,15,15,5,3,3,0,0,3,2,80,1,3,2,NA
+68262,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,10576.529742,11391.789088,2,99,2,2,0.72,1,1,0,0,1,2,64,1,3,5,NA
+68263,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,10,10,3.78,3,3,0,0,2,1,62,1,5,1,5
+68264,7,2,1,9,NA,1,1,2,9,111,NA,NA,2,2,3,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11917.887108,12700.965428,2,94,7,7,1.34,5,5,2,1,0,1,32,2,1,1,NA
+68265,7,2,1,11,NA,1,1,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11881.117946,11953.12349,1,102,6,6,1.18,5,5,0,2,1,2,42,2,2,2,NA
+68266,7,2,2,11,NA,4,4,2,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8757.841043,9104.895674,2,97,7,7,2.16,3,3,0,1,0,2,31,1,3,6,NA
+68267,7,2,1,3,NA,5,6,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6389.003009,6899.95174,3,91,6,6,1.22,5,5,1,2,0,2,37,1,4,1,2
+68268,7,1,2,6,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10332.067017,0,1,100,3,3,0.73,3,3,1,1,0,2,32,1,3,5,NA
+68269,7,2,2,2,NA,1,1,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13065.99844,14425.21291,1,95,8,8,2.24,4,4,2,0,0,2,29,1,3,1,4
+68270,7,2,2,48,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,6,NA,2,2,2,2,2,2,2,2,2,2,31235.666551,31802.121006,2,94,9,9,4.21,3,2,0,0,0,2,48,2,2,6,NA
+68271,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,127198.447143,126871.700524,1,101,8,8,4.25,1,1,0,0,0,1,43,1,4,5,NA
+68272,7,2,1,1,18,5,7,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26337.322319,30860.353051,1,94,6,6,1.33,4,4,2,0,0,2,29,1,2,1,4
+68273,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,59510.728426,64021.429591,1,99,5,5,0.89,4,4,2,0,0,2,31,1,4,1,5
+68274,7,2,1,12,NA,5,6,1,12,147,NA,NA,2,2,3,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8530.740143,8910.137481,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+68275,7,2,1,71,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,7608.031426,7606.53553,1,99,14,14,5,2,2,0,0,2,1,71,1,4,1,3
+68276,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,31909.283101,36294.223393,2,91,6,6,1.26,5,5,0,1,2,2,80,1,4,2,NA
+68277,7,2,1,61,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,4,1,NA,2,2,2,1,2,2,1,2,2,2,11568.876339,11794.347884,1,102,6,6,1.48,3,3,0,0,1,2,57,2,1,1,4
+68278,7,2,2,0,0,1,1,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7896.364456,7653.697165,2,102,15,15,2.43,7,7,3,2,0,1,28,2,5,1,4
+68279,7,2,1,20,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14424.961621,15273.975784,2,102,8,8,2.01,4,4,0,0,0,1,59,2,4,1,4
+68280,7,2,2,15,NA,3,3,2,15,184,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,91539.042546,96988.607103,1,101,9,9,2.6,4,4,0,2,0,2,38,1,4,1,4
+68281,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17115.540769,2,97,12,6,2.75,3,1,0,0,0,1,21,NA,NA,77,NA
+68282,7,2,2,54,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,13728.308948,13865.439464,2,90,6,6,1.12,4,4,0,1,1,1,63,2,1,1,1
+68283,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,2,1,2,2,1,2,2,3,13155.047649,13224.610785,3,90,15,15,3.7,5,5,0,0,0,1,56,2,3,1,3
+68284,7,2,1,8,NA,1,1,1,8,106,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14007.413517,2,98,15,15,4.97,5,5,0,3,0,1,39,1,5,1,5
+68285,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,110369.721342,114327.60352,1,94,9,9,3.97,2,2,0,0,0,1,49,1,3,1,3
+68286,7,2,2,16,NA,3,3,2,17,205,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,111142.989658,114400.666347,1,95,NA,NA,NA,5,5,0,2,0,2,37,1,3,1,NA
+68287,7,2,1,12,NA,1,1,1,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22768.423624,22944.003607,1,92,5,5,1.24,3,3,0,1,0,2,29,2,3,6,NA
+68288,7,2,1,28,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,34708.958385,37032.750996,2,97,13,13,NA,3,3,0,1,0,1,28,2,2,1,1
+68289,7,2,1,9,NA,4,4,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10199.928366,10774.065998,1,100,5,5,0.85,5,5,0,2,0,2,54,1,2,2,NA
+68290,7,2,2,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,81416.374938,89993.518978,1,97,9,9,3.97,2,2,0,0,2,1,79,1,3,1,3
+68291,7,2,1,69,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,2,2,2,2,2,2,2,2,1,2,6687.985443,7006.085081,2,93,4,4,0.99,2,2,0,0,2,1,69,2,3,1,1
+68292,7,2,1,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12005.116852,11690.420322,3,92,14,14,2.29,7,7,2,0,0,2,50,2,1,1,9
+68293,7,2,1,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,191792.099076,199776.618579,1,98,6,6,1.98,2,2,0,0,0,1,54,1,4,1,3
+68294,7,2,2,11,NA,3,3,2,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55469.656717,57246.428971,1,101,14,14,3.3,4,4,0,2,0,2,42,1,4,1,3
+68295,7,1,2,20,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,6,3,1,2,2,1,2,2,NA,NA,NA,NA,60324.348827,0,1,101,13,13,NA,3,3,1,0,0,2,20,1,2,6,NA
+68296,7,2,2,69,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,46357.185832,48577.343045,2,98,3,3,0.68,2,2,0,0,2,1,80,1,1,1,3
+68297,7,2,1,5,NA,5,6,1,5,63,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10273.602479,11522.969217,1,92,14,14,3.3,4,4,2,0,0,1,28,1,4,1,4
+68298,7,2,1,1,23,2,2,2,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12567.081957,12360.030976,1,97,15,15,5,4,4,1,1,0,1,42,1,5,1,5
+68299,7,2,2,12,NA,4,4,2,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19113.842115,19208.656277,1,97,1,1,0.09,4,4,0,1,0,2,44,2,2,1,3
+68300,7,2,1,16,NA,4,4,2,16,193,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11023.237662,11433.168046,1,99,14,14,4.05,3,3,0,1,0,2,52,1,4,4,NA
+68301,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,169896.236244,2,91,15,2,0.63,7,1,0,0,1,1,49,NA,NA,5,NA
+68302,7,2,1,17,NA,4,4,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11023.237662,11433.168046,1,99,15,15,5,4,4,0,2,0,2,46,1,5,1,5
+68303,7,2,2,16,NA,1,1,2,16,198,NA,NA,2,2,1,10,NA,NA,NA,1,2,2,1,2,2,2,2,2,2,16896.101801,17220.920308,1,93,15,1,0,3,1,0,1,0,2,46,2,5,5,NA
+68304,7,2,1,19,NA,1,1,1,19,232,2,NA,2,2,3,11,NA,NA,NA,2,2,2,2,2,2,1,2,2,2,25268.119938,26371.916437,1,100,99,99,NA,6,6,0,1,0,2,22,2,3,1,3
+68305,7,2,2,17,NA,5,6,1,17,205,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,10081.858636,10347.605805,2,102,15,15,3.82,5,5,0,1,2,1,60,2,2,1,1
+68306,7,2,1,17,NA,3,3,2,17,212,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,88448.252445,87285.839384,1,95,8,1,0.09,4,1,0,1,0,2,57,1,5,5,NA
+68307,7,2,1,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6347.215153,6424.634366,2,95,7,7,1.83,3,3,1,0,0,1,33,1,3,6,NA
+68308,7,2,1,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8361.170561,8618.715512,1,94,4,4,0.56,5,5,1,2,0,1,34,1,2,3,NA
+68309,7,2,1,57,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16499.662173,16747.308945,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+68310,7,2,2,47,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20303.639991,21936.687597,1,97,10,10,3.67,3,3,0,1,0,1,47,1,5,1,5
+68311,7,2,2,33,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,3,1,1,1,2,2,1,2,2,1,2,2,1,18018.210636,18055.00232,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+68312,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,62471.259637,62663.338056,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+68313,7,2,1,5,NA,3,3,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,67064.292398,74209.90502,2,91,15,15,5,5,5,2,1,0,2,40,1,5,1,5
+68314,7,2,1,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16995.30979,18681.886374,2,103,6,6,1.3,4,4,1,1,0,2,26,1,4,1,3
+68315,7,2,2,10,NA,1,1,1,10,121,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15510.382876,18634.445505,1,100,6,6,1.11,5,5,0,2,1,1,38,2,2,1,1
+68316,7,2,2,70,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,13204.205822,14198.003586,1,98,9,9,2.49,4,4,0,1,2,2,70,1,4,2,NA
+68317,7,2,2,19,NA,3,3,1,19,237,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,36241.268921,38398.808798,2,101,2,1,0.28,2,1,0,0,0,2,21,1,4,5,NA
+68318,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,18693.365067,19341.691824,1,92,12,12,NA,7,7,1,2,1,2,45,2,3,1,3
+68319,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,90708.718111,91145.947869,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+68320,7,2,1,0,1,5,7,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6420.539566,6377.399312,2,99,15,15,5,3,3,1,0,0,1,35,2,5,1,5
+68321,7,2,1,80,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,28658.58153,30983.915333,2,94,8,8,3.4,2,2,0,0,2,1,80,1,3,1,5
+68322,7,2,1,32,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,30626.581617,32055.135325,2,90,6,6,1.62,3,3,1,0,0,2,28,1,5,1,4
+68323,7,2,2,16,NA,5,7,1,16,202,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,23414.779924,23738.339087,1,102,5,5,1.27,3,3,0,2,0,2,38,1,2,3,NA
+68324,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,90179.087212,91826.282843,2,95,14,14,5,2,2,0,0,0,1,39,1,4,1,5
+68325,7,2,1,2,NA,4,4,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5662.231921,6243.536586,1,99,2,2,0.31,4,4,1,0,1,2,67,1,3,3,NA
+68326,7,2,1,12,NA,4,4,2,12,152,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,NA,NA,NA,1,2,2,1,10366.393886,10567.129261,1,90,9,9,1.65,7,7,0,4,0,1,36,1,4,1,4
+68327,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,26019.443397,28034.871168,2,100,6,6,2.01,2,2,0,0,2,1,80,1,5,1,5
+68328,7,2,1,5,NA,3,3,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,56162.95725,63365.162813,2,95,15,15,4.63,5,5,1,2,0,2,36,1,5,1,3
+68329,7,2,2,15,NA,1,1,1,15,188,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18515.058419,19512.090709,2,96,7,7,1.79,4,4,0,2,0,1,43,2,3,1,2
+68330,7,2,2,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,133492.667054,133041.068157,1,95,6,6,1.94,2,2,0,0,2,2,69,1,2,1,4
+68331,7,2,1,66,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14488.953694,14771.336069,3,92,14,14,5,2,2,0,0,2,1,66,1,4,1,4
+68332,7,2,2,17,NA,3,3,2,17,205,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,123622.182994,127245.633335,2,94,7,7,2.72,2,2,0,1,0,2,43,1,3,3,NA
+68333,7,2,1,2,NA,3,3,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,43818.485,49773.383799,2,91,10,10,2.5,5,5,1,0,0,1,57,1,9,1,3
+68334,7,2,2,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,26682.998353,27885.908424,2,99,3,3,0.56,4,4,1,0,0,2,38,1,3,5,NA
+68335,7,1,2,14,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7969.467397,0,2,103,15,15,4.34,4,4,0,2,0,1,48,2,5,1,5
+68336,7,2,2,1,22,1,1,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8832.868731,8863.029978,1,102,6,6,0.8,7,7,3,3,0,2,34,2,3,1,1
+68337,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,4,1,NA,2,2,2,2,2,2,1,2,2,2,41241.224595,42341.927552,2,102,10,10,3.04,4,4,2,0,0,2,31,2,2,1,NA
+68338,7,2,1,51,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,2,2,2,2,2,2,2,2,1,2,25108.558777,27044.812277,2,93,4,4,0.82,4,4,0,0,0,1,51,2,3,1,3
+68339,7,2,1,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,18790.641284,20754.743742,2,100,4,4,0.85,4,4,0,2,0,2,39,1,3,6,NA
+68340,7,2,1,10,NA,3,3,2,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21087.869274,22876.159598,1,101,4,4,0.78,4,4,1,2,0,2,32,1,3,3,NA
+68341,7,2,2,64,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,2,2,2,1,10235.0654,10993.258671,2,93,10,10,3.04,4,4,0,0,2,1,72,2,3,1,2
+68342,7,2,1,59,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,1,6,NA,1,2,1,1,2,1,NA,NA,NA,NA,16499.662173,16440.055989,3,91,6,4,1.38,3,1,0,0,0,1,59,2,1,6,NA
+68343,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,17206.320427,17285.613667,1,96,2,2,0.4,3,3,0,0,0,2,56,1,3,3,NA
+68344,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,152858.509804,152465.847768,1,95,14,7,3.67,2,1,0,0,0,1,47,1,4,3,NA
+68345,7,2,2,18,NA,4,4,1,18,223,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,2,1,0.09,4,1,0,0,0,2,19,1,4,NA,NA
+68346,7,2,1,0,4,4,4,2,NA,4,NA,NA,2,2,99,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6327.979262,6425.104835,1,90,13,13,NA,3,3,2,0,0,2,21,2,4,5,NA
+68347,7,2,2,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20899.681083,21326.972731,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+68348,7,2,1,32,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,51543.062078,54569.929737,3,92,14,14,3.25,4,4,2,0,0,2,33,1,5,1,5
+68349,7,1,2,12,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24869.937631,0,2,93,6,6,1.48,4,4,0,1,0,1,53,2,2,1,3
+68350,7,2,2,12,NA,3,3,1,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,93740.540203,99321.165816,1,100,15,15,4.56,4,4,0,2,0,2,42,1,4,1,3
+68351,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,90303.174138,92885.29608,2,92,15,15,5,4,1,0,0,0,1,27,NA,NA,5,NA
+68352,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,30548.472436,32702.747345,1,95,1,1,0.21,4,4,1,0,1,2,75,1,1,2,NA
+68353,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,94698.084211,100770.654731,1,101,14,14,4.21,4,4,1,1,0,2,37,1,5,1,5
+68354,7,2,1,45,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,1,1,2,2,1,2,1,NA,14879.667962,14825.914121,3,91,4,4,0.69,5,5,0,2,0,1,45,2,4,1,1
+68355,7,2,2,19,NA,4,4,2,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,1,1,0.05,1,1,0,0,0,2,19,1,4,NA,NA
+68356,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,15616.794261,15846.627851,2,97,7,7,3.49,1,1,0,0,1,2,73,1,4,3,NA
+68357,7,2,1,1,12,3,3,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26337.322319,28328.46741,1,94,3,3,0.93,2,2,1,0,0,2,25,1,5,3,NA
+68358,7,2,2,0,5,1,1,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6787.112205,6644.319314,2,94,3,3,0.54,3,3,1,0,0,2,21,1,4,1,3
+68359,7,1,2,11,NA,2,2,NA,NA,NA,NA,NA,2,1,4,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15821.530831,0,2,91,6,6,0.93,5,5,1,2,0,2,50,2,1,5,NA
+68360,7,2,1,13,NA,5,6,1,13,166,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12013.02156,13498.577364,3,92,12,12,NA,5,5,0,2,0,1,47,1,3,1,3
+68361,7,2,1,8,NA,1,1,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,13898.598114,14118.535925,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+68362,7,2,1,2,NA,4,4,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8009.966208,8254.622305,2,96,13,13,NA,4,4,1,1,0,2,40,1,3,77,NA
+68363,7,2,1,1,21,5,7,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6929.441295,7483.610581,2,102,15,15,5,5,5,1,0,2,1,30,1,4,1,5
+68364,7,2,1,63,NA,4,4,2,NA,NA,2,NA,2,2,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,7514.993062,7713.03043,2,90,6,6,1.12,4,4,0,1,1,1,63,2,1,1,1
+68365,7,2,1,64,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,22184.040999,22468.589781,2,94,6,6,2.66,1,1,0,0,1,1,64,1,4,3,NA
+68366,7,2,1,3,NA,4,4,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11920.911192,13144.753907,2,96,3,3,0.59,3,3,1,0,0,2,25,1,4,1,NA
+68367,7,2,1,78,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,10160.645851,10681.304475,1,96,8,8,3.14,2,2,0,0,2,2,64,1,3,1,2
+68368,7,2,1,17,NA,5,6,2,17,207,2,NA,2,1,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9136.388281,9764.423514,3,91,9,9,4.08,2,2,0,1,0,2,54,2,5,1,NA
+68369,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,39565.288792,43332.356399,1,99,77,77,NA,2,2,0,0,2,2,80,1,4,1,4
+68370,7,2,2,10,NA,3,3,2,10,129,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24070.467912,23750.822126,1,95,7,7,1.17,6,6,1,3,0,2,44,1,4,1,NA
+68371,7,2,1,10,NA,3,3,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18216.94614,18737.854061,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+68372,7,2,2,2,NA,5,6,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4962.240532,5199.576603,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+68373,7,2,2,8,NA,4,4,2,8,97,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11467.793741,13004.375485,2,91,6,6,0.78,7,7,1,4,0,2,38,2,2,77,NA
+68374,7,2,1,45,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20696.713928,21333.342141,2,102,15,15,5,3,3,1,0,0,2,34,1,5,1,5
+68375,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,29167.119125,29596.13582,1,101,1,1,0.1,4,4,1,1,0,2,52,1,4,3,NA
+68376,7,2,2,61,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,13057.178942,13648.591881,1,102,77,77,NA,2,2,0,0,2,1,68,2,4,1,1
+68377,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,NA,8386.962371,8877.414759,1,93,3,3,0.93,1,1,0,0,1,1,74,1,4,4,NA
+68378,7,2,1,0,3,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9419.940635,10084.452218,2,98,3,3,0.54,3,3,1,0,0,1,23,1,3,1,2
+68379,7,2,1,1,16,4,4,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6580.937346,6661.20735,2,97,4,4,0.97,3,3,1,0,0,1,38,1,3,6,NA
+68380,7,2,2,43,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,17623.300255,17855.084956,1,100,15,15,5,4,4,0,1,0,1,44,2,5,1,5
+68381,7,2,1,9,NA,3,3,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21087.869274,22876.159598,1,101,4,4,0.99,2,2,0,1,0,2,35,1,3,5,NA
+68382,7,2,1,0,11,3,3,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9081.731172,9425.042696,1,95,8,8,1.45,6,6,1,1,2,1,69,1,1,1,3
+68383,7,2,2,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21905.560663,22505.214105,1,95,5,5,0.76,5,5,2,1,0,2,27,1,4,6,NA
+68384,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,61710.107686,62261.838119,1,98,2,2,0.63,1,1,0,0,0,2,23,1,4,5,NA
+68385,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,22912.222762,29561.458771,2,96,5,5,1.5,2,2,1,0,0,2,22,1,3,5,NA
+68386,7,1,1,30,NA,1,1,NA,NA,NA,2,NA,2,2,77,NA,3,5,NA,2,2,2,2,2,2,NA,NA,NA,NA,53303.690379,0,1,100,4,4,0.78,4,4,0,0,1,1,33,2,1,1,1
+68387,7,2,2,70,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,1,1,2,1,1,2,2,NA,12296.397953,12433.512478,1,99,9,9,4.08,2,2,0,0,2,1,73,2,5,1,5
+68388,7,2,2,2,NA,3,3,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47602.397711,49102.065502,1,102,6,6,1.23,4,4,2,0,0,2,25,1,5,1,5
+68389,7,2,2,15,NA,4,4,1,15,191,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15483.914568,16116.18632,1,100,6,6,2.12,2,2,0,1,0,2,44,1,3,3,NA
+68390,7,1,2,25,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,2,1,3,1,2,2,1,2,2,NA,NA,NA,NA,39550.779175,0,2,96,3,3,0.54,4,4,1,1,0,1,29,1,2,1,2
+68391,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,1,2,1,2,2,NA,NA,NA,NA,60163.952904,0,1,97,12,99,NA,2,1,0,0,2,2,65,1,2,2,NA
+68392,7,1,2,61,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,14994.337564,0,1,100,10,10,4.63,2,2,0,0,1,1,58,1,5,1,4
+68393,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,2,1,0.11,4,1,0,0,0,2,19,1,4,NA,NA
+68394,7,2,2,58,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,139343.551779,138175.157138,2,98,14,14,5,1,1,0,0,0,2,58,1,5,5,NA
+68395,7,2,2,0,10,1,1,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9179.885292,9149.640857,1,101,5,5,1.23,3,3,2,0,0,2,24,1,2,5,NA
+68396,7,2,2,0,6,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6700.950086,6495.019697,2,96,3,3,0.34,7,7,3,1,0,2,49,2,1,4,NA
+68397,7,1,2,55,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,141316.739364,0,2,94,8,8,1.33,7,7,1,2,1,1,34,NA,NA,6,NA
+68398,7,2,2,6,NA,4,4,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11116.391625,11531.852198,1,92,7,7,1.83,3,3,1,1,0,2,28,1,3,5,NA
+68399,7,2,2,5,NA,5,6,1,5,64,NA,NA,2,2,1,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,6858.963321,7464.098007,3,91,14,14,3.58,4,4,1,1,0,1,39,2,5,1,5
+68400,7,2,1,8,NA,4,4,2,9,108,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7687.032802,8052.55895,2,99,9,9,2.43,4,4,0,2,0,2,49,1,3,3,NA
+68401,7,2,1,43,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,5,NA,2,2,2,2,2,2,1,2,2,2,31347.36219,35248.66815,2,90,2,2,0.46,1,1,0,0,0,1,43,2,1,5,NA
+68402,7,2,2,1,19,5,7,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3842.794137,4026.588867,1,93,15,15,5,5,5,1,0,1,1,61,2,4,1,4
+68403,7,2,2,36,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,2,2,2,2,2,2,2,NA,NA,NA,NA,35425.867861,35132.246023,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+68404,7,2,2,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,11879.290971,12409.688606,2,96,3,3,1.1,1,1,0,0,1,2,65,1,4,5,NA
+68405,7,2,1,1,20,3,3,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22170.765881,25013.89276,1,94,3,3,0.39,6,6,1,0,2,1,80,1,4,1,3
+68406,7,2,2,17,NA,5,6,2,17,215,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12054.065975,12306.62888,1,98,6,6,1.65,2,2,0,1,0,2,52,2,5,1,NA
+68407,7,2,2,80,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,2,1,2,2,1,2,NA,NA,NA,NA,16878.750567,18850.661665,2,98,3,3,0.98,2,2,0,0,1,2,80,1,1,2,NA
+68408,7,2,2,16,NA,3,3,1,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,91539.042546,96988.607103,1,101,7,7,2.31,2,2,0,1,0,2,43,1,4,3,NA
+68409,7,2,1,3,NA,1,1,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,20874.345556,20902.551716,3,92,5,5,1.05,3,3,1,1,0,2,38,2,3,5,NA
+68410,7,2,1,16,NA,4,4,2,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13863.378072,13964.345562,1,96,15,15,5,4,4,0,1,0,1,56,1,4,1,5
+68411,7,2,2,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,89807.047643,92234.66957,3,91,9,7,3.67,2,1,0,0,0,1,41,NA,NA,3,NA
+68412,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,22013.270774,24073.71767,1,101,5,5,1.05,3,3,0,0,1,2,55,1,4,1,NA
+68413,7,2,2,3,NA,1,1,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15326.318384,16920.666785,1,94,6,6,1.3,4,4,2,0,0,1,24,2,1,1,4
+68414,7,1,1,77,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19418.523783,0,1,101,4,4,0.99,2,2,0,0,2,1,77,1,3,1,3
+68415,7,2,2,43,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,2,1,2,2,1,2,2,1,2,2,1,49900.868115,50161.096898,3,92,7,7,2.78,2,2,0,0,0,1,24,1,3,5,NA
+68416,7,2,1,63,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,3,8623.181934,10090.425838,2,103,3,3,0.63,3,3,0,0,1,1,63,2,3,1,NA
+68417,7,2,1,19,NA,1,1,2,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,14081.782012,14391.713696,2,90,6,6,1.15,5,5,0,2,0,2,47,2,1,1,5
+68418,7,2,2,70,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,2,2,2,2,2,2,NA,20621.25319,22173.285594,2,93,9,9,3.14,3,3,0,0,2,1,43,NA,NA,5,NA
+68419,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,81416.374938,85457.008484,1,97,5,5,1.79,1,1,0,0,1,2,70,1,4,2,NA
+68420,7,2,1,22,NA,4,4,1,NA,NA,2,NA,2,1,4,NA,4,5,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,18831.340773,18391.458344,2,93,9,9,2.07,5,5,0,1,0,1,55,NA,NA,5,NA
+68421,7,1,2,15,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12327.773112,0,2,95,12,12,NA,2,2,0,1,0,1,47,1,4,2,NA
+68422,7,2,2,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,53370.063988,54427.336747,3,92,13,13,NA,2,2,0,0,2,2,60,1,4,1,NA
+68423,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,154825.466557,157902.106304,1,91,15,15,5,2,2,0,0,0,1,44,NA,NA,1,5
+68424,7,2,1,72,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,1,1,1,2,2,1,2,1,NA,16828.011748,23148.456034,1,97,14,14,2.29,7,7,1,2,2,1,40,2,1,1,1
+68425,7,2,1,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16385.890285,2,100,12,12,NA,2,2,0,0,1,1,56,1,5,1,4
+68426,7,2,2,19,NA,3,3,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,35205.804094,37301.699975,2,101,99,2,0.55,3,1,0,0,0,2,19,1,4,NA,NA
+68427,7,2,2,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,30275.274308,30259.77569,2,101,3,1,0.18,2,1,0,0,0,2,25,1,4,5,NA
+68428,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,2,1,2,2,1,2,2,1,2,2,1,24842.055317,24866.449113,2,95,3,3,0.63,3,3,0,0,0,2,44,1,2,4,NA
+68429,7,2,1,27,NA,3,3,2,NA,NA,2,NA,2,1,4,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,118671.226879,152848.538678,2,91,15,9,5,2,1,0,0,0,2,26,1,5,5,NA
+68430,7,2,2,2,NA,5,6,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6365.363193,6669.808387,1,92,14,14,2.42,6,6,1,3,0,1,30,1,4,6,NA
+68431,7,2,1,3,NA,4,4,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7076.684446,7163.001252,2,99,2,2,0.22,4,4,1,1,0,1,18,1,2,NA,NA
+68432,7,2,1,80,NA,2,2,2,NA,NA,1,2,2,1,9,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11755.776731,12827.229805,3,90,3,3,0.78,3,3,0,1,2,1,80,2,3,1,2
+68433,7,2,2,6,NA,1,1,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13085.05107,13640.91346,2,92,14,14,4.03,4,4,1,1,1,2,30,1,5,4,NA
+68434,7,2,2,67,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,11576.638399,12468.988052,1,101,3,3,1.12,1,1,0,0,1,2,67,1,2,5,NA
+68435,7,2,2,8,NA,3,3,1,8,101,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,25826.784831,26196.011011,2,91,2,2,0.44,3,3,0,1,0,1,46,2,3,1,4
+68436,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,203724.329642,1,91,15,12,NA,2,1,0,0,0,1,51,1,3,1,NA
+68437,7,2,1,4,NA,4,4,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7354.77583,7808.790358,2,90,8,8,1.67,6,6,1,1,0,1,52,1,3,1,5
+68438,7,2,1,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,25964.952645,26783.974907,2,96,5,5,1.36,2,2,0,0,0,2,51,1,4,1,3
+68439,7,2,1,14,NA,5,7,2,14,174,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8676.361974,9272.775003,1,90,77,77,NA,4,4,0,2,0,2,51,1,5,1,5
+68440,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,116165.700541,2,94,99,99,NA,2,2,0,0,0,2,37,1,2,1,4
+68441,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22631.175755,22215.258702,2,96,5,5,1.36,2,2,0,0,0,2,51,1,4,1,3
+68442,7,2,2,42,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,5,2,2,2,2,2,2,2,1,2,2,2,30678.628571,30838.615009,3,91,5,5,1.03,4,4,0,2,0,2,42,2,1,5,NA
+68443,7,2,1,73,NA,4,4,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,6725.306794,6857.040344,2,99,77,77,NA,1,1,0,0,1,1,73,2,5,1,NA
+68444,7,2,1,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19537.368697,21142.881814,2,96,3,3,0.47,4,4,1,0,1,2,61,1,4,3,NA
+68445,7,2,1,70,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,4,1,NA,2,2,2,2,2,2,1,2,1,NA,9710.399795,9879.67408,2,93,12,12,NA,5,5,1,0,2,1,70,2,4,1,5
+68446,7,2,2,68,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11838.431472,12295.352662,2,92,7,7,2.72,2,2,0,0,2,2,68,1,5,1,NA
+68447,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,49568.196121,49400.509437,1,95,2,2,0.78,1,1,0,0,1,2,68,1,4,3,NA
+68448,7,2,2,28,NA,5,7,1,NA,NA,2,NA,2,1,3,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18100.072824,19323.729203,1,92,7,7,3.22,1,1,0,0,0,2,28,2,5,5,NA
+68449,7,2,1,12,NA,2,2,2,12,145,NA,NA,2,1,4,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15594.049321,16140.624477,2,99,77,77,NA,4,4,1,1,1,2,38,2,4,1,4
+68450,7,2,2,47,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,21481.050033,21698.613985,2,91,8,7,3.31,2,1,0,0,0,1,55,1,2,6,NA
+68451,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16715.026676,2,100,7,7,1.38,5,5,1,0,0,2,45,1,2,3,NA
+68452,7,2,2,69,NA,2,2,2,NA,NA,2,NA,2,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,9716.805546,12994.252166,2,90,4,4,1.47,1,1,0,0,1,2,69,2,2,3,NA
+68453,7,2,2,79,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,56393.181686,58123.268911,2,93,7,7,2.31,2,2,0,0,2,2,79,1,3,1,5
+68454,7,1,1,28,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,103001.073873,0,2,97,7,7,3.21,1,1,0,0,0,1,28,1,4,5,NA
+68455,7,2,1,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39031.957066,39638.562591,1,95,3,2,0.74,2,1,0,0,0,1,27,1,3,5,NA
+68456,7,2,1,3,NA,2,2,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11179.43727,11311.602194,2,93,3,3,0.37,5,5,3,0,0,1,28,2,1,6,NA
+68457,7,2,1,0,8,3,3,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,28319.415322,27829.834184,1,92,9,9,2.6,4,4,2,0,0,2,32,1,3,1,5
+68458,7,2,1,44,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,29797.944087,29360.705192,1,103,5,5,0.74,5,5,1,1,0,2,40,99,3,1,1
+68459,7,2,2,16,NA,4,4,2,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10460.187371,12283.198438,1,99,7,7,1.53,5,5,0,3,0,1,39,1,3,1,3
+68460,7,2,1,4,NA,2,2,1,4,55,NA,NA,2,1,2,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11179.43727,11533.315753,2,93,14,14,2.91,6,6,2,0,1,2,74,NA,NA,2,NA
+68461,7,2,1,6,NA,3,3,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,63513.013195,68899.034203,2,101,7,7,1.57,4,4,0,2,0,2,28,1,3,6,NA
+68462,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,29483.108693,29407.372658,1,94,4,4,0.79,3,3,0,1,0,1,49,1,2,3,NA
+68463,7,2,2,0,7,3,3,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19676.563141,20852.949038,2,99,15,15,5,3,3,1,0,0,1,43,1,5,1,5
+68464,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,42101.975168,41959.54633,1,101,5,5,1.24,3,3,0,0,1,2,61,1,4,1,3
+68465,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,2,NA,1,2,1,1,2,1,1,2,1,NA,13689.379977,14234.742701,2,92,2,2,0.89,1,1,0,0,1,2,80,2,1,2,NA
+68466,7,2,1,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,25624.148584,27611.905955,2,96,12,12,NA,2,1,0,0,0,1,33,1,3,3,NA
+68467,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,139800.409559,144765.126463,1,100,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+68468,7,2,1,61,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,9115.676792,11889.427964,2,90,6,6,1.7,2,2,0,0,2,1,61,2,1,1,2
+68469,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,29738.952706,30201.133298,2,94,3,3,1.01,1,1,0,0,0,1,25,1,4,5,NA
+68470,7,2,1,56,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,2,1,2,2,1,2,2,3,12158.061776,12114.139928,3,90,15,15,3.7,5,5,0,0,0,1,56,2,3,1,3
+68471,7,2,2,15,NA,4,4,2,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11600.051433,12143.645666,3,90,14,14,2.97,5,5,0,2,1,1,73,2,3,2,NA
+68472,7,2,1,9,NA,3,3,2,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18324.386573,20287.008963,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+68473,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17811.496463,19015.919888,2,99,NA,77,NA,3,2,0,0,1,1,63,1,3,5,NA
+68474,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108014.727405,114941.235527,2,94,14,14,4.71,3,3,1,0,0,1,35,1,5,1,5
+68475,7,2,2,12,NA,3,3,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,36586.371708,39087.782259,1,98,3,3,0.5,5,5,0,3,0,2,56,1,3,3,NA
+68476,7,2,2,9,NA,4,4,1,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9139.784234,11102.911341,2,100,3,3,0.63,4,4,0,1,0,1,51,1,2,77,NA
+68477,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16386.190684,20296.970403,2,90,7,5,1.84,2,1,0,0,0,1,21,1,3,5,NA
+68478,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,120278.381994,2,94,10,10,2.91,4,4,0,2,0,2,38,1,4,1,4
+68479,7,2,2,3,NA,3,3,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+68480,7,2,1,6,NA,1,1,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12477.812875,12553.43469,2,94,7,7,1.17,6,6,1,2,0,2,30,2,3,6,NA
+68481,7,2,2,19,NA,3,3,2,19,239,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,100004.689924,104137.373956,1,90,15,15,5,3,3,0,0,1,1,66,NA,NA,1,4
+68482,7,2,2,77,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,15211.382198,16229.383727,2,101,3,3,0.65,3,3,0,0,1,2,77,1,3,2,NA
+68483,7,2,2,14,NA,1,1,1,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16427.640886,18021.433684,1,102,7,7,1.41,5,5,0,2,2,1,72,1,4,1,3
+68484,7,2,1,47,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,10846.102759,10858.953375,1,99,7,5,1.84,2,1,0,1,0,1,47,2,4,5,NA
+68485,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,122483.259869,124909.680309,3,91,6,6,2.3,1,1,0,0,1,2,64,1,5,3,NA
+68486,7,2,1,3,NA,4,4,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10690.995725,11500.031681,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+68487,7,2,1,19,NA,4,4,2,19,229,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,10817.360862,11219.635132,2,99,6,6,1.15,5,5,1,2,0,2,34,1,4,77,NA
+68488,7,2,2,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,16741.034883,16282.872546,2,95,4,4,1.61,1,1,0,0,0,2,58,1,5,5,NA
+68489,7,2,2,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7746.357421,8271.811673,1,99,7,7,2.52,2,2,0,1,0,2,40,1,4,3,NA
+68490,7,2,2,4,NA,5,6,1,4,59,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5601.441711,5595.525293,1,103,5,5,1.26,3,3,1,0,0,1,40,2,5,1,5
+68491,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,35161.248998,42165.766203,3,91,7,7,2.45,2,2,0,0,2,1,80,1,2,1,2
+68492,7,2,1,0,1,1,1,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8519.229538,8673.80493,1,101,15,15,4.99,4,4,2,0,0,1,31,1,4,1,4
+68493,7,2,1,29,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11770.082057,12287.307332,3,91,5,5,1.08,3,3,1,0,0,1,29,2,5,1,5
+68494,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,2,1,2,2,1,2,2,1,2,2,1,20626.479002,22617.279591,2,100,4,1,0,2,1,0,0,0,2,38,1,3,2,NA
+68495,7,2,2,78,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,27275.632708,28985.222851,2,96,2,2,0.87,1,1,0,0,1,2,78,1,3,2,NA
+68496,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,17188.361186,17721.573899,2,95,2,2,0.75,1,1,0,0,0,1,56,1,2,3,NA
+68497,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,59613.972918,59797.266126,2,100,5,5,2.2,1,1,0,0,0,2,34,1,5,3,NA
+68498,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9547.901254,10157.592212,3,90,15,15,5,5,5,1,0,1,1,38,2,3,1,4
+68499,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,175544.769665,182852.89468,1,91,15,15,5,2,2,0,0,0,2,56,1,4,1,4
+68500,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,12863.404053,13555.744544,2,90,6,6,2.75,1,1,0,0,1,2,80,1,5,2,NA
+68501,7,2,1,52,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,152865.087613,1,94,8,8,1.67,5,5,1,2,0,1,52,1,4,1,4
+68502,7,2,1,27,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,21873.767586,21362.816924,2,99,77,4,1.43,2,1,0,0,0,1,27,2,5,5,NA
+68503,7,2,2,3,NA,5,7,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,92,3,3,0.46,5,5,2,1,0,1,30,1,3,1,2
+68504,7,2,2,6,NA,3,3,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,98,14,14,4.12,4,4,0,2,0,2,36,1,5,1,3
+68505,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,151766.599459,156268.87702,3,91,7,7,1.97,4,4,0,0,1,2,77,1,5,2,NA
+68506,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,32189.450686,32533.215899,1,101,4,4,1.22,2,2,0,0,2,2,77,1,4,1,3
+68507,7,2,2,49,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,25189.111847,25556.352159,2,102,10,10,4.76,2,2,0,0,1,2,49,2,5,5,NA
+68508,7,2,2,31,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,1,2,2,1,15542.93857,15828.161907,3,91,8,8,2.7,3,3,1,0,0,1,31,1,5,1,5
+68509,7,2,2,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,14140.449064,14449.882828,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+68510,7,2,1,65,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,8886.717016,8956.231711,2,101,6,6,1.51,3,3,0,1,1,1,65,1,2,1,4
+68511,7,2,2,9,NA,5,7,1,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8128.755281,8415.30848,1,98,4,4,0.94,3,3,1,1,0,2,28,1,2,77,NA
+68512,7,2,2,57,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,20734.495277,22158.856945,2,99,77,77,NA,3,3,0,0,0,2,57,2,2,1,1
+68513,7,2,2,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,54370.517487,54186.584794,1,95,6,6,2.04,2,2,0,0,2,1,71,1,3,1,4
+68514,7,2,1,3,NA,5,7,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7629.74403,8207.121237,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+68515,7,2,1,13,NA,5,7,1,13,163,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,63907.082519,63067.196763,1,102,8,8,1.91,5,5,1,2,0,2,38,1,5,1,4
+68516,7,2,1,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,28213.419452,32164.786649,1,100,7,7,3.13,1,1,0,0,0,1,30,1,5,5,NA
+68517,7,2,1,28,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,1,1,2,2,NA,NA,NA,NA,49741.714519,52356.235161,2,91,14,14,4.71,3,3,0,0,0,1,28,2,1,1,2
+68518,7,2,2,25,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,19495.209875,21153.580858,2,90,7,7,3.31,1,1,0,0,0,2,25,1,5,5,NA
+68519,7,2,1,5,NA,3,3,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58332.578536,63879.860857,1,91,7,7,1.88,4,4,1,2,0,2,43,1,5,4,NA
+68520,7,2,2,17,NA,3,3,2,17,207,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,29885.567338,31265.78413,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+68521,7,2,2,28,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,47348.206546,48810.979214,1,92,10,10,2.93,4,4,1,0,0,2,55,1,4,1,4
+68522,7,2,1,12,NA,4,4,2,12,154,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10817.360862,11219.635132,2,99,6,6,1.15,5,5,1,2,0,2,34,1,4,77,NA
+68523,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,11879.290971,12889.384857,2,96,2,2,0.83,1,1,0,0,1,2,62,1,2,5,NA
+68524,7,2,1,11,NA,4,4,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9184.716222,9199.031651,1,102,7,7,1.57,4,4,0,2,0,2,33,1,4,1,4
+68525,7,2,2,39,NA,1,1,1,NA,NA,2,NA,2,1,5,NA,3,1,2,2,2,2,1,2,2,2,2,2,2,36453.846815,35470.245447,1,102,5,5,0.92,5,5,0,3,0,2,39,2,3,1,3
+68526,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,15799.067708,16817.831279,2,95,5,5,1.52,2,2,0,0,0,2,58,1,2,2,NA
+68527,7,2,2,8,NA,3,3,1,8,107,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,48532.852397,48387.04619,1,98,15,15,5,5,5,0,3,0,2,41,1,5,6,NA
+68528,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,90234.245265,93002.542962,2,101,6,6,2.75,1,1,0,0,1,2,70,1,4,3,NA
+68529,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,42992.537371,48017.666119,2,95,5,5,1.79,1,1,0,0,1,2,80,1,4,2,NA
+68530,7,2,1,13,NA,2,2,2,13,166,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13921.972975,14228.387356,3,90,14,14,3.93,3,3,0,1,0,2,36,2,3,1,4
+68531,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,6038.685119,6085.921613,1,96,15,15,5,3,3,0,0,1,1,60,1,4,1,4
+68532,7,2,1,3,NA,1,1,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,17341.8035,17890.748046,2,102,6,6,1,6,6,1,3,0,1,35,2,3,1,3
+68533,7,2,2,9,NA,5,6,2,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6198.268014,6830.048804,3,90,77,77,NA,5,5,0,2,0,1,46,2,3,1,3
+68534,7,2,2,8,NA,2,2,1,8,99,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,15897.166957,16345.216522,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+68535,7,2,2,0,7,1,1,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6787.112205,7016.795893,2,94,13,2,0.36,5,4,1,1,0,1,25,2,4,1,4
+68536,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8949.073879,2,95,7,7,3.22,1,1,0,0,1,2,60,1,3,3,NA
+68537,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,95087.883412,95380.247139,1,100,15,15,5,2,2,0,0,0,1,46,1,4,1,5
+68538,7,2,1,72,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,9472.03363,9657.569347,2,93,12,12,NA,4,4,0,0,2,1,72,1,2,1,4
+68539,7,1,1,72,NA,2,2,NA,NA,NA,2,NA,2,1,9,NA,2,5,NA,2,2,2,1,2,2,NA,NA,NA,NA,12962.876803,0,2,90,3,3,0.92,1,1,0,0,1,1,72,2,2,5,NA
+68540,7,2,1,9,NA,3,3,2,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14307.565788,15198.555052,3,91,5,5,1.07,4,4,0,2,0,2,36,1,5,1,4
+68541,7,2,1,12,NA,4,4,2,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,77,77,NA,7,7,0,3,1,2,43,77,5,5,NA
+68542,7,2,2,4,NA,3,3,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21341.740728,22680.288414,1,98,4,4,0.67,5,5,1,2,0,1,29,1,4,1,3
+68543,7,2,2,13,NA,1,1,1,13,160,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,21819.210646,22256.331163,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+68544,7,2,1,66,NA,5,6,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,8623.181934,9096.941425,2,103,6,6,2.28,1,1,0,0,1,1,66,1,4,5,NA
+68545,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,8219.195224,8540.664122,2,99,2,2,0.2,7,7,1,2,1,1,63,1,1,2,NA
+68546,7,2,2,6,NA,4,4,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10888.493631,13227.224662,1,101,13,13,NA,5,5,0,1,0,1,53,1,3,1,3
+68547,7,2,2,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,60914.616471,70137.240791,2,91,2,2,0.58,1,1,0,0,0,2,21,1,5,5,NA
+68548,7,2,2,66,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,124544.616504,126579.471046,1,100,6,6,2.82,1,1,0,0,1,2,66,1,5,2,NA
+68549,7,2,1,67,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,2,2,2,1,2,2,2,2,2,1,9430.93681,9952.400706,1,92,3,3,0.88,2,2,0,0,2,1,67,1,1,1,1
+68550,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,1,2,1,2,2,NA,NA,NA,NA,37019.065541,0,1,96,15,15,5,3,2,0,0,2,2,57,1,5,6,NA
+68551,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,11532.104822,12394.666968,2,99,4,4,1.61,1,1,0,0,1,2,80,1,1,2,NA
+68552,7,2,2,0,2,4,4,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4439.36229,4769.277094,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+68553,7,2,2,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,131590.908764,1,98,6,6,1.11,5,5,0,2,1,2,37,1,1,1,1
+68554,7,2,2,11,NA,1,1,1,11,132,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17053.854294,17496.484818,2,94,6,6,0.8,7,7,1,3,0,2,36,2,3,1,1
+68555,7,2,2,6,NA,3,3,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22308.590534,22137.463018,1,101,5,5,0.71,6,6,1,1,1,1,63,1,2,1,5
+68556,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,24902.414229,28566.820481,1,90,15,15,5,2,2,0,0,0,2,50,2,4,3,NA
+68557,7,2,1,71,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,15176.622228,16562.859469,1,101,3,3,0.98,1,1,0,0,1,1,71,1,3,3,NA
+68558,7,2,2,62,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,17243.546687,17998.333464,1,92,1,1,0.26,2,2,0,0,2,1,63,2,1,1,1
+68559,7,2,1,80,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,34540.440658,39912.090511,1,90,6,6,2.69,1,1,0,0,1,1,80,2,3,2,NA
+68560,7,2,2,28,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,51746.15111,53882.638481,1,95,6,6,1.37,3,3,1,1,0,2,28,1,4,5,NA
+68561,7,2,2,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,145813.864843,148196.223981,1,100,6,6,1.31,3,3,0,0,2,1,65,1,5,1,5
+68562,7,2,1,3,NA,4,4,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9126.025,2,100,6,6,1.52,4,4,1,2,0,2,39,1,4,3,NA
+68563,7,2,2,17,NA,4,4,1,17,208,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13452.957635,13490.376767,2,93,4,4,1.29,2,2,0,1,0,2,56,2,3,4,NA
+68564,7,2,2,35,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,4,1,2,1,2,1,1,2,1,NA,NA,NA,NA,20039.469886,21581.359058,1,97,15,15,5,4,4,2,0,0,2,35,2,4,1,4
+68565,7,2,2,65,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14102.354333,14646.654863,3,91,15,15,5,2,2,0,0,2,2,65,2,5,1,5
+68566,7,2,1,13,NA,4,4,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13468.614146,13600.508187,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+68567,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,24217.957803,24014.890408,2,94,4,1,0.09,2,1,0,0,0,2,51,1,2,6,NA
+68568,7,2,1,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,114410.004231,116188.079068,1,97,15,15,3.89,5,5,0,2,0,1,50,1,4,6,NA
+68569,7,2,2,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,19977.261965,20728.031273,1,92,NA,1,0.18,4,3,0,2,0,2,56,1,4,4,NA
+68570,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,23465.604153,23669.640656,2,98,3,3,1.19,1,1,0,0,0,1,49,1,3,3,NA
+68571,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10562.541357,10524.383438,1,103,5,5,0.65,6,6,0,0,1,2,26,2,4,5,NA
+68572,7,2,1,42,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,117613.757473,123317.366869,2,93,9,9,3.77,2,2,0,0,0,2,42,2,4,1,5
+68573,7,2,1,64,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,10288.337394,10853.580889,3,91,9,9,3.24,3,3,0,1,1,1,64,2,2,1,5
+68574,7,2,1,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,40776.102186,2,98,7,7,1.53,5,5,0,0,0,2,48,1,3,5,NA
+68575,7,2,2,42,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,33565.905936,33977.52311,2,93,14,14,3.52,5,5,1,2,0,1,44,1,5,1,5
+68576,7,2,2,1,20,1,1,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9439.743884,10034.856293,1,90,6,6,1.11,5,5,1,2,0,1,30,2,1,6,NA
+68577,7,2,1,19,NA,2,2,2,19,239,2,NA,1,1,NA,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22228.448129,22318.929635,1,93,6,6,1.78,3,3,0,0,0,1,19,1,3,NA,NA
+68578,7,2,1,8,NA,2,2,1,8,100,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13665.416457,13530.568366,1,94,5,5,0.74,5,5,1,1,0,2,24,1,3,1,4
+68579,7,2,1,6,NA,1,1,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11159.151566,11335.739115,1,102,6,6,1.03,6,6,0,4,0,1,34,2,2,1,1
+68580,7,2,2,47,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,46405.063078,46647.061535,2,98,10,10,4.43,2,2,0,0,1,2,47,1,4,3,NA
+68581,7,2,1,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18790.641284,18862.037788,2,100,15,15,4.97,5,5,0,2,1,2,42,1,5,1,5
+68582,7,2,2,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,19807.824556,20146.472612,1,96,9,9,3.35,3,3,0,0,0,2,42,1,4,5,NA
+68583,7,2,1,11,NA,3,3,2,11,135,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,42986.51011,44926.997612,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+68584,7,2,1,18,NA,3,3,2,18,221,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,88198.948426,91036.751291,1,101,9,9,2.6,4,4,0,1,2,2,63,1,4,1,4
+68585,7,2,2,1,17,1,1,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11901.705423,12652.027961,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+68586,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,1,1,0.05,4,1,0,0,0,2,21,1,4,5,NA
+68587,7,2,2,2,NA,4,4,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6854.479526,6961.787344,2,91,6,6,0.78,7,7,1,4,0,2,38,2,2,77,NA
+68588,7,2,2,14,NA,1,1,1,14,174,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,16360.434077,17687.989006,3,91,5,5,1.03,4,4,0,2,0,2,42,2,1,5,NA
+68589,7,2,1,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16117.991297,16472.240486,1,96,10,10,3.04,4,4,0,1,0,2,43,1,5,1,4
+68590,7,2,1,1,16,4,4,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5942.817425,6188.375425,2,97,13,13,NA,6,6,2,2,0,2,24,1,2,6,NA
+68591,7,2,1,67,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,8088.223021,7993.317874,1,99,14,14,4.86,3,3,0,1,1,2,56,1,5,1,5
+68592,7,2,1,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,24793.720953,26072.340199,1,92,14,14,3.25,4,4,0,2,0,1,34,1,4,6,NA
+68593,7,2,2,63,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14745.12656,14965.949752,1,98,10,10,5,1,1,0,0,1,2,63,2,5,5,NA
+68594,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,12291.154515,13189.875012,1,95,3,3,0.92,1,1,0,0,1,1,80,1,3,2,NA
+68595,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,36676.329165,37617.002202,1,95,4,4,1.56,1,1,0,0,0,2,50,1,2,4,NA
+68596,7,2,2,6,NA,3,3,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17958.854782,18534.102526,2,100,2,2,0.38,3,3,0,2,0,2,35,1,4,5,NA
+68597,7,2,2,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,NA,49260.413155,50771.674072,2,100,14,5,2.2,2,1,0,0,2,1,71,1,2,6,NA
+68598,7,2,1,14,NA,4,4,1,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11429.628358,11512.87076,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+68599,7,2,2,2,NA,1,1,1,2,32,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13322.479814,13501.65138,1,92,5,5,1.15,3,3,1,0,0,2,27,1,3,1,3
+68600,7,2,2,7,NA,3,3,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24070.467912,24097.958076,1,95,6,3,0.45,6,4,1,2,0,1,28,1,2,1,2
+68601,7,2,1,26,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9956.598907,10266.888978,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+68602,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,34997.800447,35379.102239,2,96,6,6,1.11,5,5,0,3,0,2,32,2,3,1,2
+68603,7,2,1,19,NA,4,4,2,19,234,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12721.673656,12814.326071,2,97,2,2,0.49,2,2,0,0,0,1,24,1,4,6,NA
+68604,7,2,2,2,NA,4,4,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5403.773938,5854.006054,3,90,10,10,2.59,5,5,1,2,0,2,32,1,4,1,4
+68605,7,2,2,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,23003.908463,24458.642976,2,99,12,1,0.12,2,1,0,0,1,2,46,1,3,2,NA
+68606,7,2,2,62,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,2,2,2,1,2,2,2,9330.330573,12477.420452,3,90,6,6,1.04,5,5,0,1,1,2,50,2,1,1,2
+68607,7,2,2,0,4,5,6,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5507.575232,5813.640954,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+68608,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,2,1,9,NA,5,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,41252.836432,0,1,100,15,15,5,3,1,0,0,3,2,69,NA,NA,5,NA
+68609,7,2,1,4,NA,1,1,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14505.510202,14676.996441,2,94,7,7,1.17,6,6,1,2,0,2,30,2,3,6,NA
+68610,7,2,1,6,NA,4,4,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8439.403196,8726.876152,2,103,6,6,1.11,5,5,1,2,0,2,36,1,4,5,NA
+68611,7,2,1,8,NA,5,6,2,8,96,NA,NA,2,2,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9928.619925,10708.884665,1,91,12,12,NA,4,4,0,2,0,1,43,2,5,1,5
+68612,7,2,2,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,24713.281483,24036.937705,1,92,10,10,4.3,2,2,0,0,0,2,55,1,4,1,5
+68613,7,2,2,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,166028.936087,168741.576297,2,101,8,8,4.41,1,1,0,0,1,2,61,1,4,2,NA
+68614,7,2,1,73,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,2,1,NA,2,2,2,1,2,2,2,2,2,NA,15301.031416,16695.608527,1,90,4,4,0.94,3,3,0,0,2,2,78,2,1,1,2
+68615,7,2,1,0,0,2,2,1,NA,0,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7530.249163,7898.897498,2,102,14,14,3.25,5,5,2,0,0,1,27,1,5,1,5
+68616,7,2,2,17,NA,4,4,2,17,206,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11956.705842,11923.015236,1,96,15,15,5,5,5,0,3,0,2,47,1,5,1,5
+68617,7,2,2,2,NA,5,6,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5022.237557,1,91,14,14,3.69,4,4,1,1,0,2,29,2,5,1,5
+68618,7,2,2,13,NA,5,6,2,13,158,NA,NA,2,2,2,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7649.811754,7945.620413,2,90,3,1,0,5,1,1,2,0,1,44,2,5,1,5
+68619,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16942.073558,18043.178849,1,99,6,6,1.12,4,4,2,0,0,2,29,1,2,1,4
+68620,7,2,1,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16555.478822,16319.493771,2,96,3,3,0.47,6,6,0,4,0,1,36,1,4,1,4
+68621,7,2,2,14,NA,4,4,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,6,6,1.16,4,4,0,3,0,2,36,1,4,4,NA
+68622,7,2,2,70,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,64463.340883,65151.773075,1,91,7,7,2.72,2,2,0,0,2,1,70,NA,NA,1,4
+68623,7,2,1,28,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11279.598253,11667.930056,1,93,15,15,5,5,5,1,0,1,1,61,2,4,1,4
+68624,7,2,1,45,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,34205.013302,34329.398365,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+68625,7,2,1,24,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,2,2,2,1,2,2,1,2,2,1,47487.549895,49034.44781,1,102,77,77,NA,3,3,0,0,1,1,61,2,4,1,1
+68626,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,54781.947924,56462.604085,2,93,10,10,3.61,3,3,0,0,2,1,75,1,4,1,4
+68627,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,74668.489197,78374.230241,2,91,77,77,NA,2,2,0,0,2,2,70,1,3,1,4
+68628,7,2,2,17,NA,4,4,2,17,206,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+68629,7,2,2,4,NA,4,4,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11378.89676,1,96,12,12,NA,7,7,1,0,1,2,59,1,3,1,1
+68630,7,2,1,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,69063.138927,75761.928286,1,92,10,10,2.1,6,6,1,1,0,2,29,1,4,1,2
+68631,7,2,1,12,NA,5,6,2,12,149,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10618.845283,10988.972369,1,93,14,14,5,2,2,0,1,0,2,46,2,5,3,NA
+68632,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,134694.414609,139412.076132,2,94,15,15,5,2,2,0,0,2,1,64,1,5,1,5
+68633,7,2,2,38,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,3,1,2,1,2,2,1,2,2,1,2,2,2,46400.322077,46544.459997,1,95,9,9,2.46,4,4,0,0,0,1,42,2,2,1,3
+68634,7,2,2,15,NA,4,4,1,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17373.928778,17416.718116,2,96,15,15,5,3,3,0,1,0,1,55,1,5,1,4
+68635,7,2,2,58,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19183.115011,19284.554221,1,92,14,14,5,2,2,0,0,0,1,40,1,5,1,4
+68636,7,2,1,1,17,5,6,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6319.053383,6506.026949,1,91,15,15,5,3,3,1,0,0,1,39,2,5,1,5
+68637,7,2,2,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,28059.790487,28146.065043,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+68638,7,2,1,18,NA,4,4,2,18,222,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11538.004005,11560.815583,1,96,9,9,3.35,3,3,0,0,0,2,42,1,4,5,NA
+68639,7,2,2,19,NA,3,3,2,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,123622.182994,134789.559864,2,94,15,15,3.82,5,5,0,0,0,1,50,1,5,1,5
+68640,7,2,2,28,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,12412.338679,12980.380959,3,90,15,15,3.7,5,5,0,0,0,1,56,2,3,1,3
+68641,7,2,2,14,NA,1,1,1,14,176,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,20460.442471,21235.303768,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+68642,7,2,1,16,NA,4,4,1,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16147.713323,16532.569027,1,92,NA,1,0.18,4,3,0,2,0,2,56,1,4,4,NA
+68643,7,2,1,17,NA,1,1,1,17,207,2,NA,1,1,NA,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,32326.52031,34735.818434,2,94,5,5,0.65,6,6,0,3,0,1,44,2,1,1,1
+68644,7,2,2,1,13,2,2,2,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9889.733317,10584.607254,1,91,5,5,0.8,5,5,2,1,0,2,31,2,3,1,1
+68645,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,48731.095364,50226.117333,2,93,6,6,2.51,1,1,0,0,1,2,75,1,5,3,NA
+68646,7,2,2,45,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,34226.159502,34404.646012,1,97,4,4,0.65,4,4,0,1,0,2,45,2,2,3,NA
+68647,7,2,1,54,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,16851.334496,17374.092058,2,95,3,3,1.07,1,1,0,0,0,1,54,1,2,5,NA
+68648,7,2,2,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85420.170155,86011.35365,1,91,14,14,3.06,5,5,2,0,0,2,30,1,5,1,5
+68649,7,2,2,0,8,1,1,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6787.112205,7238.162123,2,94,8,8,2.33,4,4,2,0,0,1,24,1,2,6,NA
+68650,7,2,1,3,NA,5,7,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6538.646646,7333.807608,2,100,6,6,1.62,3,3,1,0,0,1,32,1,3,1,3
+68651,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,87808.984693,88078.968218,1,93,15,15,5,1,1,0,0,0,2,32,1,5,5,NA
+68652,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,78529.577822,86568.047729,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+68653,7,2,1,9,NA,1,1,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11159.151566,11210.524757,1,102,4,4,0.5,6,6,2,2,0,1,25,1,2,1,3
+68654,7,2,2,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5687.793894,6161.690011,2,90,7,7,1.53,5,5,2,1,0,1,35,2,4,1,4
+68655,7,2,1,19,NA,5,6,1,19,231,2,NA,2,2,1,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9948.022697,10353.284725,2,101,5,5,1.84,2,1,0,0,0,1,19,2,4,NA,NA
+68656,7,2,1,10,NA,4,4,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8183.206265,8693.880504,3,90,3,3,0.78,3,3,0,1,2,1,80,2,3,1,2
+68657,7,2,1,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,22705.790734,22474.018796,1,95,3,3,0.76,3,3,0,0,1,1,41,1,2,1,4
+68658,7,2,2,17,NA,5,6,2,17,212,2,NA,2,1,99,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10998.124667,11476.706351,1,91,15,15,5,4,4,0,2,0,2,55,1,5,1,5
+68659,7,2,2,15,NA,3,3,1,15,186,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,85039.920663,86146.650284,1,94,14,14,2.96,5,5,0,3,0,2,39,1,4,1,3
+68660,7,2,1,24,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,1,5,NA,2,2,2,1,2,2,2,2,1,2,38474.772527,38999.213364,2,93,4,4,0.56,5,5,0,0,0,2,49,2,2,5,NA
+68661,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10991.458112,11482.21496,2,99,15,15,5,2,2,0,0,2,1,60,1,5,1,5
+68662,7,2,2,37,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,16369.916397,16518.354031,1,101,8,8,1.81,5,5,2,0,1,2,37,2,4,1,2
+68663,7,2,2,48,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,14101.070104,15807.720539,2,92,6,6,1.3,4,4,0,1,0,2,48,2,3,1,3
+68664,7,2,1,6,NA,2,2,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13953.558291,13815.866863,2,93,15,15,5,3,3,0,1,0,2,36,2,3,1,5
+68665,7,2,2,51,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,3,3,NA,2,2,2,2,2,2,2,2,1,2,23122.188977,23961.502212,2,93,4,4,0.69,4,4,0,1,1,2,66,2,3,2,NA
+68666,7,2,1,15,NA,5,6,1,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9587.464696,10013.85895,3,92,15,15,5,3,3,0,1,0,1,55,2,5,1,4
+68667,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,1,1,2,1,1,2,2,3,22345.774392,22681.166648,1,92,7,7,2.1,3,3,0,0,0,1,24,2,4,5,NA
+68668,7,2,2,8,NA,1,1,1,8,104,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15841.451259,16252.614023,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+68669,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,27140.404673,27611.034752,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+68670,7,2,2,5,NA,5,7,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8894.95474,1,97,15,15,5,4,4,1,0,0,2,39,2,5,1,5
+68671,7,2,1,6,NA,4,4,2,6,81,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7504.213986,7926.614174,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+68672,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,133495.735893,134864.21511,3,92,12,3,0.98,3,1,0,0,0,1,45,1,3,1,3
+68673,7,2,1,62,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,10004.038848,10164.290775,2,102,5,5,1.3,3,3,0,0,1,1,56,1,2,5,NA
+68674,7,2,2,0,5,5,7,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8377.359485,8321.07116,2,96,12,12,NA,4,4,1,0,0,2,20,1,5,1,5
+68675,7,2,2,73,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,18481.000773,19056.863071,1,100,10,10,4.63,2,2,0,0,2,1,78,2,5,1,5
+68676,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,19060.786733,19514.352798,2,97,4,4,0.81,4,4,1,1,0,2,51,1,3,4,NA
+68677,7,2,2,2,NA,5,7,1,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8474.492088,9470.199674,1,102,7,7,1.9,4,4,1,1,0,1,29,1,4,1,3
+68678,7,2,1,43,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,27776.016947,27368.446715,2,90,99,99,NA,5,5,1,1,0,2,40,2,3,1,1
+68679,7,2,1,43,NA,5,7,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,168806.614822,176992.791466,2,101,5,5,1.36,2,2,0,0,0,2,47,1,2,1,4
+68680,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,53634.754806,54437.113731,1,98,12,2,0.45,3,1,0,0,0,2,22,NA,NA,5,NA
+68681,7,2,1,66,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,1,2,NA,7973.883342,8285.757609,1,100,5,5,2.06,1,1,0,0,1,1,66,1,3,3,NA
+68682,7,2,2,79,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,98976.420245,105956.226489,2,101,5,5,1.63,2,2,0,0,2,1,80,1,1,1,1
+68683,7,2,2,20,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,2,2,2,1,2,2,1,2,2,2,32537.532358,33640.063825,2,90,8,8,2.01,4,4,0,0,1,2,67,2,4,2,NA
+68684,7,2,2,6,NA,3,3,2,6,72,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23521.178662,23340.749474,1,101,3,3,0.44,5,5,0,3,0,1,35,1,3,1,4
+68685,7,2,2,12,NA,4,4,2,12,154,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11905.948878,13980.928588,2,99,5,5,1.32,2,2,0,1,0,1,46,2,2,5,NA
+68686,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,18801.993237,20608.537144,2,96,7,7,2.45,2,2,0,0,0,1,24,2,5,5,NA
+68687,7,2,2,45,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,39843.937983,40051.72073,1,102,9,9,3.74,2,2,0,0,0,2,45,1,4,1,2
+68688,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,94644.050918,104631.781207,2,91,15,15,5,4,4,2,0,0,1,35,1,5,1,5
+68689,7,2,2,70,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,1,2,2,NA,18607.968221,20176.873294,2,92,5,5,1.36,2,2,0,0,2,1,75,2,1,1,1
+68690,7,2,2,29,NA,5,7,2,NA,NA,2,NA,2,1,6,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,45549.853584,51248.283427,3,91,7,7,1.57,4,4,2,0,0,2,29,2,3,1,3
+68691,7,2,1,7,NA,3,3,2,7,90,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,66868.503099,69864.859716,1,98,14,14,3.15,5,5,0,3,0,1,34,1,4,1,4
+68692,7,2,2,4,NA,5,6,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5081.860978,5222.553414,3,91,14,14,3.06,5,5,3,0,0,1,34,2,5,1,5
+68693,7,2,1,28,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,124091.929364,126020.47345,1,95,15,15,4.14,7,7,2,2,0,1,28,1,4,5,NA
+68694,7,2,1,57,NA,4,4,2,NA,NA,1,1,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16589.308426,16584.966003,2,90,15,15,5,4,4,0,0,0,1,57,2,5,1,5
+68695,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,25815.880139,26556.735732,2,101,1,1,0.23,2,1,0,0,0,1,20,1,4,5,NA
+68696,7,2,1,44,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,5,3,NA,2,2,2,2,2,2,2,2,2,2,35393.002863,36467.929589,2,93,3,3,0.58,4,4,0,1,1,1,65,2,1,3,NA
+68697,7,2,1,10,NA,1,1,2,10,130,NA,NA,2,2,3,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12477.812875,12675.267527,2,94,4,4,0.73,5,5,2,1,0,1,35,2,1,6,NA
+68698,7,2,1,8,NA,1,1,1,8,107,NA,NA,2,2,2,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13870.762641,14200.45921,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+68699,7,2,2,18,NA,4,4,1,19,228,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13801.622751,14246.373765,1,100,10,10,2.59,5,5,0,1,0,2,40,1,5,1,NA
+68700,7,2,2,4,NA,1,1,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12261.362755,13536.873522,1,103,13,13,NA,4,4,2,0,0,2,27,2,2,6,NA
+68701,7,2,2,27,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,2,6,2,2,2,2,2,2,2,2,2,1,2,32455.694722,36034.785338,1,103,13,13,NA,4,4,2,0,0,2,27,2,2,6,NA
+68702,7,2,1,56,NA,4,4,2,NA,NA,2,NA,2,2,7,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,20066.354173,20688.84721,1,96,6,6,2.24,1,1,0,0,0,1,56,2,3,3,NA
+68703,7,2,1,63,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,9235.951997,9415.956027,1,103,15,15,5,2,2,0,0,1,1,63,1,5,3,NA
+68704,7,2,1,7,NA,3,3,2,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18324.386573,20287.008963,2,95,7,7,1.13,6,6,0,3,1,1,52,1,4,1,4
+68705,7,2,1,6,NA,4,4,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12267.215138,12414.279886,2,102,5,5,0.76,5,5,1,3,0,2,30,1,4,4,NA
+68706,7,2,1,26,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,21022.682584,20897.3615,1,100,5,5,1.05,3,3,1,0,0,2,35,1,4,6,NA
+68707,7,2,1,54,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,166897.201244,167183.296853,2,91,15,15,5,4,4,0,0,0,1,54,1,5,1,NA
+68708,7,2,2,61,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,1,2,NA,2,2,2,2,2,2,1,2,2,2,6278.072933,7279.121105,2,103,5,5,0.65,6,6,1,0,1,2,61,2,1,2,NA
+68709,7,2,2,30,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,2,5,3,1,2,2,1,2,2,NA,NA,NA,NA,12801.027411,15381.268364,2,90,77,77,NA,4,3,1,0,0,2,30,2,2,5,NA
+68710,7,2,1,40,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,2,2,2,2,2,2,2,2,1,2,33029.272844,32544.619181,2,93,6,6,0.93,5,5,1,2,0,1,40,2,4,1,4
+68711,7,2,1,26,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,12084.002684,12472.760771,1,99,9,9,5,1,1,0,0,0,1,26,1,5,5,NA
+68712,7,2,1,0,2,5,7,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7882.953266,8003.945501,2,96,7,7,1.79,4,4,1,0,0,2,30,1,4,6,NA
+68713,7,2,2,22,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,45798.520132,47350.399021,2,91,3,3,0.73,3,3,0,0,0,2,22,2,2,5,NA
+68714,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,1,96,15,9,5,2,1,0,0,0,2,55,1,4,5,NA
+68715,7,2,1,54,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,145342.530024,147904.745834,1,99,15,15,5,2,2,0,0,0,1,54,1,3,1,4
+68716,7,2,2,12,NA,1,1,1,12,151,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,24481.187693,24971.637581,1,95,13,13,NA,5,5,1,2,0,2,34,2,1,1,1
+68717,7,2,1,80,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,9835.055907,10027.702409,2,99,10,10,4.76,2,2,0,0,2,1,80,1,2,2,NA
+68718,7,2,2,6,NA,1,1,2,6,79,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13231.432201,13706.598104,2,97,4,4,0.67,4,4,0,2,0,1,39,2,2,6,NA
+68719,7,2,1,2,NA,5,6,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6185.185728,6679.834548,1,97,15,15,4.84,6,6,2,0,0,1,53,NA,NA,1,NA
+68720,7,2,2,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,215228.012584,222579.783434,1,98,6,6,1.98,2,2,0,0,0,1,54,1,4,1,3
+68721,7,2,2,39,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,36053.766709,37679.125242,1,100,3,3,0.73,3,3,2,0,0,2,39,1,3,5,NA
+68722,7,2,1,40,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,31740.385214,33170.19689,2,96,7,7,1.57,4,4,0,2,0,1,40,2,2,1,5
+68723,7,2,2,9,NA,1,1,1,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10118.363218,10311.586628,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+68724,7,2,2,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,35160.335949,35576.957572,1,103,5,5,1.02,4,4,2,0,0,1,25,1,2,1,4
+68725,7,2,2,0,9,3,3,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27484.911887,26738.360643,1,92,14,14,3.9,4,4,2,0,0,2,28,1,3,1,3
+68726,7,2,2,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27769.056387,27890.133764,1,94,2,2,0.42,3,3,0,0,0,2,52,1,4,1,1
+68727,7,2,2,9,NA,5,6,2,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6198.268014,6618.822195,3,90,12,12,NA,5,5,1,2,0,1,37,2,5,1,5
+68728,7,2,2,9,NA,2,2,1,9,117,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12307.832776,12608.996083,2,93,5,5,0.89,4,4,0,2,0,1,42,NA,NA,6,NA
+68729,7,2,1,8,NA,1,1,1,8,100,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12577.115885,12776.141954,2,96,6,6,1.11,6,6,0,2,1,1,40,2,2,1,2
+68730,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,9260.072397,9783.740861,1,98,3,3,1.07,1,1,0,0,1,1,80,1,4,3,NA
+68731,7,2,2,1,16,1,1,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,15816.39252,3,92,14,14,3.25,4,4,2,0,0,2,33,1,5,1,5
+68732,7,2,2,33,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,42456.72357,41469.55672,1,92,14,14,3.15,5,5,1,2,0,1,34,1,4,1,4
+68733,7,2,1,54,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,37557.946192,44552.872015,2,102,15,15,3.92,5,5,0,0,0,1,19,1,4,NA,NA
+68734,7,2,2,1,17,3,3,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27529.278041,30383.810541,1,92,5,5,1.15,3,3,1,0,0,1,23,1,4,1,4
+68735,7,2,1,11,NA,4,4,2,11,136,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8453.214884,8599.856249,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+68736,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,28499.00321,31184.438144,2,98,3,3,0.75,2,2,0,0,0,1,22,1,2,5,NA
+68737,7,2,1,42,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,2,1,2,2,1,2,2,2,41527.444056,43502.112286,1,95,9,9,2.46,4,4,0,0,0,1,42,2,2,1,3
+68738,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,120220.968534,126279.549,1,98,6,6,1.78,2,2,0,0,0,2,48,1,4,5,NA
+68739,7,2,1,31,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,14204.262514,14001.792163,1,99,6,6,0.6,7,7,2,1,1,2,69,1,3,2,NA
+68740,7,2,1,64,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,101090.822284,102038.91726,2,102,14,14,5,1,1,0,0,1,1,64,1,4,3,NA
+68741,7,2,2,31,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,3,2,1,2,2,1,2,2,NA,NA,NA,NA,39561.667842,38928.923531,2,98,5,5,1.63,2,2,1,0,0,2,31,1,1,3,NA
+68742,7,2,2,3,NA,2,2,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15358.480588,15565.033952,1,102,5,5,1.36,2,2,1,0,0,2,21,1,3,5,NA
+68743,7,2,1,9,NA,5,7,2,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5171.245544,5675.166629,1,99,15,15,4.47,4,4,0,2,0,2,52,2,5,1,5
+68744,7,2,1,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,22235.85388,1,94,5,5,1.04,4,4,0,2,0,2,29,1,3,1,3
+68745,7,2,2,61,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,31362.042024,31983.331006,1,94,4,4,1.4,1,1,0,0,1,2,61,1,4,3,NA
+68746,7,2,2,60,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,2,1,2,1,NA,17243.546687,17909.086027,1,92,7,7,2.1,3,3,0,0,2,1,37,2,5,5,NA
+68747,7,2,2,10,NA,2,2,1,11,132,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16061.826248,2,98,6,6,0.78,7,7,1,3,1,2,63,1,2,4,NA
+68748,7,2,1,70,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,18239.933451,19545.291055,2,102,7,7,1.68,5,5,0,0,3,1,70,2,4,1,4
+68749,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,15842.721579,15352.843701,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+68750,7,2,2,16,NA,4,4,2,16,200,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12209.74498,12781.910285,2,90,3,3,0.95,2,2,0,1,0,2,49,1,3,5,NA
+68751,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,83226.861139,86401.777435,2,95,14,14,5,2,2,0,0,0,1,39,1,4,1,5
+68752,7,2,1,45,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,46745.699003,51362.782618,2,98,8,8,2.26,4,4,0,1,0,2,43,1,3,1,2
+68753,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,127315.335607,133282.596235,1,94,15,15,5,3,3,0,1,0,2,43,1,5,1,5
+68754,7,2,1,57,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,143642.364525,143888.596634,1,90,14,14,3.25,4,4,0,0,1,2,77,1,3,3,NA
+68755,7,2,2,2,NA,1,1,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,11879.078775,2,98,2,2,0.35,3,3,2,0,0,2,20,1,4,5,NA
+68756,7,2,2,4,NA,1,1,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10024.946819,10059.178608,2,93,77,77,NA,7,7,3,1,0,2,43,2,1,1,9
+68757,7,2,2,0,2,5,6,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9150.459338,9901.313011,1,97,15,15,5,4,4,2,0,0,1,40,2,5,1,5
+68758,7,2,1,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,1,2,NA,17703.366452,19320.397271,1,101,4,4,1.22,2,2,0,0,2,2,77,1,3,1,2
+68759,7,1,2,15,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15809.066118,0,2,93,3,3,0.63,3,3,0,1,0,1,53,2,2,1,4
+68760,7,2,1,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37326.925742,39362.952436,2,91,6,1,0.31,4,1,0,0,0,1,25,NA,NA,5,NA
+68761,7,2,2,4,NA,4,4,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9268.093277,10357.044767,1,99,3,3,0.54,3,3,1,0,0,2,29,1,4,1,4
+68762,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,60664.751082,63005.627956,1,102,14,14,4.05,3,3,0,2,0,2,34,1,4,3,NA
+68763,7,2,1,26,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,5,NA,1,2,2,2,2,2,1,2,2,1,35338.972549,37196.45724,2,90,4,4,0.81,3,3,0,0,0,1,39,2,3,5,NA
+68764,7,2,1,3,NA,4,4,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9572.619158,2,100,7,7,1.38,5,5,1,0,0,2,45,1,2,3,NA
+68765,7,2,1,25,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,4,6,NA,1,2,2,1,2,2,1,2,2,2,41258.226616,42207.135518,2,99,15,1,0.27,2,1,0,0,0,1,31,1,5,6,NA
+68766,7,2,1,6,NA,4,4,2,6,77,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10464.577474,10672.635694,1,96,99,99,NA,4,4,1,1,0,2,35,2,3,1,3
+68767,7,2,2,68,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,9680.216878,10112.428208,1,96,99,99,NA,2,2,0,0,1,2,68,2,4,5,NA
+68768,7,2,2,77,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,2,2,2,1,2,2,NA,17318.187297,23904.945555,2,90,2,2,0.64,1,1,0,0,1,2,77,2,1,4,NA
+68769,7,2,2,56,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,14680.520497,15280.64157,3,91,15,15,5,3,3,0,1,1,2,56,2,5,1,NA
+68770,7,2,2,39,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,6,2,2,2,2,1,2,2,1,2,1,2,29102.738194,30199.222574,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+68771,7,2,2,24,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,23845.8146,23474.128607,1,98,15,15,5,4,4,1,0,0,2,24,1,4,1,NA
+68772,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,1,2,1,2,2,NA,NA,NA,NA,11289.606124,12205.635507,1,94,8,8,1.39,7,7,2,0,1,2,52,1,5,2,NA
+68773,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,163102.567998,164787.083347,1,99,9,9,4.35,2,2,0,0,1,1,66,1,2,1,3
+68774,7,2,1,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,43104.257334,46015.156479,2,101,5,5,1.36,2,2,0,0,0,2,22,1,4,5,NA
+68775,7,2,2,18,NA,5,6,2,18,217,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6226.949288,6291.898221,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+68776,7,2,1,8,NA,3,3,1,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,42634.626688,43853.750605,1,102,14,14,4.05,3,3,0,2,0,2,34,1,4,3,NA
+68777,7,2,1,17,NA,3,3,2,17,210,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30100.326038,35344.542616,1,101,6,6,1.31,3,3,0,2,0,1,43,1,3,4,NA
+68778,7,2,1,0,8,1,1,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7284.164858,7692.652584,2,98,4,4,0.65,5,5,3,0,0,2,23,1,4,5,NA
+68779,7,2,1,16,NA,1,1,1,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27378.670648,27376.262696,2,96,9,9,4.21,2,2,0,1,0,2,50,1,4,4,NA
+68780,7,2,1,78,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,16632.531676,17822.854094,1,100,10,10,4.63,2,2,0,0,2,1,78,2,5,1,5
+68781,7,2,1,34,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13936.822202,14121.672299,1,93,15,6,2.3,6,1,0,0,0,1,34,2,5,5,NA
+68782,7,2,2,0,8,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4543.931297,4593.545672,1,96,14,14,3.34,4,4,1,1,0,2,43,1,5,77,NA
+68783,7,2,1,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,32375.321924,36431.315201,1,101,2,2,0.22,4,4,1,0,0,2,25,1,4,6,NA
+68784,7,2,2,18,NA,1,1,2,19,228,2,NA,2,2,3,12,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,16594.391299,17940.930507,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+68785,7,2,1,0,10,4,4,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6275.847063,6372.172481,2,100,1,1,0,4,4,2,0,0,2,23,1,4,5,NA
+68786,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,33707.673642,36318.620408,2,95,15,15,5,2,2,0,0,2,1,80,1,5,1,5
+68787,7,2,1,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,149474.480274,150876.348421,1,100,6,6,1.31,3,3,0,0,2,1,65,1,5,1,5
+68788,7,2,1,9,NA,1,1,1,9,113,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14258.502552,1,92,6,6,1.12,4,4,0,2,0,1,20,1,2,1,2
+68789,7,2,1,16,NA,3,3,1,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,126777.533816,125822.536881,1,100,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+68790,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,38954.135779,38857.944364,1,91,3,3,0.62,3,3,0,1,0,2,55,1,4,4,NA
+68791,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19130.246369,18752.254654,2,95,14,14,3.47,4,4,0,0,0,2,45,1,4,1,4
+68792,7,2,2,5,NA,1,1,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,16648.051651,2,98,5,5,0.59,7,7,2,1,2,2,71,1,2,1,1
+68793,7,2,1,73,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,68460.271241,72711.227332,1,102,7,7,2.86,2,2,0,0,2,1,73,1,5,1,3
+68794,7,2,1,74,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,87101.243392,92194.745773,1,101,14,14,4.96,2,2,0,0,2,1,74,1,4,1,3
+68795,7,1,2,4,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13366.393396,0,2,94,7,7,1.18,7,7,1,4,0,2,31,1,4,6,NA
+68796,7,2,1,4,NA,2,2,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14505.510202,15161.207968,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+68797,7,2,1,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,17138.242525,20070.705691,1,90,6,6,1.57,3,3,1,0,0,2,25,1,3,6,NA
+68798,7,2,1,0,6,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7757.493251,8192.524698,3,92,13,13,NA,6,6,1,2,0,1,53,1,9,1,3
+68799,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,46023.826844,48519.015788,1,91,99,99,NA,1,1,0,0,1,1,70,1,2,3,NA
+68800,7,2,2,1,22,1,1,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11512.764389,11552.07657,2,98,7,7,1.26,7,7,1,2,0,1,43,1,2,1,1
+68801,7,2,2,3,NA,4,4,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10295.166918,11223.20055,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+68802,7,2,2,40,NA,4,4,1,NA,NA,2,NA,2,1,4,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,25189.042335,24671.456999,1,100,9,9,2.22,5,5,1,2,0,2,40,2,4,1,4
+68803,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18070.666316,17788.997869,1,99,14,14,4.05,3,3,0,1,0,2,52,1,4,4,NA
+68804,7,1,1,31,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19788.748292,0,1,94,1,1,0.08,7,7,2,4,0,1,31,1,2,1,4
+68805,7,2,1,0,4,3,3,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17113.022485,16817.175522,1,91,15,15,5,3,3,1,0,0,1,36,1,5,1,5
+68806,7,2,2,3,NA,5,6,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8171.700571,8311.029296,1,92,7,7,1.65,4,4,2,0,0,1,24,1,4,1,3
+68807,7,2,2,35,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,15388.376971,15419.798755,2,99,15,15,5,2,2,0,0,0,2,35,1,5,1,5
+68808,7,2,1,58,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,18032.281818,17974.767241,2,99,1,1,0.4,1,1,0,0,0,1,58,1,4,3,NA
+68809,7,2,2,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,7906.792868,2,95,6,6,0.97,6,6,2,1,0,1,54,1,3,6,NA
+68810,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,12291.154515,13189.875012,1,95,2,2,0.66,1,1,0,0,1,1,80,1,3,5,NA
+68811,7,2,1,0,7,1,1,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6999.189812,6930.018579,3,92,12,12,NA,7,7,2,1,0,2,30,1,2,1,9
+68812,7,2,1,42,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,19115.012147,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+68813,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,52701.331723,59294.433957,3,91,3,3,0.73,3,3,1,0,0,2,24,1,2,1,3
+68814,7,2,1,32,NA,4,4,2,NA,NA,2,NA,2,1,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20133.630718,20200.188991,1,93,6,6,1.35,3,3,0,1,0,1,32,2,4,1,4
+68815,7,2,2,10,NA,5,6,2,10,123,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6412.057856,6879.064185,3,91,8,8,2.81,3,3,0,2,0,2,31,1,4,3,NA
+68816,7,2,2,58,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,21097.069797,24201.517172,2,90,2,2,0.83,1,1,0,0,0,2,58,1,3,3,NA
+68817,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18353.275855,20231.959782,1,91,12,8,2.15,6,4,1,1,0,2,29,1,4,6,NA
+68818,7,2,1,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7410.50521,7700.344649,2,96,6,6,2.75,1,1,0,0,1,1,62,1,3,3,NA
+68819,7,2,1,47,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,52941.648658,53777.896935,2,102,77,77,NA,4,4,0,1,0,1,47,1,2,1,3
+68820,7,2,2,2,NA,2,2,1,2,31,NA,NA,2,1,2,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10164.721409,11222.125211,2,93,5,5,0.87,4,4,1,1,0,1,41,2,5,1,3
+68821,7,2,1,2,NA,4,4,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9438.902193,9727.203655,2,102,4,4,0.72,4,4,2,0,0,1,48,1,3,1,3
+68822,7,2,1,3,NA,2,2,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15745.774489,16244.197679,2,91,4,4,0.67,5,4,2,0,2,2,66,2,1,1,NA
+68823,7,2,1,64,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7897.700656,8206.595267,2,95,7,7,2.31,2,2,0,0,2,2,63,1,3,1,3
+68824,7,2,2,80,NA,2,2,2,NA,NA,1,2,2,1,9,NA,2,1,NA,2,1,2,1,2,2,1,1,2,NA,18824.116627,20613.042179,2,90,6,6,2.24,2,2,0,0,2,1,75,2,4,1,2
+68825,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,1,2,1,1,2,1,1,2,2,3,16590.074977,17628.593761,1,92,2,2,0.33,5,5,0,1,0,1,51,2,1,4,NA
+68826,7,2,1,7,NA,4,4,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10409.90361,10390.331705,1,96,3,2,0.16,7,6,1,4,0,2,32,1,2,5,NA
+68827,7,2,1,43,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17046.256569,17889.989739,1,96,9,9,4.1,2,2,0,0,0,2,45,2,5,1,5
+68828,7,2,1,24,NA,5,6,2,NA,NA,2,NA,2,1,99,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,10141.381563,10448.082757,3,90,15,15,5,3,3,0,0,0,1,46,2,3,1,3
+68829,7,2,2,0,6,2,2,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7446.889459,7422.354625,2,96,6,6,1.12,4,4,2,0,0,1,27,2,2,6,NA
+68830,7,2,2,39,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,13027.332011,13103.987136,2,103,77,77,NA,5,5,0,2,0,2,39,2,5,1,5
+68831,7,2,2,79,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,16612.938931,17191.011953,2,99,14,14,4.96,2,2,0,0,2,2,79,1,5,1,NA
+68832,7,2,1,15,NA,5,6,2,15,189,NA,NA,2,2,2,8,NA,NA,NA,1,1,1,1,2,1,1,2,1,NA,6666.045669,7091.184391,3,90,6,6,1.31,3,3,0,1,0,1,49,2,3,1,4
+68833,7,2,1,41,NA,2,2,2,NA,NA,2,NA,77,NA,NA,NA,3,5,NA,2,2,2,2,2,2,2,2,1,2,25035.846455,25142.418345,2,99,99,4,1.61,5,1,0,1,0,1,40,2,1,6,NA
+68834,7,2,1,7,NA,4,4,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14832.155253,15089.454697,1,97,15,15,5,4,4,1,1,0,1,35,1,5,1,5
+68835,7,1,1,49,NA,2,2,NA,NA,NA,2,NA,2,1,77,NA,1,6,NA,2,2,2,1,2,2,NA,NA,NA,NA,39096.402803,0,2,91,1,1,0.17,4,4,0,1,0,1,49,2,1,6,NA
+68836,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,4299.99963,4413.31452,3,90,15,15,4.2,6,6,1,0,2,1,60,1,5,1,4
+68837,7,2,2,35,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,22326.231285,22166.696692,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+68838,7,2,2,7,NA,1,1,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12789.411811,13121.359297,1,102,2,2,0.52,3,3,0,2,0,2,36,2,3,4,NA
+68839,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,44041.763669,47615.276255,1,92,10,10,3.67,3,3,0,0,2,1,52,1,4,77,NA
+68840,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19117.284298,19018.955883,2,95,7,7,2.58,2,2,0,0,0,2,57,1,4,3,NA
+68841,7,2,1,49,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21158.364877,21090.879552,1,96,7,7,2.75,2,2,0,0,0,1,49,1,4,1,5
+68842,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,29670.405171,29530.485322,2,95,4,4,0.76,4,4,0,1,2,1,80,1,1,2,NA
+68843,7,2,1,52,NA,1,1,2,NA,NA,2,NA,2,2,2,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,22446.308035,24663.335125,2,94,4,2,0.54,4,2,0,0,0,1,46,NA,NA,1,NA
+68844,7,2,1,8,NA,3,3,1,8,100,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,85148.03778,90558.20429,1,98,7,7,1.48,5,5,1,1,0,1,46,1,3,1,3
+68845,7,2,2,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,36067.495928,37024.300659,1,95,3,3,1.1,1,1,0,0,1,2,75,1,3,2,NA
+68846,7,2,2,49,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,23742.825358,24088.979786,1,100,15,15,5,2,2,0,0,0,1,48,2,5,1,5
+68847,7,2,1,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,2,2,2,1,2,2,1,59682.963348,63262.110969,2,102,9,9,3.24,3,3,0,0,0,1,54,2,4,1,4
+68848,7,2,2,4,NA,3,3,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20589.729566,21881.111334,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+68849,7,2,1,5,NA,4,4,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,10346.695479,1,100,3,3,0.52,3,3,1,1,0,2,25,1,3,5,NA
+68850,7,2,1,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,52698.05363,59566.360508,3,92,7,7,1.65,4,4,1,1,0,1,27,1,3,1,3
+68851,7,2,2,13,NA,1,1,1,13,157,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18515.058419,19360.671834,2,96,6,6,0.87,6,6,1,3,0,1,46,2,1,1,1
+68852,7,2,1,7,NA,5,6,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9720.482616,10533.307174,2,91,7,7,1.56,4,4,1,1,0,2,37,2,5,1,5
+68853,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,27428.65319,29015.297283,2,91,2,2,0.26,4,4,0,1,0,1,20,1,3,5,NA
+68854,7,2,1,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,NA,10037.214229,10115.728475,2,92,6,6,2.31,2,2,0,0,2,2,65,1,4,5,NA
+68855,7,2,1,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,71070.181743,73766.510327,1,95,6,6,1.94,2,2,0,0,2,2,69,1,2,1,4
+68856,7,2,2,14,NA,5,7,1,14,175,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15711.746539,15750.442176,1,98,14,14,3.16,6,6,2,2,0,1,39,1,5,1,5
+68857,7,2,2,12,NA,3,3,2,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,91797.787708,92992.465808,1,95,14,14,3.8,4,4,0,2,0,2,37,1,5,1,5
+68858,7,2,2,12,NA,2,2,2,12,148,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,8,8,2.24,4,4,1,1,0,2,29,1,4,6,NA
+68859,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,85444.349063,86035.699897,1,94,14,14,2.96,5,5,0,3,0,2,39,1,4,1,3
+68860,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23248.471636,1,95,7,7,1.66,5,5,0,3,0,1,34,1,2,1,4
+68861,7,2,1,8,NA,1,1,1,8,100,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11159.151566,11057.808004,1,102,2,2,0.31,4,4,1,2,0,2,25,1,2,4,NA
+68862,7,2,1,3,NA,5,7,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8269.653573,9275.321266,1,101,4,4,0.78,4,4,1,2,0,2,31,1,4,3,NA
+68863,7,2,1,4,NA,5,6,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6319.053383,6623.952114,1,91,6,6,1.25,4,4,1,1,0,1,26,2,4,6,NA
+68864,7,2,2,57,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,1,2,2,2,2,1,2,29695.385784,37858.742479,2,91,3,3,0.66,2,2,0,0,1,1,69,2,5,1,1
+68865,7,2,1,62,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,2,1,2,1,1,2,2,1,8460.109732,8526.287371,1,93,5,5,0.64,7,7,0,2,1,1,21,2,4,5,NA
+68866,7,2,1,22,NA,2,2,2,NA,NA,2,NA,2,1,2,NA,4,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,31312.870743,31739.689334,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+68867,7,2,1,12,NA,3,3,1,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,79897.505873,82468.209663,2,100,6,6,1.7,3,3,0,1,0,2,33,1,4,6,NA
+68868,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,47157.788417,52669.767304,2,95,10,10,4.3,2,2,0,0,2,1,80,1,5,1,4
+68869,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,156728.884529,156630.502182,1,100,15,15,5,3,3,0,0,0,1,53,1,5,1,4
+68870,7,2,2,0,10,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4581.358327,4631.381361,2,97,5,5,1.3,3,3,1,0,0,2,46,1,3,1,3
+68871,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,83239.679734,92023.913528,1,90,15,15,5,4,4,0,2,0,1,37,1,5,1,5
+68872,7,2,1,34,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,39040.678458,40784.183756,2,98,2,2,0.35,3,3,0,1,0,2,43,1,3,1,3
+68873,7,2,2,24,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16131.725974,16820.579069,1,99,2,2,0.66,2,1,0,0,0,2,24,1,5,5,NA
+68874,7,2,1,55,NA,2,2,2,NA,NA,2,NA,2,2,8,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,32634.009061,33534.701149,2,91,10,10,4.63,2,2,0,0,0,1,55,2,3,3,NA
+68875,7,2,1,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,174520.785302,181786.280703,1,95,7,7,2.86,2,2,0,0,0,2,50,1,3,1,3
+68876,7,2,2,78,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,81416.374938,89993.518978,1,97,15,15,5,2,2,0,0,2,1,78,1,3,1,3
+68877,7,2,1,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19387.053587,1,99,14,14,3.67,4,4,1,0,0,2,49,1,3,1,3
+68878,7,2,1,2,NA,2,2,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10803.555682,10625.559962,2,94,1,1,0.16,2,2,1,0,0,2,25,2,3,1,NA
+68879,7,2,1,2,NA,3,3,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21718.301271,24669.801903,3,91,6,6,1,6,6,1,1,0,2,39,1,1,3,NA
+68880,7,2,1,15,NA,5,7,1,15,184,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,59545.101745,58762.542429,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+68881,7,2,2,35,NA,3,3,2,NA,NA,2,NA,2,1,1,NA,2,1,2,1,2,1,1,2,1,NA,NA,NA,NA,19498.713386,20960.418705,2,97,5,5,0.8,5,5,1,2,0,1,46,2,4,1,2
+68882,7,2,2,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16313.554006,16926.636803,1,103,8,8,1.95,4,4,0,1,0,2,48,1,5,1,5
+68883,7,1,1,53,NA,2,2,NA,NA,NA,2,NA,2,2,7,NA,2,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,23431.677775,0,2,93,3,3,0.63,3,3,0,1,0,1,53,2,2,1,4
+68884,7,2,2,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,24905.670199,26841.707501,2,101,3,3,0.65,3,3,0,1,0,2,54,1,3,5,NA
+68885,7,2,2,11,NA,1,1,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12481.057866,12612.274737,1,102,4,4,0.61,5,5,2,2,0,2,27,2,2,5,NA
+68886,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,83441.642088,87352.545854,1,99,15,15,5,4,4,0,2,0,2,44,1,5,1,5
+68887,7,2,1,1,19,1,1,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,3,92,3,3,0.54,4,4,3,0,0,2,22,1,3,5,NA
+68888,7,2,1,74,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,NA,9257.537917,9255.717695,1,99,9,9,5,2,1,0,0,2,2,61,1,4,6,NA
+68889,7,2,2,3,NA,4,4,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8674.686381,9059.886471,2,99,77,77,NA,4,4,1,1,0,2,47,1,2,77,NA
+68890,7,2,2,8,NA,1,1,1,8,101,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,22618.378147,23255.85994,2,102,5,5,0.89,4,4,1,1,0,2,28,2,2,1,2
+68891,7,2,2,3,NA,1,1,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15308.9293,16274.054403,2,98,4,4,0.48,6,6,2,0,2,2,65,2,1,2,NA
+68892,7,2,1,75,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,8431.365248,9201.488687,1,96,10,10,3.04,4,4,0,0,2,1,56,1,3,3,NA
+68893,7,2,1,15,NA,4,4,2,15,188,NA,NA,1,1,NA,11,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11023.237662,11433.168046,1,99,15,15,5,4,4,0,2,0,2,46,1,5,1,5
+68894,7,2,1,36,NA,5,7,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,65033.706797,66896.305599,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+68895,7,2,2,74,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,12813.709202,13258.116643,2,103,14,14,3.47,4,4,1,0,1,1,47,2,5,1,5
+68896,7,2,1,4,NA,4,4,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8402.233801,8749.415211,2,97,3,3,0.4,6,6,2,3,0,2,25,1,2,5,NA
+68897,7,2,2,1,15,5,6,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6184.163292,6116.466669,1,91,15,15,3.25,7,7,1,2,0,2,31,1,5,1,5
+68898,7,2,1,3,NA,2,2,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13891.873932,13527.718832,2,97,12,6,0.89,7,7,3,0,0,2,26,2,1,6,NA
+68899,7,2,1,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18790.641284,22550.069226,2,100,14,14,5,7,1,1,3,1,2,62,1,3,5,NA
+68900,7,2,1,7,NA,3,3,2,7,93,NA,NA,2,2,2,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,49047.972936,54301.226542,1,93,10,10,2.48,5,5,2,1,0,1,40,2,5,1,5
+68901,7,2,2,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,112011.120236,112121.110185,2,92,15,15,5,2,1,0,0,0,1,52,1,5,6,NA
+68902,7,2,2,78,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,12493.113557,12927.830854,2,99,77,77,NA,1,1,0,0,1,2,78,1,4,2,NA
+68903,7,1,2,75,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,89167.746947,0,1,95,5,5,1.43,2,2,0,0,2,1,80,1,3,1,4
+68904,7,2,1,6,NA,4,4,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7758.863533,8127.805304,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+68905,7,2,2,1,21,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7618.827213,7815.48207,2,97,6,6,1.7,2,2,1,0,0,2,20,1,4,5,NA
+68906,7,2,2,16,NA,1,1,2,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,12680.621719,13347.583861,2,90,6,6,1.15,5,5,0,2,0,2,47,2,1,1,5
+68907,7,2,2,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,1,2,2,1,119412.590109,122441.098321,1,92,6,6,1.62,3,3,1,0,0,2,26,1,5,1,5
+68908,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,16727.646581,2,100,9,9,2.46,4,4,1,1,1,2,59,1,3,1,3
+68909,7,2,1,16,NA,4,4,2,16,202,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13513.882801,1,96,15,15,5,4,4,1,1,0,1,50,1,3,1,4
+68910,7,2,1,74,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,2,1,NA,2,2,2,1,2,2,1,2,2,NA,17419.161186,17783.358691,1,102,7,7,1.7,4,4,0,0,2,1,44,1,4,4,NA
+68911,7,2,1,13,NA,4,4,1,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,95,4,4,0.76,4,4,0,1,2,1,80,1,1,2,NA
+68912,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,2,NA,1,1,2,1,2,2,1,2,1,NA,9509.326077,9839.130289,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+68913,7,2,2,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,17260.508485,17587.688781,2,101,1,1,0.1,6,6,1,2,1,2,27,1,2,1,2
+68914,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,38093.351998,47908.278929,2,91,4,4,1.19,2,2,0,0,0,1,59,1,1,1,3
+68915,7,2,2,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,80418.665565,83274.564983,2,100,8,8,2.91,3,3,0,2,0,2,48,1,5,1,NA
+68916,7,2,1,56,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,37426.314738,38162.090079,3,92,5,5,1.39,2,2,0,0,0,1,56,2,1,1,1
+68917,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,65331.560138,67202.689613,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+68918,7,2,1,55,NA,1,1,2,NA,NA,2,NA,2,2,2,NA,1,5,NA,2,2,2,2,2,2,2,2,2,2,22446.308035,22401.210337,2,94,77,77,NA,4,4,0,0,0,1,28,2,1,3,NA
+68919,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,71525.773464,1,98,7,7,1.66,5,5,2,1,0,2,37,1,5,1,3
+68920,7,2,2,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17805.920521,18110.342663,2,93,12,12,NA,4,4,0,0,2,1,72,1,2,1,4
+68921,7,2,2,8,NA,3,3,1,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,45129.675368,44994.093254,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+68922,7,2,2,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,88916.414931,91644.282892,1,101,14,14,4.96,2,2,0,0,2,1,74,1,4,1,3
+68923,7,2,1,13,NA,5,6,2,13,157,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11506.937395,12032.024805,1,97,7,7,1.48,5,5,0,1,0,2,46,2,4,1,NA
+68924,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,4,1,0.18,4,1,0,0,0,1,22,1,5,5,NA
+68925,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,8286.407536,8892.303775,1,91,3,3,0.98,1,1,0,0,1,1,80,1,3,2,NA
+68926,7,2,2,3,NA,5,6,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6537.38756,6940.023785,1,92,12,12,NA,7,7,1,2,1,2,45,2,3,1,3
+68927,7,2,1,11,NA,4,4,2,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10669.652248,10854.743056,2,97,5,5,0.76,5,5,1,2,0,1,32,1,4,6,NA
+68928,7,2,1,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,19260.892847,19291.900704,2,97,13,13,NA,1,1,0,0,0,1,41,1,2,5,NA
+68929,7,2,2,19,NA,2,2,2,19,235,2,NA,2,7,77,13,NA,NA,NA,2,2,2,2,2,2,2,2,1,2,23968.380373,25913.276293,2,91,4,4,0.43,7,7,0,1,1,1,41,2,1,4,NA
+68930,7,2,2,6,NA,4,4,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8031.102104,8647.40073,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+68931,7,2,1,22,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14424.961621,15273.975784,2,102,8,8,2.01,4,4,0,0,0,1,59,2,4,1,4
+68932,7,2,1,4,NA,4,4,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,11070.778245,1,100,8,8,2.36,3,3,1,0,0,2,37,1,3,4,NA
+68933,7,2,1,72,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,8517.336599,8684.171961,2,100,14,14,5,2,2,0,0,2,2,63,1,5,1,4
+68934,7,2,2,47,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,4,NA,2,2,2,2,2,2,1,2,1,2,35815.777398,36002.553631,1,94,2,2,0.27,5,5,0,4,0,2,47,2,1,4,NA
+68935,7,2,1,46,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,31233.526521,31366.480522,1,100,8,4,1.43,6,1,1,0,0,1,33,2,3,6,NA
+68936,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,26465.930618,28724.649216,2,100,4,4,0.86,3,3,0,2,0,2,36,1,3,5,NA
+68937,7,2,1,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19185.622388,22768.505116,2,95,15,10,3.67,5,3,0,0,0,1,47,1,5,1,3
+68938,7,2,1,9,NA,1,1,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,NA,11316.846999,12445.832216,3,91,4,4,1.02,2,2,0,1,0,2,24,2,1,5,NA
+68939,7,2,1,7,NA,1,1,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14820.807433,14905.891142,2,102,8,8,1.91,5,5,1,2,0,1,36,2,1,1,4
+68940,7,2,2,2,NA,2,2,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11981.824297,12363.063282,2,91,2,2,0.22,4,4,1,1,0,2,48,2,9,5,NA
+68941,7,2,1,0,10,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6780.545196,6884.61702,1,96,14,14,3.47,4,4,1,1,0,2,27,1,3,6,NA
+68942,7,2,2,14,NA,4,4,1,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12531.903464,12935.738352,2,100,5,5,1.08,3,3,0,1,0,2,50,1,4,3,NA
+68943,7,2,2,0,2,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4099.350341,4144.110416,2,99,7,7,1.74,4,4,2,0,0,2,56,1,2,5,NA
+68944,7,2,2,79,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,20341.088581,21872.034752,1,93,2,2,0.64,1,1,0,0,1,2,79,1,4,3,NA
+68945,7,2,2,27,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,17568.277926,19062.73336,1,90,2,2,0.56,2,2,1,0,0,2,27,1,3,5,NA
+68946,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,82743.954233,85642.054874,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+68947,7,2,2,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,10033.449917,10806.84762,2,95,13,13,NA,2,2,0,0,2,2,80,1,1,1,NA
+68948,7,2,2,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,86578.861495,89037.775585,2,101,7,7,1.88,4,4,0,2,0,2,36,1,4,1,5
+68949,7,2,1,63,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,9145.939054,9651.644596,1,101,5,5,0.87,4,4,0,0,2,1,63,2,1,1,NA
+68950,7,2,2,38,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,39561.667842,38494.210933,2,98,7,7,1.33,6,6,0,3,0,1,31,1,3,6,NA
+68951,7,2,1,4,NA,1,1,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16775.083123,16973.400581,3,92,4,4,0.6,6,6,2,2,0,2,24,1,3,6,NA
+68952,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,56397.521122,64147.609457,2,91,7,7,2.51,2,2,0,0,1,2,80,1,5,2,NA
+68953,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,24919.497762,27697.191423,1,101,4,4,0.78,4,4,1,2,0,2,32,1,3,3,NA
+68954,7,2,2,1,22,4,4,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10927.526143,11412.763748,2,102,2,2,0.36,4,4,1,2,0,2,36,1,3,5,NA
+68955,7,2,1,59,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32680.7991,1,95,15,15,3.62,7,7,2,4,0,1,59,1,5,1,2
+68956,7,2,2,14,NA,3,3,1,14,177,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28004.718304,30534.517049,1,94,7,7,1.21,6,6,2,2,0,1,31,1,2,6,NA
+68957,7,2,1,12,NA,4,4,2,13,156,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,6,6,1.85,2,2,0,1,0,2,48,1,4,5,NA
+68958,7,2,1,12,NA,1,1,1,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30061.88611,32302.400867,1,92,10,10,3.04,4,4,1,1,0,1,32,1,3,1,2
+68959,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,17777.254625,18901.462969,2,99,NA,77,NA,3,1,0,0,1,1,63,1,3,5,NA
+68960,7,2,2,10,NA,2,2,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,15897.166957,16345.216522,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+68961,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,117419.769432,119338.215671,2,95,15,15,5,2,2,0,0,2,1,70,1,5,1,5
+68962,7,2,1,14,NA,5,6,2,14,177,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11506.937395,12032.024805,1,97,15,15,5,3,3,0,1,0,2,45,2,5,1,5
+68963,7,2,2,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6306.491784,7047.470907,2,90,6,6,1.34,4,4,1,0,0,1,38,2,4,6,NA
+68964,7,2,1,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19130.866571,19325.235628,2,99,6,6,2.95,1,1,0,0,0,1,20,1,3,5,NA
+68965,7,2,2,2,NA,3,3,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20820.221848,22126.060024,1,101,5,5,0.89,5,5,1,0,0,1,25,1,2,77,NA
+68966,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,11982.125462,2,97,1,1,0,2,2,0,0,1,2,63,1,4,5,NA
+68967,7,2,1,20,NA,4,4,1,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26503.609729,2,101,3,1,0,2,1,0,0,0,1,20,2,4,5,NA
+68968,7,2,1,12,NA,1,1,1,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22768.423624,22944.003607,3,92,4,4,0.81,3,3,0,2,0,2,31,1,3,1,NA
+68969,7,2,1,0,1,1,1,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7040.676479,6971.095244,1,98,9,1,0.04,7,1,3,2,0,2,32,1,4,1,4
+68970,7,2,1,11,NA,1,1,2,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13285.093011,13153.997889,2,94,7,7,1.88,4,4,0,2,0,2,28,1,4,4,NA
+68971,7,2,2,21,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,42583.505439,50840.190326,2,91,4,4,0.69,4,4,2,0,0,2,21,1,3,6,NA
+68972,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,11771.283932,12488.02543,1,90,9,9,2.07,5,5,0,0,1,1,46,2,4,1,3
+68973,7,2,1,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6837.992772,6921.398172,1,96,15,15,4.34,4,4,1,1,0,1,39,2,5,1,5
+68974,7,2,1,10,NA,4,4,1,10,123,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10311.165779,10434.780551,2,98,8,8,2.43,3,3,0,2,0,2,31,1,4,1,NA
+68975,7,2,2,3,NA,3,3,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,85197.465687,87881.529962,1,92,15,15,5,4,4,2,0,0,2,46,1,5,1,5
+68976,7,2,1,44,NA,5,7,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12254.763576,12210.492386,2,90,3,3,0.65,5,3,1,2,0,1,44,2,5,1,5
+68977,7,2,1,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,1,2,2,NA,13251.84987,13511.423639,2,95,4,4,0.76,4,4,0,1,2,1,80,1,1,2,NA
+68978,7,2,1,39,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,113559.363135,120841.424294,2,102,15,15,5,4,4,0,2,0,1,39,1,4,1,5
+68979,7,2,2,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,74518.988514,1,98,14,14,4.12,4,4,0,2,0,2,36,1,5,1,3
+68980,7,2,1,20,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,2,2,2,1,2,2,1,35669.2076,36620.108921,2,94,77,77,NA,4,4,0,0,0,1,28,2,1,3,NA
+68981,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,40870.323556,45647.400007,2,99,15,15,5,1,1,0,0,1,2,80,1,5,3,NA
+68982,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,3,1,1,1,2,2,1,2,2,1,2,2,1,17858.942687,18621.550977,1,97,15,15,4.84,6,6,2,0,0,1,53,NA,NA,1,NA
+68983,7,2,1,67,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11568.876339,11794.347884,1,102,6,6,2.75,1,1,0,0,1,1,67,1,5,3,NA
+68984,7,2,2,0,9,3,3,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21671.775435,21083.121886,1,101,9,9,2.39,4,4,1,0,0,2,57,1,2,77,NA
+68985,7,2,2,16,NA,4,4,1,16,201,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13895.342981,13964.270792,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+68986,7,2,2,18,NA,4,4,2,19,228,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,21329.621847,2,101,12,12,NA,4,4,0,0,0,1,57,1,3,1,3
+68987,7,2,1,9,NA,2,2,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15882.795076,15889.831109,1,97,3,3,0.44,5,5,2,2,0,2,26,1,4,4,NA
+68988,7,2,1,72,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,NA,8497.912951,8999.288803,2,100,2,2,0.73,1,1,0,0,1,1,72,1,1,4,NA
+68989,7,2,1,34,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,13601.994691,14463.629992,2,100,9,9,2.46,4,4,0,2,0,2,36,2,4,1,3
+68990,7,2,1,53,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22446.308035,22116.943066,2,91,10,10,2.95,4,4,0,1,0,2,18,1,3,NA,NA
+68991,7,2,1,40,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,34152.149953,40351.498105,1,90,5,5,1,4,4,0,2,0,1,40,2,2,1,1
+68992,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,17533.239798,17053.396696,2,99,3,3,0.44,5,5,1,1,0,2,53,1,4,1,3
+68993,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,19005.010125,19043.816772,1,92,2,2,0.24,5,5,0,2,0,1,35,2,4,1,3
+68994,7,2,1,19,NA,3,3,1,19,233,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,74191.50646,74370.660378,1,98,8,8,2.62,3,3,0,0,0,1,50,NA,NA,3,NA
+68995,7,2,1,75,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,60942.568495,64726.722108,1,94,14,14,5,2,2,0,0,2,2,72,1,5,1,5
+68996,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,NA,1,2,2,1,2,2,1,2,2,NA,14385.653726,15564.966804,2,101,7,5,1.84,2,1,0,0,0,1,23,2,4,5,NA
+68997,7,2,1,7,NA,2,2,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13599.766245,14493.354345,2,93,3,3,0.48,4,4,1,1,0,1,49,2,3,1,4
+68998,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,15206.604563,15895.992431,2,90,15,15,5,4,4,1,1,0,1,53,2,5,1,5
+68999,7,2,1,2,NA,4,4,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8022.100831,8353.575096,2,102,4,4,0.53,6,6,2,2,0,2,27,1,2,1,2
+69000,7,2,1,13,NA,3,3,2,13,163,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,26824.630008,26472.092796,1,95,1,1,0.12,3,3,0,2,0,2,40,1,5,3,NA
+69001,7,2,1,68,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,6038.685119,6274.869975,1,96,6,6,1.57,3,3,0,0,1,1,42,1,3,NA,NA
+69002,7,2,1,8,NA,1,1,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14007.413517,2,98,15,15,4.97,5,5,0,3,0,1,39,1,5,1,5
+69003,7,2,1,7,NA,2,2,2,7,88,NA,NA,2,2,3,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9390.522479,10327.334743,2,90,2,2,0.32,4,4,1,2,0,2,34,2,1,77,NA
+69004,7,2,1,16,NA,1,1,2,16,200,NA,NA,1,1,NA,9,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,18120.499457,19917.650851,1,90,1,1,0.02,5,5,0,1,0,2,39,2,1,1,2
+69005,7,2,2,77,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60723.387753,62586.321432,1,96,14,14,5,2,2,0,0,2,1,74,1,5,1,4
+69006,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,95214.22557,95506.977757,1,97,15,15,3.89,5,5,0,2,0,1,50,1,4,6,NA
+69007,7,2,1,55,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,2,4,NA,2,2,2,NA,NA,NA,2,2,1,2,24211.824535,26078.926124,2,93,3,3,0.43,4,4,0,0,0,1,45,2,2,6,NA
+69008,7,1,2,65,NA,2,2,NA,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9325.158469,0,1,93,15,15,5,2,2,0,0,2,2,65,2,4,1,5
+69009,7,2,1,56,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18416.819037,18519.889723,2,96,8,8,3.67,2,2,0,0,0,1,56,2,5,1,5
+69010,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,13799.782578,14328.748539,2,103,7,7,1.48,5,5,0,1,1,2,80,1,4,3,NA
+69011,7,2,2,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,170311.62251,172039.874492,1,94,15,15,5,4,3,0,0,1,1,33,1,2,5,NA
+69012,7,2,1,1,14,2,2,2,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8331.647763,8430.145707,2,90,8,8,1.72,5,5,1,2,0,1,20,2,1,1,2
+69013,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,18876.596264,19790.278241,1,101,3,3,0.44,5,5,0,3,0,1,35,1,3,1,4
+69014,7,2,1,78,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60942.568495,64726.722108,1,91,10,10,4.3,2,2,0,0,2,1,78,1,4,1,4
+69015,7,2,1,0,1,2,2,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,7328.080818,7255.659238,2,102,15,15,2.43,7,7,3,2,0,1,28,2,5,1,4
+69016,7,2,2,13,NA,4,4,1,13,159,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14166.687432,14745.171396,1,100,1,1,0,4,4,1,2,0,2,35,1,2,5,NA
+69017,7,2,1,58,NA,4,4,2,NA,NA,2,NA,2,2,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16695.743237,21107.492082,3,90,12,12,NA,2,2,0,0,0,2,56,2,4,1,5
+69018,7,2,1,39,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,16058.989596,16964.610342,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+69019,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,138322.767578,151356.795097,1,101,13,13,NA,2,2,0,0,0,1,40,1,2,1,3
+69020,7,2,1,42,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,35551.992846,35164.643493,3,91,15,14,4.03,5,4,2,0,0,1,42,2,4,1,5
+69021,7,2,1,18,NA,1,1,1,18,220,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27186.265479,27336.512389,1,95,4,4,0.68,5,5,0,1,0,2,38,2,3,4,NA
+69022,7,2,2,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,42424.587753,44729.774642,2,102,4,4,1.16,2,2,0,0,0,1,48,1,4,1,4
+69023,7,2,2,7,NA,5,7,1,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14676.903347,14493.499136,1,102,5,5,1.27,3,3,0,2,0,2,38,1,2,3,NA
+69024,7,2,1,65,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11764.405491,12074.424659,1,97,4,4,1.34,1,1,0,0,1,1,65,1,5,3,NA
+69025,7,2,1,60,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,11937.570805,12597.633777,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+69026,7,2,2,1,19,1,1,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9469.751474,10066.755659,1,102,13,13,NA,6,6,1,2,0,2,36,2,4,6,NA
+69027,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,96536.931937,99301.799305,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+69028,7,2,1,0,5,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7757.493251,8192.524698,3,92,8,8,1.45,6,6,2,0,0,2,58,2,5,1,9
+69029,7,2,2,6,NA,4,4,2,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7631.175557,7797.231767,1,93,1,1,0.02,5,5,0,4,0,2,36,NA,NA,5,NA
+69030,7,1,1,36,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,22188.836739,0,1,101,13,13,NA,3,3,1,0,0,2,20,1,2,6,NA
+69031,7,2,1,22,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,5,NA,1,2,2,1,2,2,1,2,2,3,15196.92397,17064.888752,2,101,9,6,2.3,4,1,0,0,0,1,22,2,3,5,NA
+69032,7,2,2,64,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,2,NA,2,2,2,1,2,2,NA,NA,NA,NA,6287.91334,6572.718606,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+69033,7,2,1,2,NA,3,3,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50064.977404,56868.769772,1,95,14,14,2.98,5,5,1,2,0,1,33,1,4,1,5
+69034,7,2,1,33,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,2,6,NA,2,2,2,1,2,2,2,2,1,2,36418.962534,36838.502529,2,93,4,4,0.56,5,5,0,2,0,1,37,NA,NA,1,1
+69035,7,2,1,68,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,14,14,5,2,2,0,0,2,1,68,1,4,1,4
+69036,7,2,1,76,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,8764.234393,9213.337166,2,98,77,77,NA,2,2,0,0,2,2,70,1,3,1,2
+69037,7,2,1,41,NA,1,1,1,NA,NA,2,NA,2,1,4,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,37402.70356,39181.236579,2,102,15,15,5,3,3,1,0,0,1,41,2,2,1,5
+69038,7,2,2,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,99381.891022,103468.309204,2,92,15,15,5,2,1,0,0,0,2,29,1,5,1,NA
+69039,7,1,1,39,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,83081.99261,0,2,92,15,15,5,2,1,0,0,0,1,41,1,4,5,NA
+69040,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,92399.914697,92845.296279,2,92,15,15,5,5,5,0,3,0,2,46,1,5,1,5
+69041,7,2,1,8,NA,4,4,1,8,101,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10311.165779,10516.173846,2,98,4,4,1.29,2,2,0,1,0,2,27,1,2,5,NA
+69042,7,2,1,33,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,3,6,NA,2,2,2,1,2,2,1,2,2,1,43108.74283,43605.347908,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+69043,7,2,1,5,NA,5,6,2,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4526.77644,4888.797036,3,90,12,12,NA,5,5,1,2,0,1,37,2,5,1,5
+69044,7,2,2,0,8,2,2,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,7135.777159,7112.267328,1,90,7,7,1.56,4,4,1,1,0,2,37,1,2,77,NA
+69045,7,2,2,65,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,4,1,NA,2,2,2,1,2,2,1,2,2,2,13676.984152,14509.761798,2,91,8,8,3.3,2,2,0,0,2,1,65,NA,NA,1,4
+69046,7,2,1,3,NA,5,6,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8402.098771,9423.873047,3,91,7,7,2.16,3,3,1,0,1,2,36,2,5,1,NA
+69047,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,98514.948291,98181.677236,1,99,15,15,5,2,2,0,0,2,1,73,1,4,1,5
+69048,7,2,2,11,NA,3,3,1,11,143,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18800.96526,18551.296274,1,94,6,6,1.26,5,5,0,2,0,2,38,1,4,1,NA
+69049,7,2,1,71,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,1,2,1,2,2,1,1,2,NA,10776.442569,10987.528707,1,96,7,7,1,7,7,2,1,1,2,53,1,4,1,3
+69050,7,2,2,1,22,3,3,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39879.891371,42381.146401,1,91,14,14,3.06,5,5,2,0,0,2,30,1,5,1,5
+69051,7,2,2,5,NA,3,3,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51483.624552,53105.566664,1,94,15,15,5,4,4,2,0,0,1,51,2,5,1,5
+69052,7,1,2,40,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,3,1,2,2,1,2,2,NA,NA,NA,NA,115926.402585,0,1,101,15,15,5,4,4,0,2,0,2,40,1,4,1,3
+69053,7,2,2,43,NA,2,2,2,NA,NA,2,NA,2,1,1,NA,3,6,2,2,2,2,2,2,2,2,2,2,2,34503.935186,34683.870273,2,91,12,12,NA,5,5,0,1,1,2,43,2,3,6,NA
+69054,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19633.637051,21699.358471,2,95,5,5,1.05,3,3,0,1,0,1,43,1,3,1,2
+69055,7,2,2,28,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,53638.260635,56251.206542,2,96,7,7,2.38,2,2,0,0,0,1,29,1,3,1,4
+69056,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13593.59406,14525.996816,2,90,5,5,1.08,3,3,0,1,0,2,29,2,4,1,5
+69057,7,2,2,39,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,4,1,2,2,2,2,1,2,2,NA,NA,NA,NA,29148.354549,28361.870708,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+69058,7,2,1,43,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,6,NA,2,2,1,1,2,2,NA,NA,NA,NA,37324.655911,39220.856657,1,102,5,5,0.86,5,5,2,0,0,2,21,2,2,5,NA
+69059,7,2,1,2,NA,4,4,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5662.231921,6243.536586,1,99,13,13,NA,4,4,1,0,0,2,26,1,4,4,NA
+69060,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,137038.746155,146586.432966,2,101,3,3,0.92,2,1,0,0,0,1,21,1,4,5,NA
+69061,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,26105.275101,26256.723843,1,98,9,9,4.03,2,2,0,1,0,2,49,1,5,3,NA
+69062,7,2,2,70,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,2,NA,1,2,1,1,2,1,1,2,1,NA,10831.995402,11374.881633,3,90,77,77,NA,4,4,0,0,2,1,69,2,5,2,NA
+69063,7,2,1,2,NA,1,1,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10803.555682,11221.222518,2,91,6,6,1,6,6,1,3,0,2,35,2,2,1,1
+69064,7,2,2,6,NA,4,4,1,6,81,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11195.065587,11390.355382,2,96,2,2,0.31,4,4,0,2,0,2,30,NA,NA,6,NA
+69065,7,2,1,28,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,15171.949804,3,91,15,6,2.75,2,1,0,0,0,2,30,NA,NA,6,NA
+69066,7,2,1,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60942.568495,64726.722108,1,94,9,9,3.97,2,2,0,0,2,1,74,1,4,1,4
+69067,7,2,1,53,NA,5,6,1,NA,NA,2,NA,2,2,77,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16590.074977,17115.36835,1,92,12,12,NA,4,4,0,1,0,1,53,2,5,1,4
+69068,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,16614.865368,17238.21833,3,91,15,15,5,3,3,1,0,0,2,39,2,5,1,5
+69069,7,2,1,11,NA,4,4,1,11,136,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10269.191209,10473.364732,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+69070,7,2,2,4,NA,5,6,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6683.092466,6676.033575,3,91,6,6,1.34,4,4,1,1,0,1,36,2,4,1,NA
+69071,7,2,1,4,NA,5,6,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7580.437211,8294.186048,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+69072,7,1,2,0,3,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6440.205112,0,2,103,14,14,3.86,4,4,2,0,0,2,37,2,5,1,NA
+69073,7,2,2,3,NA,5,6,1,3,44,NA,NA,2,2,1,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8052.137959,8043.633038,1,100,7,7,2.2,3,3,1,0,0,2,28,2,2,1,3
+69074,7,2,1,19,NA,1,1,2,19,237,2,NA,2,2,4,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26704.187335,28443.712885,1,95,9,9,2.46,4,4,0,0,0,1,42,2,2,1,3
+69075,7,2,1,2,NA,4,4,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5163.141902,5376.483607,2,99,13,13,NA,5,5,2,0,0,2,21,1,3,5,NA
+69076,7,2,1,18,NA,3,3,1,18,220,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24446.632088,24751.360191,1,94,4,4,0.79,3,3,0,1,0,1,49,1,2,3,NA
+69077,7,2,2,58,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,35630.227837,37045.269032,2,102,6,6,2.75,1,1,0,0,0,2,58,1,2,3,NA
+69078,7,2,2,59,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,27617.038547,29182.278408,1,93,14,14,5,2,2,0,0,0,2,59,2,5,5,NA
+69079,7,2,1,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,18683.628164,19333.389409,1,98,5,4,1.7,3,1,0,0,0,1,32,1,5,5,NA
+69080,7,2,1,16,NA,4,4,1,16,202,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18413.211403,2,101,4,4,0.86,3,3,0,1,0,2,18,1,2,NA,NA
+69081,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,15992.133387,15205.505219,2,95,15,15,3.85,7,7,0,3,1,2,62,1,4,2,NA
+69082,7,2,1,8,NA,1,1,2,8,97,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14134.674028,14215.818763,1,96,8,8,2.62,3,3,0,1,0,1,41,2,3,1,5
+69083,7,2,1,14,NA,3,3,2,14,171,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20051.633575,19994.174398,2,97,5,5,0.84,5,5,0,2,0,2,33,1,4,1,3
+69084,7,2,1,2,NA,4,4,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,10545.226242,2,101,1,1,0.21,4,4,1,2,0,2,26,1,3,5,NA
+69085,7,2,2,49,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,2,5,NA,2,2,2,1,2,2,1,2,2,2,28065.587512,28753.959014,2,93,4,4,0.56,5,5,0,0,0,2,49,2,2,5,NA
+69086,7,2,2,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,104934.725755,111516.131691,2,98,10,10,4.42,2,2,0,0,0,1,25,1,5,1,5
+69087,7,2,2,15,NA,3,3,2,15,189,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,36586.371708,39087.782259,1,98,3,3,0.5,5,5,0,3,0,2,56,1,3,3,NA
+69088,7,2,2,67,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,10614.141896,11057.12801,2,93,4,4,0.99,2,2,0,0,2,1,72,2,3,1,4
+69089,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,12170.074646,12490.78413,1,97,9,7,3.36,2,1,0,0,1,1,61,1,5,3,NA
+69090,7,2,1,2,NA,3,3,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20538.767297,24065.985233,2,95,3,3,0.52,3,3,1,0,0,1,37,1,4,1,4
+69091,7,2,1,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,132969.642582,135979.403496,2,94,8,8,4.59,1,1,0,0,0,1,52,1,3,3,NA
+69092,7,2,2,0,4,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16423.151355,17405.028297,1,99,15,15,5,3,3,1,0,0,2,31,1,5,1,5
+69093,7,2,1,16,NA,5,6,2,16,201,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9099.599144,9725.105491,1,90,9,9,2.6,4,4,0,1,0,2,49,2,2,1,5
+69094,7,2,1,3,NA,3,3,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21357.821814,24096.698658,2,96,3,3,0.53,5,5,3,0,0,2,26,1,4,1,4
+69095,7,2,1,1,14,1,1,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12387.68972,13272.515505,1,94,6,6,1.3,4,4,2,0,0,1,24,2,1,1,4
+69096,7,1,1,12,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13731.625553,0,1,100,8,8,1.95,4,4,0,2,0,2,42,1,4,1,4
+69097,7,2,1,31,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,2,2,2,1,2,2,2,2,2,2,36946.697686,39295.803447,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+69098,7,2,1,14,NA,1,1,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18242.832494,18343.652859,1,102,6,6,1.34,4,4,0,1,0,2,48,2,3,1,1
+69099,7,2,1,6,NA,4,4,2,6,82,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9399.447563,9986.021526,2,90,7,7,1.61,4,4,1,1,1,2,65,1,3,2,NA
+69100,7,1,2,77,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,14125.505993,0,1,99,14,14,5,2,2,0,0,2,1,79,NA,NA,1,5
+69101,7,2,1,58,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,25042.846308,24675.381142,1,93,14,6,2.94,5,1,1,0,0,2,22,2,1,6,NA
+69102,7,2,2,61,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,1,NA,1,2,2,1,2,2,2,2,2,2,5852.076897,6537.978856,2,90,7,7,0.89,7,7,1,3,3,1,60,2,3,1,3
+69103,7,2,1,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,16995.648055,16598.645683,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+69104,7,2,1,5,NA,1,1,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14993.478359,14600.446315,1,97,6,3,0.63,7,3,2,1,0,1,29,2,2,1,1
+69105,7,2,1,55,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,1,5,NA,2,2,2,2,2,2,1,2,2,2,37557.946192,37006.841228,2,102,5,5,1.08,3,3,0,0,0,1,55,2,1,5,NA
+69106,7,2,2,0,8,5,7,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7434.184594,7384.233557,1,93,15,15,5,3,3,1,0,0,2,34,1,5,1,5
+69107,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,7323.703412,7380.991723,2,100,4,4,0.97,3,3,0,0,3,2,80,1,5,2,NA
+69108,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,22154.880695,2,97,5,5,1.08,3,3,0,0,0,1,38,1,4,5,NA
+69109,7,2,1,1,19,1,1,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11793.948458,12249.904005,1,100,5,5,0.65,6,6,1,2,0,1,32,2,2,1,2
+69110,7,2,2,56,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,24870.513993,25282.537357,2,98,8,8,3.06,2,2,0,1,0,2,56,1,3,3,NA
+69111,7,2,1,9,NA,3,3,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,40950.556053,42121.524492,2,95,15,15,4.77,4,4,0,2,0,2,36,1,4,1,5
+69112,7,2,2,23,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,16929.836231,18556.498474,2,101,4,3,1.1,2,1,0,0,0,2,23,2,4,5,NA
+69113,7,2,2,8,NA,3,3,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,51531.402068,50847.086518,1,94,6,6,1.57,3,3,0,1,0,2,28,1,4,1,4
+69114,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,NA,NA,NA,NA,NA,NA,NA,84761.905629,91116.013503,1,95,NA,NA,NA,5,5,0,2,0,2,37,1,3,1,NA
+69115,7,2,1,79,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,8517.336599,8684.171961,2,100,4,4,1.02,2,2,0,0,1,1,79,1,1,2,NA
+69116,7,2,1,14,NA,3,3,2,14,170,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,88198.948426,91036.751291,1,98,10,10,3.04,4,4,0,2,0,2,47,1,4,1,3
+69117,7,2,1,28,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21399.459455,20960.973241,1,90,15,15,4.34,4,4,0,0,1,1,62,2,5,1,3
+69118,7,2,1,11,NA,5,6,2,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,1,1,2,2,NA,4852.395137,5120.382571,1,99,6,6,1.07,6,6,2,1,2,1,44,2,5,4,NA
+69119,7,2,1,16,NA,4,4,1,16,203,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15008.400374,15566.530345,1,100,7,7,2.78,2,2,0,1,0,2,37,2,4,5,NA
+69120,7,2,2,39,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,27303.803575,27591.614113,1,96,3,3,0.43,4,4,1,1,0,2,39,2,4,1,3
+69121,7,2,2,5,NA,5,7,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,92,3,3,0.46,5,5,2,1,0,1,30,1,3,1,2
+69122,7,2,1,16,NA,4,4,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10732.729133,10991.603368,3,90,10,10,3.67,3,3,0,1,0,2,52,2,3,5,NA
+69123,7,2,2,63,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,128590.415432,131137.819973,1,102,15,15,5,2,2,0,0,2,2,63,1,4,1,4
+69124,7,2,2,19,NA,5,6,2,20,NA,2,NA,2,2,2,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10353.070387,10520.518116,2,101,5,3,1.1,2,1,0,0,0,1,29,2,4,1,NA
+69125,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,133853.800452,137185.265763,3,91,5,5,1.93,1,1,0,0,0,2,49,1,3,3,NA
+69126,7,2,1,3,NA,3,3,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,77607.205684,90935.051698,1,98,6,6,1.31,3,3,1,0,0,1,30,1,5,1,5
+69127,7,2,1,8,NA,3,3,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,54897.892683,58386.014643,2,98,7,7,1.61,4,4,1,1,0,1,43,NA,NA,6,NA
+69128,7,2,1,8,NA,4,4,1,8,97,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9184.716222,9199.031651,1,102,1,1,0,5,5,0,3,0,2,41,1,4,1,4
+69129,7,2,1,18,NA,2,2,1,18,225,2,NA,2,2,2,66,NA,NA,NA,2,2,2,2,2,2,1,2,2,2,22721.243258,22896.459408,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+69130,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,31540.022655,39899.113022,2,91,3,3,0.86,2,2,0,0,0,2,41,1,4,1,3
+69131,7,2,2,25,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,22941.698794,22487.759922,2,96,5,5,1.08,3,3,0,0,0,1,50,1,3,1,4
+69132,7,2,1,6,NA,4,4,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11277.594097,11665.009628,1,90,5,5,0.74,5,5,0,2,0,2,18,1,4,NA,NA
+69133,7,2,2,1,20,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7623.406054,7742.751523,1,97,4,4,0.46,7,7,3,3,0,2,31,1,3,1,NA
+69134,7,2,2,2,NA,4,4,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5687.793894,6002.477845,2,90,8,5,1.36,5,2,2,0,0,2,25,2,3,5,NA
+69135,7,1,1,40,NA,5,6,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17210.953493,0,1,91,15,15,5,5,5,2,1,0,1,40,1,5,1,5
+69136,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,4,6,2,2,2,2,2,2,2,1,2,2,2,36453.846815,35470.245447,1,102,13,13,NA,6,6,1,2,0,2,36,2,4,6,NA
+69137,7,2,1,56,NA,4,4,2,NA,NA,2,NA,2,2,8,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15760.921402,15756.795819,3,90,15,15,5,4,4,0,0,0,1,56,2,4,1,5
+69138,7,2,2,16,NA,3,3,1,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71832.578284,73443.760792,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+69139,7,2,2,17,NA,2,2,1,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,2,2,2,NA,NA,NA,NA,27070.679378,27847.54398,1,92,6,6,0.93,5,5,0,2,0,1,47,2,1,1,1
+69140,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,44862.41765,53799.51702,1,92,7,7,2.64,2,2,0,0,2,1,80,1,3,1,3
+69141,7,2,1,80,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,8497.912951,8999.288803,1,96,6,6,1.82,2,2,0,0,2,1,80,1,1,1,9
+69142,7,2,1,72,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,38226.070503,39676.327756,1,99,9,9,5,1,1,0,0,1,1,72,1,5,2,NA
+69143,7,2,2,10,NA,4,4,1,10,130,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7489.549692,8064.290136,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+69144,7,2,2,71,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,14936.784897,17875.873101,2,94,5,5,2.2,1,1,0,0,1,2,71,1,3,2,NA
+69145,7,2,1,18,NA,1,1,1,18,217,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15469.666055,15805.71937,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+69146,7,2,1,41,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,28361.113525,28406.771707,1,97,8,8,4.7,1,1,0,0,0,1,41,1,3,3,NA
+69147,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,1,1,2,2,1,17605.619977,18470.699991,3,91,15,15,5,3,3,0,1,0,2,40,2,5,1,5
+69148,7,2,1,5,NA,3,3,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,73006.119819,83450.013654,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+69149,7,2,1,62,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7791.74373,7821.068134,1,91,7,7,3.54,1,1,0,0,1,1,62,1,3,3,NA
+69150,7,2,2,6,NA,4,4,2,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8757.841043,9104.895674,2,101,5,5,1.03,4,4,1,1,0,2,31,1,3,5,NA
+69151,7,2,1,57,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,119599.307776,123574.267321,1,93,15,15,4.59,4,4,0,1,0,1,57,1,5,1,5
+69152,7,2,1,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17743.990528,2,97,3,3,0.82,2,2,0,0,0,1,24,1,3,5,NA
+69153,7,2,1,10,NA,4,4,2,10,124,NA,NA,2,1,3,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10229.206765,10406.656985,1,96,9,9,2.78,4,4,0,2,0,1,54,2,5,4,NA
+69154,7,2,1,66,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,29999.543427,32474.673757,2,91,2,2,0.56,1,1,0,0,1,1,66,1,3,3,NA
+69155,7,2,2,9,NA,3,3,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74327.830279,75742.187091,2,91,6,6,1.34,4,4,1,2,0,2,33,1,4,3,NA
+69156,7,2,1,12,NA,3,3,1,12,155,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,84860.612577,85065.529717,2,98,15,15,5,4,4,0,2,0,1,48,1,3,1,4
+69157,7,2,2,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,1,2,2,1,112960.559471,113970.503883,1,94,99,99,NA,5,5,1,1,0,2,21,1,3,5,NA
+69158,7,2,1,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32719.762791,33772.872733,1,91,1,1,0.2,2,2,0,0,0,1,44,1,2,1,2
+69159,7,2,2,22,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,5,5,2,2,2,2,2,2,2,1,2,2,1,35424.746838,36356.556801,2,93,NA,3,0.98,4,1,0,0,0,1,28,NA,NA,4,NA
+69160,7,2,1,17,NA,1,1,1,17,208,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,27186.265479,27776.842846,1,92,15,15,4.99,4,4,0,2,0,2,43,1,4,1,4
+69161,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,22233.683089,25178.838093,1,102,2,2,0.49,3,3,1,0,0,1,20,1,2,6,NA
+69162,7,2,1,72,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,4,5,NA,2,2,2,2,2,2,2,2,2,NA,12250.041239,12463.587232,2,100,1,1,0,1,1,0,0,1,1,72,2,4,5,NA
+69163,7,2,2,10,NA,5,7,1,10,123,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9007.62445,9504.796896,2,102,15,15,5,4,4,0,2,0,1,39,1,4,1,5
+69164,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,51433.469947,56330.524019,1,98,7,7,3.8,1,1,0,0,1,2,80,1,5,2,NA
+69165,7,2,1,72,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,18239.933451,19545.291055,2,102,8,8,3.67,2,2,0,0,2,1,72,2,5,1,NA
+69166,7,2,1,60,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,6038.685119,6085.921613,1,96,15,15,5,3,3,0,0,1,1,60,2,5,1,5
+69167,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,27681.279,30792.259764,1,91,3,3,1.29,1,1,0,0,1,2,80,1,2,2,NA
+69168,7,2,1,75,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,4,NA,1,2,2,1,2,2,1,2,2,NA,8902.117734,9243.371936,1,97,15,15,5,6,6,0,1,1,2,53,1,4,1,NA
+69169,7,2,1,10,NA,4,4,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10122.702296,10604.04698,2,100,3,3,0.42,5,5,0,1,0,2,51,1,4,5,NA
+69170,7,2,2,51,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22224.73066,22340.630739,2,91,10,10,2.95,4,4,0,1,0,2,18,1,3,NA,NA
+69171,7,2,2,40,NA,2,2,1,NA,NA,2,NA,2,1,2,NA,4,5,2,2,2,2,2,2,2,2,2,1,2,32281.860274,32750.128834,2,93,7,7,2.31,2,2,0,0,1,2,40,2,4,5,NA
+69172,7,2,2,65,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9570.416297,9969.842041,2,98,6,6,2.75,1,1,0,0,1,2,65,1,4,3,NA
+69173,7,2,1,14,NA,4,4,1,14,171,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14848.504688,14877.861397,1,98,8,8,1.95,4,4,0,2,0,2,31,1,2,1,5
+69174,7,2,2,12,NA,4,4,1,12,152,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11838.873374,11750.256617,2,100,15,15,4.47,4,4,0,2,0,1,39,NA,NA,1,5
+69175,7,2,2,32,NA,2,2,2,NA,NA,1,1,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,27127.983961,26396.013964,2,90,15,15,4.2,5,5,1,0,0,2,50,NA,NA,6,NA
+69176,7,2,2,57,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,26668.458882,26828.838508,2,102,5,5,1.84,1,1,0,0,0,2,57,1,3,6,NA
+69177,7,2,1,66,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,8,8,3.4,2,2,0,0,2,1,66,1,5,1,4
+69178,7,2,2,28,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,1,1,2,2,1,10800.351372,11472.015663,2,92,3,3,0.45,4,4,0,0,1,1,64,2,1,1,1
+69179,7,1,2,14,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15847.19263,0,1,98,15,15,5,4,4,0,2,0,2,50,1,5,1,5
+69180,7,2,2,1,16,4,4,2,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,7906.792868,2,95,10,10,2.32,6,6,1,2,0,1,44,1,4,1,4
+69181,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,5,2,1,2,2,1,2,2,1,2,2,1,90299.161173,91599.679037,1,95,7,7,2.54,2,2,0,1,0,2,37,1,1,5,NA
+69182,7,2,2,8,NA,2,2,2,8,103,NA,NA,2,2,1,3,NA,NA,NA,2,1,2,1,2,2,2,2,2,2,10762.400563,12070.126078,2,90,3,3,0.46,5,5,1,3,0,2,35,2,1,4,NA
+69183,7,2,1,6,NA,1,1,1,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10658.399025,10722.994279,1,102,8,8,1.33,7,7,1,4,0,2,32,1,3,1,2
+69184,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,34082.896551,1,92,4,4,1.16,2,2,0,0,1,1,56,1,2,1,3
+69185,7,2,1,60,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,2,1,2,2,2,2,1,2,6449.12882,6552.435629,2,93,7,7,1.83,3,3,0,1,1,1,60,2,2,1,4
+69186,7,1,1,5,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,0,2,100,2,2,0.25,4,4,2,1,0,2,39,1,2,5,NA
+69187,7,2,2,22,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,1,5,2,2,2,2,2,2,2,NA,NA,NA,NA,31196.446669,31060.57243,2,99,99,1,0,5,1,0,1,0,1,40,2,1,6,NA
+69188,7,2,2,8,NA,5,7,2,8,100,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9620.269705,10273.007637,2,91,12,12,NA,4,4,0,2,0,1,40,1,5,1,5
+69189,7,2,1,3,NA,4,4,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,10162.494907,1,100,15,15,5,3,3,1,0,0,2,34,1,5,1,5
+69190,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,9,2,NA,1,1,2,1,2,2,1,1,2,NA,14971.827573,15430.401607,2,97,13,13,NA,4,4,1,0,1,2,45,1,2,5,NA
+69191,7,2,1,0,11,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7757.493251,8192.524698,3,92,1,1,0.18,5,5,2,2,0,2,31,2,1,5,NA
+69192,7,2,2,0,2,5,7,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9288.555962,9478.459453,1,95,6,6,0.96,5,5,1,0,1,2,69,1,1,2,NA
+69193,7,2,2,12,NA,2,2,2,12,147,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,19480.517135,20370.224649,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+69194,7,2,2,6,NA,4,4,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10332.067017,11124.939356,1,100,3,3,0.52,3,3,1,1,0,2,25,1,3,5,NA
+69195,7,2,2,10,NA,3,3,2,10,130,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14935.786363,14737.445343,2,94,7,7,1.18,7,7,1,4,0,2,31,1,4,6,NA
+69196,7,2,1,27,NA,5,7,1,NA,NA,2,NA,2,2,3,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,32866.0119,33575.905633,1,98,99,99,NA,3,1,0,0,0,2,22,1,4,5,NA
+69197,7,2,2,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8832.868731,8863.029978,1,102,2,2,0.19,7,7,2,2,0,1,48,2,9,1,9
+69198,7,2,2,13,NA,1,1,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,18368.872199,20151.001259,2,94,5,5,0.67,6,6,1,3,0,1,37,2,3,1,4
+69199,7,2,1,60,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,2,4,NA,1,2,1,1,2,1,1,2,1,3,6814.038157,7682.939373,2,91,12,13,NA,7,1,0,4,2,2,72,2,1,2,NA
+69200,7,2,1,34,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,22957.82581,23425.428596,2,102,15,15,3.92,5,5,1,2,0,1,34,2,5,1,5
+69201,7,2,2,44,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20834.783335,21091.811515,2,94,15,15,5,5,5,0,2,1,1,47,2,5,1,5
+69202,7,2,1,9,NA,1,1,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,17882.621856,17720.218058,3,92,7,7,1.3,5,5,1,2,0,2,33,2,2,1,1
+69203,7,2,2,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8679.600111,2,95,9,9,4.92,1,1,0,0,1,2,66,1,5,3,NA
+69204,7,2,2,16,NA,3,3,1,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30430.369428,31312.351655,3,92,5,5,1.03,4,4,0,3,0,1,55,1,4,4,NA
+69205,7,2,2,47,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,14872.222375,15689.845848,2,92,7,7,1.61,4,4,0,2,0,1,51,2,3,1,3
+69206,7,1,1,80,NA,2,2,NA,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,13654.270555,0,2,93,7,7,2.31,2,2,0,0,2,1,80,2,1,1,1
+69207,7,2,2,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,27381.645976,29718.515739,2,95,5,4,1.52,3,1,0,0,0,1,31,1,4,5,NA
+69208,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,1,2,NA,25840.959268,29976.982116,1,101,3,3,0.86,2,2,0,0,2,2,80,1,2,1,1
+69209,7,1,2,47,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,35469.911999,0,2,91,6,6,2.78,1,1,0,0,0,2,47,1,4,3,NA
+69210,7,2,1,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26556.735732,2,101,1,1,0.09,2,1,0,0,0,1,23,1,5,5,NA
+69211,7,2,1,0,2,5,6,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8377.359485,8321.07116,2,96,4,4,0.97,3,3,1,0,0,1,31,2,5,1,5
+69212,7,2,1,38,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,2,4,NA,2,2,2,1,2,2,1,2,2,2,41241.224595,41716.316195,2,102,6,6,1.03,5,5,1,1,0,1,37,1,2,1,2
+69213,7,2,2,47,NA,3,3,1,NA,NA,2,NA,2,2,7,NA,5,1,NA,2,2,2,1,2,2,2,2,2,2,27349.117265,27628.99562,2,93,6,6,1.65,2,2,0,0,0,1,52,2,3,1,5
+69214,7,2,2,0,1,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4137.127382,4416.757179,2,97,1,1,0.12,5,5,1,2,0,2,24,1,3,5,NA
+69215,7,2,2,9,NA,1,1,1,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19194.228411,19883.529671,2,96,7,7,1.34,5,5,0,2,0,1,24,2,2,5,NA
+69216,7,2,1,35,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22937.913723,23137.542903,1,100,3,3,0.43,4,4,0,2,0,1,35,1,4,1,3
+69217,7,2,2,16,NA,5,7,2,16,193,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,31716.869763,32129.640601,1,101,3,3,0.92,2,2,0,1,0,2,53,1,5,3,NA
+69218,7,2,2,2,NA,1,1,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9132.13761,10082.124987,1,103,13,13,NA,4,4,2,0,0,2,27,2,2,6,NA
+69219,7,2,1,4,NA,2,2,1,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15915.595287,17052.411707,2,96,6,6,1.25,4,4,1,1,0,1,31,2,3,1,3
+69220,7,2,2,21,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,6,1,1,2,2,1,2,2,1,2,2,1,52280.406546,52747.829022,1,92,1,1,0,2,1,0,0,0,1,30,1,3,6,NA
+69221,7,2,2,51,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17950.494975,18684.288461,1,92,15,15,5,4,4,0,2,0,1,55,1,5,1,5
+69222,7,2,1,6,NA,3,3,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47178.298856,52231.302145,2,95,8,8,2.17,4,4,1,1,0,1,43,1,4,1,5
+69223,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,100722.771154,105550.354971,2,92,14,8,4.13,2,1,0,0,0,2,25,1,5,5,NA
+69224,7,2,2,59,NA,2,2,2,NA,NA,2,NA,2,1,4,NA,1,6,NA,2,2,2,1,2,2,2,2,2,2,18341.621382,19145.40337,2,90,6,6,1.21,4,4,0,0,0,2,59,2,1,6,NA
+69225,7,2,2,17,NA,1,1,2,17,209,2,NA,2,2,4,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17544.592739,19246.751055,3,92,6,6,1,6,6,1,1,0,1,42,2,1,1,4
+69226,7,2,2,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7588.605543,8103.359102,1,99,14,14,4.21,4,4,0,2,0,2,44,1,5,1,5
+69227,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14994.337564,15663.818698,1,100,15,15,5,2,2,0,0,1,2,48,1,5,5,NA
+69228,7,2,1,17,NA,3,3,2,17,215,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,61479.689958,61628.148021,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+69229,7,2,1,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,93164.281583,96130.599912,2,95,8,8,2.17,4,4,1,1,0,1,43,1,4,1,5
+69230,7,2,2,8,NA,1,1,1,8,102,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16412.026403,3,92,4,4,0.81,3,3,0,2,0,2,31,1,3,1,NA
+69231,7,2,1,10,NA,4,4,2,10,131,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12701.072484,14129.347101,2,91,6,6,0.78,7,7,1,4,0,2,38,2,2,77,NA
+69232,7,2,1,0,6,2,2,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,6837.213048,7220.636221,2,91,1,1,0.02,5,5,1,2,0,2,27,2,3,1,2
+69233,7,2,2,2,NA,3,3,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26167.521666,28880.852575,1,93,6,6,1.16,4,4,2,0,0,2,33,1,5,1,4
+69234,7,2,1,8,NA,4,4,2,8,107,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12176.538896,12609.8265,2,97,2,2,0.27,4,4,0,2,0,1,51,1,2,4,NA
+69235,7,2,2,3,NA,5,7,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27969.562936,30869.748923,3,91,7,7,1.57,4,4,2,0,0,2,29,2,3,1,3
+69236,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18417.587863,18945.077049,2,97,4,4,1.35,2,2,0,0,0,2,27,1,4,1,4
+69237,7,2,2,49,NA,2,2,2,NA,NA,1,2,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,46417.079566,46883.794079,1,97,15,15,5,2,2,0,0,0,2,49,2,5,1,4
+69238,7,2,2,5,NA,3,3,2,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,54058.97777,57449.540919,1,90,8,8,1.67,5,5,2,1,0,2,28,1,4,1,5
+69239,7,2,2,19,NA,5,6,1,19,239,2,NA,2,2,1,15,NA,NA,NA,1,2,1,1,2,1,1,2,1,NA,9200.381964,9723.240452,2,101,2,1,0.32,2,1,0,0,0,2,20,NA,NA,5,NA
+69240,7,2,2,7,NA,5,7,1,7,89,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8504.389189,9345.267202,2,93,6,6,1.95,2,2,0,1,0,1,30,1,4,5,NA
+69241,7,2,1,36,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,19332.808712,19683.545891,1,90,15,15,5,1,1,0,0,0,1,36,1,5,5,NA
+69242,7,1,1,25,NA,2,2,NA,NA,NA,2,NA,2,7,77,NA,2,5,NA,2,2,2,1,2,2,NA,NA,NA,NA,44074.735764,0,2,91,1,1,0.17,4,4,0,1,0,1,49,2,1,6,NA
+69243,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105483.169118,109229.181554,1,93,15,15,4.59,4,4,0,2,0,2,45,1,5,1,5
+69244,7,1,2,10,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7899.813226,0,2,100,15,15,5,4,3,0,2,0,1,42,1,3,5,NA
+69245,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,21398.47235,20994.797177,1,103,14,8,4.21,2,1,0,0,0,2,29,1,5,5,NA
+69246,7,2,1,19,NA,5,7,2,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7672.605662,7940.039559,1,93,14,14,5,2,2,0,0,0,2,53,2,5,3,NA
+69247,7,2,2,80,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,12344.929687,12774.490696,1,93,2,2,0.83,1,1,0,0,1,2,80,1,4,3,NA
+69248,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,3,1,2,1,2,1,NA,NA,NA,1,2,1,NA,18255.735511,22006.513457,2,91,6,6,1.57,3,3,0,1,0,1,41,2,3,1,3
+69249,7,2,1,34,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,1,2,1,2,2,1,1,2,NA,19923.530941,20672.635795,2,95,6,6,1.08,4,4,1,0,0,2,42,1,4,4,NA
+69250,7,2,2,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,17622.141982,18017.336291,2,95,8,8,2.97,2,2,0,0,0,2,56,1,5,2,NA
+69251,7,2,2,5,NA,1,1,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14665.744588,16191.375588,2,96,5,5,0.89,4,4,1,1,0,2,36,2,4,6,NA
+69252,7,2,1,11,NA,1,1,1,11,140,NA,NA,2,2,3,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14820.807433,15173.085782,2,102,7,7,1.79,4,4,0,2,0,1,40,2,2,6,NA
+69253,7,2,2,45,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,3,NA,2,2,2,2,2,2,1,2,2,2,36457.299109,41822.014095,1,90,5,5,1.79,1,1,0,0,0,2,45,2,2,3,NA
+69254,7,2,1,4,NA,1,1,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15835.271712,16336.527884,1,100,8,3,0.68,6,3,1,0,0,1,33,2,3,6,NA
+69255,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,42993.150248,46481.579201,1,92,6,6,1.98,2,2,0,0,2,1,80,1,5,1,4
+69256,7,2,1,56,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,34082.896551,1,101,3,3,0.88,2,2,0,0,0,1,56,1,2,1,4
+69257,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,24344.236685,23945.277508,2,96,6,6,1.48,4,4,1,1,0,2,25,1,4,5,NA
+69258,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21621.615608,21991.273471,1,100,15,15,5,4,4,0,0,0,1,54,1,5,1,5
+69259,7,2,1,30,NA,5,7,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,84910.063417,90031.493834,2,96,14,6,2.75,3,1,0,0,0,1,30,2,5,5,NA
+69260,7,2,2,3,NA,5,6,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4882.863582,4877.706148,1,99,7,7,2.89,2,2,1,0,0,2,35,2,5,1,NA
+69261,7,2,2,51,NA,3,3,1,NA,NA,2,NA,2,1,8,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,27769.056387,28050.845299,1,94,99,99,NA,3,3,0,0,2,1,74,NA,NA,1,NA
+69262,7,2,2,2,NA,1,1,1,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12871.484115,13281.030392,2,102,14,14,3.58,4,4,2,0,0,1,25,2,3,1,1
+69263,7,2,1,73,NA,1,1,1,NA,NA,2,NA,2,1,9,NA,1,1,NA,1,2,2,1,2,2,2,2,2,NA,14673.422679,15506.302145,2,98,5,5,0.59,7,7,2,1,2,2,71,1,2,1,1
+69264,7,2,1,69,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11212.469396,11300.176858,1,100,15,15,5,3,3,0,0,1,1,69,1,5,1,4
+69265,7,2,2,11,NA,1,1,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17053.854294,17233.146259,3,92,1,1,0.26,2,2,0,1,0,2,45,1,2,3,NA
+69266,7,2,1,27,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,17265.374984,17186.028516,2,93,4,4,0.56,5,5,2,1,0,1,27,1,2,6,NA
+69267,7,2,1,29,NA,3,3,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,94165.180484,100725.804227,2,99,14,14,5,2,2,0,0,0,2,28,1,5,1,5
+69268,7,2,2,11,NA,4,4,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11076.064101,11269.278002,2,102,4,4,0.53,6,6,2,2,0,2,27,1,2,1,2
+69269,7,2,1,16,NA,3,3,2,16,195,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,91343.020442,91081.271456,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+69270,7,2,1,66,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,9048.959172,9513.611982,1,93,12,12,NA,4,4,0,0,2,1,66,2,4,1,2
+69271,7,2,1,1,21,1,1,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12569.23571,12239.751631,2,102,15,15,2.43,7,7,3,2,0,1,28,2,5,1,4
+69272,7,2,2,43,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,1,6,2,2,2,2,1,2,2,NA,NA,NA,NA,32606.880052,32776.922157,2,93,4,4,0.56,5,5,0,2,0,1,37,NA,NA,1,1
+69273,7,2,1,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8890.779467,9258.147648,3,91,1,1,0.07,6,6,2,3,0,2,30,1,2,3,NA
+69274,7,2,2,21,NA,4,4,2,NA,NA,2,NA,2,1,3,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18446.691823,17539.327743,1,90,4,4,0.58,6,6,0,3,0,2,21,2,5,5,NA
+69275,7,2,1,13,NA,4,4,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,11265.8817,2,95,99,99,NA,2,2,0,1,1,2,80,1,2,2,NA
+69276,7,2,1,16,NA,1,1,1,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22768.423624,22886.980387,2,98,15,15,5,3,3,0,1,0,1,38,1,4,1,3
+69277,7,2,1,24,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,15171.949804,3,91,6,6,2.94,2,1,0,0,0,1,24,1,5,5,NA
+69278,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,13549.492282,14020.967918,2,93,6,6,2.28,2,2,0,0,1,2,78,1,5,3,NA
+69279,7,2,2,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,126314.769628,126413.297707,2,95,15,15,5,2,2,0,0,1,1,61,1,5,1,5
+69280,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,22419.63376,27869.657009,1,94,3,3,1.29,1,1,0,0,1,2,80,1,3,2,NA
+69281,7,2,1,3,NA,3,3,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,76114.759421,89186.300704,1,98,15,15,5,4,4,1,1,0,1,40,1,4,1,5
+69282,7,2,2,19,NA,3,3,2,19,236,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,31627.471241,33789.841724,1,101,1,1,0.08,3,3,1,0,0,2,19,1,2,NA,NA
+69283,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,10298.451562,11068.740647,1,93,99,1,0.32,2,1,0,0,1,1,50,NA,NA,5,NA
+69284,7,2,1,53,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,26651.800212,26887.922292,2,92,3,3,0.92,1,1,0,0,0,1,53,2,4,3,NA
+69285,7,2,2,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,37537.641876,38018.476349,2,97,5,5,0.84,5,5,0,2,0,2,33,1,4,1,3
+69286,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,19096.438335,22378.694988,1,93,15,15,5,1,1,0,0,0,1,39,2,5,5,NA
+69287,7,2,1,54,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,173139.914798,174527.091604,1,95,14,14,5,2,2,0,0,0,1,54,1,4,1,3
+69288,7,2,2,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,10252.529496,2,100,3,3,0.75,2,2,0,0,2,1,67,1,3,1,2
+69289,7,2,2,5,NA,2,2,1,5,69,NA,NA,2,1,3,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15979.952759,16987.381382,2,102,7,7,1.53,5,5,1,2,0,2,37,2,4,1,4
+69290,7,2,2,1,21,1,1,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9955.153132,10990.75621,2,94,4,4,0.81,4,4,2,0,0,1,26,2,2,1,2
+69291,7,2,1,0,9,5,6,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,4326.150649,4507.366261,1,99,6,6,1.07,6,6,2,1,2,1,44,2,5,4,NA
+69292,7,2,1,12,NA,3,3,1,12,147,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,109750.935844,116575.440818,1,94,7,7,1.52,4,4,0,2,2,1,61,2,1,1,5
+69293,7,2,1,9,NA,3,3,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23188.935049,25672.571973,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+69294,7,2,1,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6946.177172,7374.968672,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+69295,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,30658.109612,1,94,5,5,1.2,3,3,0,1,0,1,49,1,4,5,NA
+69296,7,2,2,6,NA,5,6,2,6,78,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9849.323746,10517.603056,2,91,10,10,3.04,4,4,1,1,0,1,37,2,5,1,5
+69297,7,2,2,7,NA,2,2,1,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13498.913367,14670.348602,2,93,7,7,1.56,4,4,1,1,0,1,35,2,4,1,4
+69298,7,2,1,1,20,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6429.93791,7090.057975,1,90,3,3,0.63,3,3,1,1,0,2,32,1,4,5,NA
+69299,7,2,1,72,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,14781.102246,16162.46005,1,97,12,12,NA,4,4,0,0,2,1,72,1,2,1,3
+69300,7,2,1,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,29159.620934,2,101,1,1,0.33,1,1,0,0,0,1,23,1,4,5,NA
+69301,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,99831.393624,101809.075589,2,94,8,8,3.4,2,2,0,0,2,2,64,1,4,1,2
+69302,7,2,2,14,NA,4,4,1,14,176,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17373.928778,17416.718116,2,96,8,8,1.72,5,5,0,3,0,1,39,1,5,1,4
+69303,7,2,2,12,NA,1,1,1,12,154,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,29109.978779,29945.36646,3,92,10,10,2.82,4,4,0,1,1,1,36,1,3,1,5
+69304,7,2,1,11,NA,3,3,2,11,138,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,44777.275016,47565.734765,1,91,14,14,3.06,5,5,0,3,0,2,46,1,5,1,5
+69305,7,2,1,14,NA,4,4,2,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12462.601191,12584.643654,2,97,4,4,0.57,5,5,1,3,0,2,33,1,3,5,NA
+69306,7,2,2,0,5,4,4,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7123.540273,7201.320939,2,101,1,1,0.16,3,3,2,0,0,2,21,1,2,5,NA
+69307,7,2,1,58,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,21168.33083,21825.00909,2,99,5,5,1.79,1,1,0,0,0,1,58,1,2,3,NA
+69308,7,2,1,12,NA,4,4,2,13,156,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11351.725436,11256.943498,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+69309,7,2,2,45,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,27149.46917,27176.128744,1,94,2,1,0,2,1,0,0,0,1,53,1,3,6,NA
+69310,7,2,2,18,NA,2,2,2,18,224,2,NA,2,2,2,66,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,16896.101801,17234.594007,1,93,14,8,2.01,5,4,1,0,0,2,22,2,1,6,NA
+69311,7,2,2,16,NA,1,1,1,16,198,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,20502.928313,21226.512457,3,92,9,9,2.46,4,4,0,2,0,1,43,2,3,1,4
+69312,7,1,2,6,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13257.060167,0,2,90,14,14,3.06,5,5,1,2,0,1,42,1,4,1,5
+69313,7,2,1,1,14,4,4,2,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6580.937346,6661.20735,2,97,5,5,1.08,3,3,1,0,0,1,28,1,3,5,NA
+69314,7,2,1,50,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,16117.991297,17081.203544,1,96,7,7,1.69,4,4,0,1,0,2,19,2,4,NA,NA
+69315,7,1,1,11,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15653.970322,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+69316,7,2,2,17,NA,5,6,2,17,214,2,NA,2,2,2,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7588.544207,7881.983727,3,91,4,4,0.69,5,5,0,2,0,1,45,2,4,1,1
+69317,7,2,2,3,NA,4,4,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10447.689164,11241.830083,1,102,7,7,1.8,5,4,1,0,2,1,47,1,3,5,NA
+69318,7,2,1,4,NA,4,4,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11324.865632,11670.771889,2,96,2,2,0.44,3,3,2,0,0,2,22,1,2,5,NA
+69319,7,2,1,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18790.641284,19715.999527,2,100,15,1,0.05,4,1,0,2,0,1,42,1,3,5,NA
+69320,7,2,2,58,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,4,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,29087.427528,29444.125326,1,101,3,3,0.41,5,5,0,2,1,2,36,2,4,4,NA
+69321,7,2,1,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21390.017054,21518.859775,2,99,15,15,5,2,2,0,0,0,2,51,1,5,1,5
+69322,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,24460.137584,1,92,4,4,0.61,5,5,1,2,0,1,34,1,3,6,NA
+69323,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,7903.072331,8212.17704,2,99,NA,77,NA,3,2,0,0,1,1,63,1,3,5,NA
+69324,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,153755.392794,158780.137655,1,91,15,15,5,3,3,0,0,0,2,50,1,4,1,4
+69325,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,20039.469886,21176.851739,1,97,15,15,5,3,3,1,0,0,1,40,1,3,1,5
+69326,7,2,2,2,NA,5,6,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6213.806926,6511.003426,1,95,4,4,0.62,5,5,2,0,2,2,29,2,3,5,NA
+69327,7,2,2,10,NA,3,3,2,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55626.447796,54887.751745,1,95,15,15,5,4,4,0,2,0,2,42,1,5,1,5
+69328,7,2,2,71,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,13495.958207,13916.488113,1,96,9,9,4.23,2,2,0,0,2,2,71,2,5,1,5
+69329,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,42559.487719,42202.626733,1,98,3,2,0.62,2,1,0,0,0,2,50,1,2,3,NA
+69330,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,NA,NA,NA,NA,23614.167119,30467.110717,2,97,1,1,0.33,2,2,1,0,0,2,24,1,2,5,NA
+69331,7,2,2,13,NA,4,4,2,13,166,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10848.628906,11198.221038,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+69332,7,2,1,15,NA,4,4,1,15,186,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17606.165994,20773.995354,2,101,9,9,2.46,4,4,0,2,0,1,42,1,3,1,3
+69333,7,2,2,76,NA,5,7,1,NA,NA,2,NA,2,1,5,NA,1,1,NA,1,2,2,1,2,2,1,2,1,NA,33487.945981,34633.22923,1,102,10,10,3.22,4,4,0,0,2,2,29,2,5,5,NA
+69334,7,2,2,58,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,24938.6524,26291.237881,2,98,5,5,1.24,3,3,0,0,1,2,58,1,2,5,NA
+69335,7,2,1,54,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32838.149884,1,95,5,5,1.84,1,1,0,0,0,1,54,1,4,3,NA
+69336,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,19401.570044,22254.979865,1,92,6,6,1.24,4,4,1,1,0,1,30,1,3,3,NA
+69337,7,2,2,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,NA,NA,NA,NA,22912.222762,23105.605227,2,96,6,6,1.35,3,3,1,1,0,2,23,1,2,5,NA
+69338,7,2,2,13,NA,1,1,1,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15690.47168,16249.379042,1,102,8,8,1.33,7,7,1,4,0,2,32,1,3,1,2
+69339,7,2,1,22,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,1,6,NA,2,2,2,2,2,2,1,2,2,2,38560.502118,39812.43256,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+69340,7,2,1,14,NA,5,6,2,14,179,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6666.045669,7091.184391,3,90,10,10,2.41,5,5,1,2,0,1,44,2,4,1,5
+69341,7,2,1,6,NA,1,1,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11159.151566,11057.808004,1,102,2,2,0.31,4,4,1,2,0,2,25,1,2,4,NA
+69342,7,2,1,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,16645.008535,17770.553389,2,95,2,2,0.4,2,2,0,0,0,2,43,1,1,1,NA
+69343,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,118671.226879,120869.497653,2,91,15,15,5,3,3,0,0,0,2,54,1,4,1,4
+69344,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26091.362984,2,101,5,5,1.5,2,2,0,0,0,1,47,1,4,3,NA
+69345,7,2,1,11,NA,3,3,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18216.94614,18737.854061,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+69346,7,2,1,18,NA,2,2,1,18,226,2,NA,2,2,4,13,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,15506.325263,16662.012915,1,103,5,5,0.74,5,5,0,1,0,1,47,2,1,1,1
+69347,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,20137.063643,20085.335673,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+69348,7,2,2,13,NA,3,3,1,13,166,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,31627.471241,33789.841724,1,98,6,6,1.11,5,5,1,2,0,2,32,1,2,1,2
+69349,7,2,1,74,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,59483.758768,62962.247193,1,96,14,14,5,2,2,0,0,2,1,74,1,5,1,4
+69350,7,1,2,77,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,12888.823036,0,2,99,7,7,3.13,1,1,0,0,1,2,77,1,5,2,NA
+69351,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,66503.043118,69008.73133,2,98,7,7,1.94,3,3,1,0,0,2,31,1,4,1,NA
+69352,7,2,1,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9064.168162,9228.63108,3,92,12,12,NA,4,4,2,0,0,1,30,1,3,1,4
+69353,7,2,2,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7871.443574,8074.618887,1,96,9,9,2.88,3,3,1,0,0,1,27,1,3,1,5
+69354,7,2,1,42,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,34205.013302,34329.398365,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+69355,7,2,2,27,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,NA,NA,NA,NA,44119.608456,46238.164206,2,98,1,1,0.14,3,2,2,0,0,2,27,1,3,6,NA
+69356,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,11982.125462,2,101,5,5,1.08,3,3,0,1,1,2,62,1,4,2,NA
+69357,7,2,1,8,NA,4,4,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,8894.789377,9317.745565,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+69358,7,2,1,11,NA,3,3,1,11,134,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41342.668304,42524.849071,1,102,8,8,2.42,4,4,0,2,0,2,34,1,4,1,3
+69359,7,2,1,8,NA,4,4,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9022.8939,9530.778148,2,100,3,3,0.31,7,7,3,2,0,2,28,1,3,1,3
+69360,7,2,2,0,0,5,7,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6280.554922,6238.355238,2,92,10,10,3.78,3,3,1,0,0,1,35,1,4,6,NA
+69361,7,2,1,66,NA,4,4,1,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,10209.064769,10089.274206,1,98,6,6,1.57,3,3,0,0,2,1,66,2,2,1,4
+69362,7,2,1,5,NA,4,4,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8892.687359,9565.637195,2,96,12,10,2.17,7,6,2,3,0,1,29,1,4,3,NA
+69363,7,2,2,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,44119.608456,46238.164206,3,92,3,3,0.54,4,4,3,0,0,2,22,1,3,5,NA
+69364,7,2,2,11,NA,1,1,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,10118.363218,11093.371216,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+69365,7,2,2,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,185476.232403,190233.31946,1,95,4,4,1.47,1,1,0,0,0,2,59,1,1,5,NA
+69366,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,89167.746947,90120.008289,1,95,15,15,5,2,2,0,0,2,1,72,1,3,1,4
+69367,7,2,1,2,NA,3,3,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46257.816906,54201.886729,2,94,15,15,4.59,4,4,1,1,0,2,37,1,5,1,5
+69368,7,2,1,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16851.334496,16952.838472,2,95,14,14,5,2,2,0,0,0,1,52,1,4,1,NA
+69369,7,2,1,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,7233.371983,2,95,2,2,0.63,1,1,0,0,1,1,66,1,1,3,NA
+69370,7,2,1,17,NA,1,1,1,18,216,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20560.901695,21038.44606,2,96,10,10,3.78,3,3,0,1,0,1,42,1,3,1,3
+69371,7,2,1,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,22650.334558,22327.472235,1,93,12,12,NA,5,1,0,2,0,1,32,1,2,5,NA
+69372,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,23022.732862,22484.94345,2,102,5,3,0.92,5,1,2,1,0,1,24,1,4,6,NA
+69373,7,2,2,20,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114492.825466,119073.624167,2,101,3,2,0.73,3,1,0,0,0,2,20,2,4,5,NA
+69374,7,1,2,52,NA,2,2,NA,NA,NA,2,NA,2,2,5,NA,1,6,NA,2,2,2,1,2,2,NA,NA,NA,NA,24004.6026,0,2,91,1,1,0.17,4,4,0,1,0,1,49,2,1,6,NA
+69375,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,148501.534483,154474.828602,2,91,15,15,5,2,2,0,0,1,2,66,1,5,3,NA
+69376,7,2,1,19,NA,3,3,1,19,236,2,NA,2,1,5,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,41421.091412,40909.179995,1,94,3,3,0.93,2,2,0,0,0,2,41,2,2,3,NA
+69377,7,1,1,70,NA,5,6,NA,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,17564.38036,0,2,102,5,5,1.36,2,2,0,0,2,1,70,2,5,1,4
+69378,7,2,2,20,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,3,5,2,2,2,2,1,2,2,2,2,2,2,39788.68078,43305.780488,2,99,3,3,0.52,3,3,0,0,1,2,38,2,3,3,NA
+69379,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,22824.336433,1,92,1,1,0,2,1,0,0,0,1,30,1,3,6,NA
+69380,7,2,1,20,NA,2,2,1,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,42587.888675,2,98,1,1,0.13,4,4,2,0,0,2,52,1,2,4,NA
+69381,7,2,1,6,NA,2,2,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13837.588743,14145.695126,1,92,9,9,2.93,3,3,0,1,0,2,30,1,5,1,5
+69382,7,2,1,6,NA,5,6,2,6,79,NA,NA,2,2,1,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,9720.482616,11328.640802,2,91,99,99,NA,7,4,0,4,0,1,36,2,9,1,2
+69383,7,2,2,10,NA,5,7,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5010.242859,5375.15147,3,91,15,15,4.47,4,4,0,3,0,2,44,2,5,1,NA
+69384,7,2,1,7,NA,4,4,2,7,90,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10665.048307,10877.092316,1,96,4,4,1.12,2,2,0,1,0,2,44,1,2,5,NA
+69385,7,2,1,12,NA,5,6,2,12,154,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6666.045669,7091.184391,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+69386,7,2,1,52,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19541.667675,19738.253068,2,95,3,3,1.21,1,1,0,0,0,1,52,1,3,5,NA
+69387,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,71632.519751,73567.29218,2,100,8,8,4.13,1,1,0,0,0,1,25,1,3,5,NA
+69388,7,2,1,61,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,11568.876339,13082.418262,1,102,4,4,0.78,4,4,0,1,1,1,61,1,3,1,1
+69389,7,2,2,22,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,53638.260635,55237.528848,2,96,5,1,0.37,2,1,0,0,0,2,22,1,3,6,NA
+69390,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,96485.877517,101155.423058,2,95,9,9,3.97,2,2,0,0,1,1,62,1,2,1,2
+69391,7,2,2,52,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,30868.065568,31427.853631,3,92,10,10,3.77,3,3,0,1,0,2,52,1,4,6,NA
+69392,7,2,1,35,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,13147.594977,13793.622874,1,102,15,15,4.59,4,4,1,1,0,1,35,1,5,1,5
+69393,7,2,1,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23511.361566,23589.086028,1,100,14,14,4.45,3,3,1,0,0,1,33,1,4,1,4
+69394,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,39061.30289,2,101,4,4,1.22,2,2,1,0,0,2,25,1,4,5,NA
+69395,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20813.587171,20953.352876,2,93,6,6,1.47,3,3,0,0,0,2,47,1,4,5,NA
+69396,7,2,1,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8439.71412,8914.772112,2,99,7,7,1.19,6,6,1,3,0,2,38,1,3,5,NA
+69397,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,30152.053647,30291.005728,2,101,14,14,4.03,4,4,0,1,0,2,40,1,5,1,5
+69398,7,2,1,3,NA,4,4,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9388.597537,2,100,99,99,NA,6,6,2,1,0,2,44,1,3,1,4
+69399,7,1,1,58,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,25583.266805,0,1,100,10,10,4.63,2,2,0,0,1,1,58,1,5,1,4
+69400,7,2,1,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,NA,NA,NA,1,2,2,1,21600.805431,21945.582953,2,96,3,3,0.38,5,5,1,2,0,2,30,1,3,5,NA
+69401,7,2,1,0,0,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4724.065742,4677.378988,2,93,77,77,NA,7,7,3,1,0,2,43,2,1,1,9
+69402,7,2,2,59,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14262.400197,16582.236492,1,93,14,14,5,2,2,0,0,0,1,36,2,5,1,NA
+69403,7,2,1,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,115789.798768,119024.647099,1,90,6,6,2.86,1,1,0,0,1,1,61,1,5,3,NA
+69404,7,2,1,57,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20536.772571,20857.586819,1,90,15,15,5,2,2,0,0,0,1,57,2,4,1,5
+69405,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,152467.08796,155127.202914,1,91,8,8,2.17,4,4,0,0,0,1,59,1,4,1,5
+69406,7,2,1,16,NA,5,6,2,16,197,NA,NA,2,2,2,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8168.705487,9098.657657,1,93,7,7,1.64,5,5,0,2,0,1,47,2,5,1,1
+69407,7,2,1,14,NA,5,6,1,14,173,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,1,1,2,2,1,6121.087833,6878.034577,2,92,7,7,1.17,6,6,0,1,1,1,78,2,1,1,3
+69408,7,2,2,16,NA,1,1,1,16,202,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,2,2,1,1,2,2,1,13963.420591,14243.160208,2,103,2,2,0.42,3,3,0,2,0,2,51,2,2,5,NA
+69409,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,21605.242088,21013.957961,3,91,14,14,5,1,1,0,0,0,2,50,1,5,5,NA
+69410,7,2,2,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23409.362971,23343.581342,2,96,15,15,5,3,3,0,1,0,1,55,1,5,1,4
+69411,7,2,1,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,68266.732554,70856.701199,1,95,7,7,2.72,2,2,0,0,2,1,75,1,5,1,5
+69412,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,38833.86357,40362.1181,3,92,3,3,0.93,2,2,0,0,1,2,75,1,1,3,NA
+69413,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15477.500537,2,100,5,5,1.08,3,3,0,1,0,2,50,1,4,3,NA
+69414,7,2,2,4,NA,3,3,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,51483.624552,56822.002088,1,91,4,4,1.29,2,2,1,0,0,2,26,1,4,5,NA
+69415,7,2,2,15,NA,1,1,2,15,182,NA,NA,2,2,4,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18368.872199,18995.639955,2,94,12,12,NA,4,4,0,2,0,1,47,2,2,1,2
+69416,7,2,1,2,NA,5,6,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8100.706553,9085.828699,1,98,15,15,5,4,4,1,1,0,1,40,NA,NA,1,5
+69417,7,2,1,27,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,124091.929364,126503.690206,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+69418,7,2,1,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,60803.589953,64579.113865,1,91,15,15,5,2,2,0,0,2,1,71,1,5,1,4
+69419,7,2,1,57,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,25963.141347,25880.331023,1,92,10,10,4.3,2,2,0,0,0,2,55,1,4,1,5
+69420,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,NA,NA,NA,1,2,2,NA,60163.952904,72064.333099,1,97,NA,NA,NA,2,1,0,0,2,1,80,1,3,6,NA
+69421,7,2,2,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,149765.47604,152732.36321,1,92,7,7,2.64,2,2,0,0,2,2,68,1,4,1,4
+69422,7,2,2,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,38477.954475,38315.213578,1,97,15,15,5,6,6,0,1,1,2,53,1,4,1,NA
+69423,7,2,1,6,NA,3,3,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58429.74688,62860.392832,1,100,6,6,1.78,3,3,1,1,0,2,35,1,5,4,NA
+69424,7,2,1,4,NA,4,4,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7359.751824,8115.329859,2,99,5,5,1.26,3,3,1,0,0,2,50,2,3,5,NA
+69425,7,2,2,66,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15268.186173,15857.48365,1,102,14,14,5,2,2,0,0,2,1,65,2,5,1,5
+69426,7,2,2,14,NA,5,6,2,14,175,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11975.458482,12226.374363,1,97,14,14,2.87,5,5,0,3,0,2,40,2,5,1,5
+69427,7,2,1,44,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,18774.610796,1,99,3,3,0.54,3,3,1,0,0,2,29,1,4,1,4
+69428,7,2,2,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,33331.144292,35071.927834,1,101,7,7,2.71,2,2,0,0,0,1,43,1,4,1,4
+69429,7,2,2,18,NA,1,1,1,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24481.187693,25353.22751,1,95,4,4,0.68,5,5,0,1,0,2,38,2,3,4,NA
+69430,7,2,2,67,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,1,1,NA,1,2,1,1,2,1,1,2,2,NA,14102.354333,14719.644428,3,91,14,4,1.02,6,2,0,0,2,1,48,2,1,1,1
+69431,7,2,2,79,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,12183.823561,12607.778632,2,100,9,9,4.35,2,2,0,0,2,2,79,1,5,1,3
+69432,7,2,1,0,5,4,4,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5782.580039,5871.334502,2,99,7,7,1.65,4,4,2,1,0,2,29,1,3,4,NA
+69433,7,2,1,53,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,29883.483388,29823.443389,1,102,7,7,1.89,3,3,0,0,0,1,53,2,1,1,1
+69434,7,2,2,43,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,40880.818805,42051.054889,1,101,4,4,0.84,3,3,0,1,0,1,42,1,4,1,4
+69435,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,47157.788417,52669.767304,2,95,15,15,5,2,2,0,0,2,1,80,1,5,1,5
+69436,7,2,1,46,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,28353.771379,28938.361413,1,92,8,8,4.66,1,1,0,0,0,1,46,1,4,5,NA
+69437,7,2,2,6,NA,3,3,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19880.837381,19616.828143,1,95,6,6,1.3,4,4,0,3,0,2,46,1,4,3,NA
+69438,7,2,1,16,NA,3,3,2,16,201,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,29222.804528,30590.757203,1,90,7,7,1.55,5,5,0,3,0,1,51,2,3,1,2
+69439,7,2,1,67,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7903.072331,8272.775405,2,99,8,8,3.57,2,2,0,0,1,1,67,1,2,1,2
+69440,7,2,1,3,NA,5,6,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6940.398869,7784.416682,2,100,15,15,5,4,4,1,1,0,1,36,2,5,1,5
+69441,7,2,2,9,NA,3,3,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,62419.284609,61940.470984,1,101,14,14,4.5,3,3,0,1,0,1,39,1,2,1,5
+69442,7,2,1,19,NA,4,4,1,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,2,1,0.18,4,1,0,0,0,1,19,1,4,NA,NA
+69443,7,2,2,29,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,11378.639129,11910.020755,1,102,15,15,3.82,5,5,1,1,0,1,29,1,4,1,4
+69444,7,2,2,2,NA,4,4,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7618.827213,8513.998744,2,97,5,5,1.63,2,2,1,0,0,2,33,1,3,5,NA
+69445,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,18490.479848,17984.43936,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+69446,7,2,1,25,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,5,NA,2,2,2,1,2,2,1,2,2,2,38560.502118,39812.43256,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+69447,7,2,2,13,NA,4,4,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16659.324602,16974.753267,1,92,15,15,4.44,5,5,0,3,0,2,43,1,5,6,NA
+69448,7,2,1,3,NA,4,4,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8892.687359,9565.637195,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+69449,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19260.892847,19877.962631,2,97,12,12,NA,3,3,0,0,0,1,33,1,4,5,NA
+69450,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,93796.829073,96460.739647,1,100,15,15,5,4,4,1,1,0,1,40,1,5,1,5
+69451,7,2,1,67,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7736.56115,7765.677873,1,99,13,13,NA,3,3,0,0,2,1,67,1,2,1,2
+69452,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,175633.860713,177416.12057,3,91,15,15,5,4,4,0,0,1,1,60,NA,NA,4,NA
+69453,7,2,2,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,171038.159272,172773.783849,3,92,15,15,5,3,3,0,0,0,1,56,NA,NA,1,4
+69454,7,2,2,13,NA,4,4,2,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,6,6,0.96,5,5,0,4,0,2,36,1,4,4,NA
+69455,7,2,2,80,NA,3,3,1,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,1,1,2,2,1,2,1,NA,49191.372812,61149.379277,3,91,15,15,3.33,6,6,0,2,2,1,80,2,3,1,3
+69456,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,21897.080981,21827.239495,3,91,12,12,NA,2,2,0,0,0,1,52,1,5,1,5
+69457,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,13408.721263,14895.884708,2,98,3,3,0.68,2,2,0,0,2,1,80,1,1,1,3
+69458,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,167711.394252,174540.034956,1,101,7,7,2.31,2,2,0,0,1,1,60,1,3,1,3
+69459,7,2,2,62,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,15207.312407,15896.113669,2,98,10,10,4.43,2,2,0,0,1,2,47,1,4,3,NA
+69460,7,2,1,50,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,23259.140149,22917.848121,1,90,10,10,2.44,5,5,1,0,0,2,56,2,1,1,1
+69461,7,2,2,13,NA,5,6,2,13,160,NA,NA,1,1,NA,7,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6937.463063,7205.726089,3,90,15,15,3.23,6,6,0,2,0,1,50,2,2,1,2
+69462,7,2,2,36,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,42468.064168,42460.239922,2,101,6,6,0.96,5,5,0,4,0,2,36,1,4,4,NA
+69463,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,27771.028362,29170.559675,3,92,4,4,1.16,2,2,0,0,0,2,20,1,2,1,2
+69464,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105261.096488,116369.237268,1,97,15,15,5,4,4,0,2,0,1,39,1,5,1,NA
+69465,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,134213.669088,137679.44344,1,93,7,7,2.16,3,3,0,1,0,2,50,1,5,3,NA
+69466,7,2,2,8,NA,5,6,1,8,99,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,1,2,1,1,6189.617175,6489.651129,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+69467,7,1,1,3,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,77702.196479,0,1,95,14,14,3.8,4,4,1,1,0,1,36,1,4,1,5
+69468,7,2,1,69,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,7736.56115,7645.782314,1,99,6,6,1.84,2,2,0,0,2,1,69,1,3,1,4
+69469,7,2,1,0,2,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8519.229538,8996.978293,1,101,4,4,0.57,5,5,1,2,0,1,28,2,1,1,1
+69470,7,2,2,4,NA,1,1,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,16462.187772,17500.018071,3,92,7,7,1.3,5,5,1,2,0,2,33,2,2,1,1
+69471,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,94,14,14,5,2,2,0,0,2,2,72,1,5,1,5
+69472,7,2,1,38,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18544.003944,19241.239961,2,100,14,14,3.76,4,4,1,1,0,1,38,1,3,1,NA
+69473,7,2,1,79,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,8456.543684,8955.478754,2,92,7,7,3.13,1,1,0,0,1,1,79,1,1,2,NA
+69474,7,2,2,66,NA,2,2,1,NA,NA,2,NA,2,2,5,NA,3,5,NA,2,2,2,1,2,2,1,2,2,2,11570.073931,12052.956309,2,93,7,7,1.74,4,4,1,0,1,2,24,NA,NA,4,NA
+69475,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20430.250572,20111.803159,2,97,5,5,0.76,5,5,0,0,0,2,50,1,4,5,NA
+69476,7,2,2,0,5,4,4,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4584.111679,4588.281921,1,97,4,4,0.46,7,7,3,3,0,2,31,1,3,1,NA
+69477,7,2,1,0,5,1,1,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6390.260233,6748.618798,2,96,6,6,1,6,6,1,3,0,2,32,2,1,6,NA
+69478,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,34874.122648,37228.07844,3,92,6,6,0.74,7,7,2,1,0,2,46,1,2,1,4
+69479,7,2,2,47,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,25713.328161,27565.019075,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+69480,7,2,2,1,13,4,4,1,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8480.466509,9125.076563,1,100,9,9,2.22,5,5,1,2,0,2,40,2,4,1,4
+69481,7,2,2,0,2,1,1,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6787.112205,7016.795893,2,94,7,7,1.33,6,6,2,0,0,2,32,2,2,1,2
+69482,7,2,2,3,NA,1,1,1,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17282.036547,19079.832121,2,102,3,3,0.45,4,4,2,0,0,1,21,2,2,6,NA
+69483,7,2,1,4,NA,5,6,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10273.602479,10769.310961,1,92,77,77,NA,4,4,1,1,0,2,40,2,4,1,4
+69484,7,2,1,17,NA,1,1,1,17,210,2,NA,2,2,5,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,19996.544021,19901.195571,1,100,7,7,1.3,5,5,0,3,0,1,43,2,2,1,4
+69485,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22329.779038,21943.745693,1,98,14,14,3.93,3,3,1,0,0,1,36,1,5,1,5
+69486,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11679.736252,12242.903977,1,103,8,8,4.66,1,1,0,0,1,2,67,1,5,3,NA
+69487,7,2,1,21,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14852.674152,15542.18804,1,92,14,14,3.9,4,4,0,0,0,2,55,2,5,1,5
+69488,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,33784.29429,34197.992084,1,95,5,5,1.3,3,3,0,0,1,2,19,1,3,NA,NA
+69489,7,2,2,62,NA,5,6,2,NA,NA,2,NA,2,2,7,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,12941.046565,13394.767563,1,93,9,9,5,1,1,0,0,1,2,62,2,4,5,NA
+69490,7,2,1,0,3,3,3,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22795.485282,22401.400888,1,95,9,9,2.46,4,4,2,0,0,2,25,1,5,1,5
+69491,7,2,2,67,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,2,NA,2,2,2,2,2,2,2,2,2,2,10490.803278,11351.088215,1,93,2,2,0.77,1,1,0,0,1,2,67,2,1,2,NA
+69492,7,2,2,15,NA,4,4,2,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,18905.695776,2,101,3,3,0.54,3,3,0,2,0,2,36,1,3,5,NA
+69493,7,2,2,17,NA,4,4,2,17,209,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,7,7,1.74,4,4,0,2,0,2,47,1,5,4,NA
+69494,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,97803.500399,98104.213748,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+69495,7,2,2,22,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,3,5,2,1,2,2,1,2,2,1,2,2,3,16239.242782,18510.062544,2,101,9,3,1.1,4,1,0,0,0,1,22,2,3,5,NA
+69496,7,2,2,9,NA,4,4,2,9,116,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7631.175557,7916.380746,1,93,12,12,NA,3,3,0,1,0,2,48,1,3,5,NA
+69497,7,2,1,26,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,13749.764747,14666.581717,1,90,4,4,0.78,4,4,0,0,1,1,69,2,4,1,3
+69498,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,59510.728426,64021.429591,1,99,15,15,5,3,3,1,0,0,2,31,1,5,1,5
+69499,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,129098.803996,133683.475932,1,93,15,15,5,4,4,0,2,0,2,42,1,5,1,NA
+69500,7,2,1,19,NA,3,3,2,19,234,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,119111.433099,126517.990149,2,94,15,15,3.82,5,5,0,0,0,1,50,1,5,1,5
+69501,7,2,2,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,11331.751026,1,101,2,2,0.22,4,4,1,0,0,2,25,1,4,6,NA
+69502,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,143785.115498,143265.966876,1,99,8,8,4.87,1,1,0,0,0,2,50,1,5,5,NA
+69503,7,2,2,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,35933.117795,41598.834451,1,98,2,2,0.72,1,1,0,0,0,2,44,1,4,3,NA
+69504,7,2,1,54,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13002.519536,13402.475336,1,93,15,15,4.59,4,4,0,2,0,2,45,1,5,1,5
+69505,7,2,1,60,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,27043.072221,28144.17465,2,101,5,4,1.47,2,1,0,0,1,2,49,1,3,6,NA
+69506,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,12256.510142,13615.881666,1,95,4,4,1.26,2,2,0,0,2,1,80,1,1,1,3
+69507,7,2,2,8,NA,5,6,2,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10699.45895,11290.011566,1,97,10,10,3.67,3,3,0,1,0,1,47,1,5,1,5
+69508,7,2,1,37,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,36924.956604,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+69509,7,2,1,62,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,1,2,2,NA,8609.250304,11228.904188,2,90,4,4,1.02,2,2,0,0,1,1,62,2,1,1,1
+69510,7,2,1,19,NA,5,6,1,19,234,2,NA,2,1,4,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6558.308393,6849.983523,2,92,99,1,0.28,4,1,0,0,0,1,19,1,4,NA,NA
+69511,7,2,2,65,NA,4,4,1,NA,NA,2,NA,2,2,3,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,13998.494211,15077.525188,2,102,4,4,1.38,1,1,0,0,1,2,65,2,2,4,NA
+69512,7,2,1,17,NA,3,3,2,17,213,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17395.533107,17264.495057,1,99,13,13,NA,4,4,0,2,0,1,55,NA,NA,1,4
+69513,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19320.837782,1,99,15,15,5,4,4,0,2,0,2,46,1,5,1,5
+69514,7,2,1,57,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20181.678047,20475.67653,1,96,14,14,3.99,4,4,0,0,0,2,53,1,3,1,4
+69515,7,2,1,63,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,6612.194774,6663.917441,2,99,7,7,3.55,2,1,0,0,1,1,63,1,4,3,NA
+69516,7,2,1,74,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,52448.388619,54438.22579,1,99,9,9,3.74,2,2,0,0,2,2,73,1,3,1,4
+69517,7,2,1,0,7,4,4,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6246.568228,6652.820193,2,95,7,7,1.41,5,5,2,0,0,2,53,1,3,3,NA
+69518,7,2,2,2,NA,4,4,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6226.488588,6570.976462,2,99,6,6,1.03,6,6,3,0,0,1,33,1,3,6,NA
+69519,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,19520.240895,25185.107635,2,95,1,1,0.13,2,2,1,0,0,2,22,1,3,5,NA
+69520,7,2,1,22,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,101419.325386,103801.228657,1,100,15,15,4.63,5,5,0,0,0,1,51,1,5,1,3
+69521,7,2,1,74,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,48254.793439,51076.634961,2,100,6,6,2.04,2,2,0,0,2,1,74,1,4,1,3
+69522,7,2,2,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,52701.331723,53172.517558,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+69523,7,2,1,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,128128.531162,128588.454794,1,99,8,8,4.78,1,1,0,0,0,1,56,1,3,3,NA
+69524,7,2,2,61,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,9943.806181,2,100,12,12,NA,2,2,0,0,1,1,56,1,5,1,4
+69525,7,2,2,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,18462.756377,17957.474615,1,99,2,2,0.48,2,2,0,0,0,2,44,1,3,1,3
+69526,7,2,1,19,NA,3,3,2,19,239,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22313.526699,26201.091455,1,99,5,2,0.73,4,1,0,0,0,1,19,1,3,NA,NA
+69527,7,2,1,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,39031.957066,39638.562591,1,95,6,4,1.47,2,1,0,0,0,2,28,1,2,6,NA
+69528,7,2,1,80,NA,1,1,1,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,14673.422679,14929.213705,2,98,15,15,4.56,4,4,0,0,3,1,80,1,1,1,NA
+69529,7,2,1,7,NA,3,3,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,82670.203859,85919.643529,1,97,14,14,3.36,4,4,0,2,0,2,49,1,5,1,5
+69530,7,2,2,9,NA,3,3,2,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,46660.163959,46766.329713,1,98,15,15,5,5,5,0,1,0,1,53,1,5,1,5
+69531,7,2,1,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,26847.643051,28917.411142,1,98,1,1,0.16,3,3,1,0,0,1,28,1,2,6,NA
+69532,7,2,2,47,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,2,1,2,1,NA,NA,NA,NA,19150.604366,19847.194665,3,91,6,6,1.81,3,3,0,1,0,2,47,2,3,1,3
+69533,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114993.808573,116714.079488,1,98,7,4,1.34,4,1,0,0,0,2,20,NA,NA,5,NA
+69534,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,21503.272394,20634.528185,1,96,14,10,5,2,1,0,0,0,2,29,1,5,6,NA
+69535,7,2,1,16,NA,5,7,1,16,199,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,59545.101745,58762.542429,1,102,8,8,1.6,7,7,0,4,0,2,39,1,4,1,4
+69536,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126314.769628,126413.297707,2,95,8,8,3.53,2,2,0,0,0,1,57,1,4,1,4
+69537,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140932.152825,151077.472396,1,97,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+69538,7,2,2,19,NA,2,2,2,20,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,26657.121865,27597.898247,1,97,15,15,5,3,3,0,0,0,1,45,1,4,1,3
+69539,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,27199.141352,29187.923269,1,98,7,7,3.58,1,1,0,0,1,1,80,1,2,2,NA
+69540,7,2,2,45,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,24625.307946,26182.57746,1,93,2,2,0.61,2,2,0,0,1,2,45,2,3,5,NA
+69541,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,34952.089182,39581.970787,1,94,4,4,1,3,3,0,1,0,2,41,1,4,5,NA
+69542,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,3,1,2,2,1,2,2,1,2,2,1,35126.205635,36772.568368,1,95,3,3,0.65,3,3,1,0,0,1,58,1,3,3,NA
+69543,7,2,2,9,NA,4,4,1,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9139.784234,9759.758014,2,100,14,14,4.86,3,3,0,1,0,2,41,1,4,3,NA
+69544,7,1,2,16,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,10,NA,NA,NA,2,2,2,1,2,2,NA,NA,NA,NA,20347.899985,0,2,94,5,5,0.65,6,6,0,2,0,1,53,NA,NA,6,NA
+69545,7,2,2,17,NA,3,3,1,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30430.369428,31312.351655,3,92,5,5,1.03,4,4,0,3,0,1,55,1,4,4,NA
+69546,7,2,1,26,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15976.466658,17286.192057,2,96,8,6,2.39,2,1,0,0,0,1,26,2,5,5,NA
+69547,7,2,1,73,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,8543.37447,9341.78969,3,90,14,14,2.97,5,5,0,2,1,1,73,2,3,2,NA
+69548,7,2,2,7,NA,4,4,2,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7710.907339,8302.634544,2,99,77,77,NA,4,4,1,1,0,2,47,1,2,77,NA
+69549,7,2,2,66,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10429.953328,10902.368494,2,94,15,15,3.42,6,6,0,1,2,1,40,1,3,1,4
+69550,7,2,1,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,16287.780872,16385.890285,1,96,9,6,2.3,2,1,0,0,0,1,58,1,4,6,NA
+69551,7,2,2,12,NA,4,4,1,12,148,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11838.873374,11750.256617,2,97,15,15,5,4,4,0,2,0,1,47,NA,NA,6,NA
+69552,7,2,2,64,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,10999.00871,11813.793381,2,98,6,6,1.25,4,4,1,0,1,1,46,1,2,6,NA
+69553,7,2,2,70,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,2,2,2,NA,15705.521724,21678.922586,3,90,12,12,NA,6,6,0,0,2,1,70,2,1,1,1
+69554,7,2,1,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9344.689579,9327.120408,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+69555,7,2,2,11,NA,4,4,2,11,136,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7282.523598,7776.514874,2,99,6,6,1.11,5,5,0,4,0,2,34,1,4,5,NA
+69556,7,2,1,59,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17738.246838,17681.670095,2,95,2,2,0.54,1,1,0,0,0,1,59,1,4,1,NA
+69557,7,2,2,0,1,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8775.375504,8746.463784,2,102,14,14,3.58,4,4,2,0,0,1,25,2,3,1,1
+69558,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,47973.37979,51335.952518,1,101,7,7,1.82,4,4,2,0,0,2,27,1,2,1,3
+69559,7,2,2,8,NA,1,1,2,8,100,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14300.71869,15541.734563,2,94,9,9,2.1,5,5,1,2,0,1,31,2,4,1,4
+69560,7,2,1,26,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,2,5,NA,2,2,2,2,2,2,1,2,2,1,59682.963348,66132.07802,2,102,5,5,1.08,3,3,0,0,0,1,55,2,1,5,NA
+69561,7,2,2,19,NA,4,4,1,20,NA,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11224.041366,11682.365019,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+69562,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,1,2,NA,27199.141352,29187.923269,1,98,77,77,NA,2,2,0,0,2,1,80,1,1,1,3
+69563,7,2,2,5,NA,5,6,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8818.200077,8968.551716,2,102,6,6,1.52,4,4,2,0,0,1,30,2,4,1,4
+69564,7,2,1,37,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18743.758781,18547.428727,1,98,15,15,5,6,6,3,0,0,1,37,2,5,1,4
+69565,7,2,2,6,NA,2,2,2,6,72,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10276.40638,10435.186077,2,99,99,99,NA,5,3,0,1,0,1,40,2,1,6,NA
+69566,7,2,1,80,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,2,2,2,2,2,1,NA,13654.270555,14429.301836,2,93,12,12,NA,2,2,0,0,2,2,79,NA,NA,1,1
+69567,7,2,2,10,NA,3,3,1,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18800.96526,18551.296274,1,94,3,3,0.37,5,5,0,3,0,2,29,1,4,4,NA
+69568,7,2,2,11,NA,4,4,1,11,137,NA,NA,2,2,2,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8504.389189,8822.229593,2,93,6,6,2.24,3,1,1,1,0,2,31,2,3,3,NA
+69569,7,2,2,61,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,17243.546687,17909.086027,1,92,6,6,2.15,2,2,0,0,2,2,61,2,4,1,5
+69570,7,1,1,8,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,73471.277275,0,2,101,8,8,1.72,5,5,0,3,0,1,37,1,3,1,3
+69571,7,2,1,19,NA,5,6,2,20,NA,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11506.937395,12032.024805,1,97,7,7,1.48,5,5,0,1,0,2,46,2,4,1,NA
+69572,7,2,2,42,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,4,4,2,1,2,1,1,2,1,NA,NA,NA,NA,13568.706187,14164.354411,3,90,8,4,1.61,3,1,0,0,1,2,68,2,2,4,NA
+69573,7,2,2,53,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,15790.702799,16017.473382,2,90,2,2,0.48,2,2,0,0,1,2,53,2,3,1,3
+69574,7,2,2,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,163194.688032,166437.638141,1,97,14,14,4.96,2,2,0,0,0,1,59,1,4,1,5
+69575,7,2,2,12,NA,4,4,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11990.226944,12023.57752,2,95,2,2,0.26,3,3,0,2,0,2,31,1,3,5,NA
+69576,7,2,1,2,NA,4,4,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7325.198118,7777.386797,1,100,13,13,NA,5,5,2,0,0,2,54,1,4,5,NA
+69577,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,18061.358948,18207.066814,2,93,3,3,1.07,1,1,0,0,0,1,52,1,3,4,NA
+69578,7,2,2,6,NA,1,1,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16412.026403,2,98,2,2,0.35,3,3,0,1,0,2,43,1,3,1,3
+69579,7,2,2,4,NA,5,6,1,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6443.362832,6436.557151,1,98,15,15,5,3,3,1,0,0,2,37,2,5,1,5
+69580,7,2,1,23,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20623.434727,20610.774284,1,93,3,3,0.7,3,3,1,0,0,1,23,2,4,1,2
+69581,7,2,1,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,16386.190684,16050.428992,2,90,15,15,5,4,4,0,0,0,1,57,2,5,1,5
+69582,7,2,2,30,NA,2,2,2,NA,NA,2,NA,2,7,77,NA,1,2,2,2,2,2,2,2,2,NA,NA,NA,NA,35353.005268,36684.976775,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+69583,7,2,2,4,NA,5,6,2,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4962.240532,5199.576603,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+69584,7,2,2,0,6,5,7,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14926.308861,15231.47558,1,102,8,8,1.91,5,5,1,2,0,2,38,1,5,1,4
+69585,7,1,2,4,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53166.229434,0,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+69586,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5255.532858,5319.636438,2,99,1,1,0.1,3,3,1,1,0,2,28,1,4,5,NA
+69587,7,2,1,77,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,16823.6553,18089.239033,1,92,9,9,3.64,2,2,0,0,2,1,77,1,5,1,4
+69588,7,2,2,10,NA,3,3,2,10,127,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,66519.408962,66670.760406,1,98,15,15,4.34,4,4,0,2,0,1,51,1,5,1,5
+69589,7,2,1,0,2,3,3,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17418.612172,17117.482228,1,91,14,14,5,3,3,1,0,0,2,30,1,5,1,5
+69590,7,2,2,19,NA,4,4,2,19,235,2,NA,1,1,NA,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,4,4,0.81,4,4,1,0,0,2,51,1,2,4,NA
+69591,7,2,2,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,122655.643802,123752.268878,3,91,15,15,5,2,2,0,0,0,1,29,1,4,1,4
+69592,7,1,1,16,NA,1,1,NA,NA,NA,NA,NA,2,2,3,10,NA,NA,NA,1,2,2,1,2,1,NA,NA,NA,NA,18242.832494,0,1,102,99,99,NA,5,5,0,2,1,1,52,2,1,1,1
+69593,7,2,2,1,18,4,4,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6306.491784,6469.273037,2,90,9,9,3.18,3,3,1,0,0,2,38,2,4,5,NA
+69594,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,22911.854766,1,95,6,6,1.09,5,5,0,3,0,1,31,1,4,1,4
+69595,7,2,2,3,NA,3,3,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,68579.013834,75690.025736,1,95,15,15,5,3,3,1,0,0,1,26,1,3,1,4
+69596,7,2,1,64,NA,4,4,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,8219.195224,8283.488354,2,99,10,10,3.67,3,3,0,0,1,1,64,2,4,1,5
+69597,7,2,2,2,NA,5,6,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6075.554662,6069.137471,1,93,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+69598,7,2,1,34,NA,3,3,2,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,87891.395784,90408.650551,2,99,15,15,5,1,1,0,0,0,1,34,2,5,1,NA
+69599,7,2,1,21,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,5,NA,2,2,2,1,2,2,1,2,2,1,42077.383821,44759.048785,1,102,4,4,0.67,4,4,0,1,0,1,23,2,4,5,NA
+69600,7,2,1,65,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,6815.198656,6994.794831,3,90,15,15,4.34,4,4,0,0,1,1,65,1,3,1,4
+69601,7,2,1,17,NA,3,3,2,17,205,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,93665.036597,95017.313859,1,91,15,15,5,4,4,0,1,0,1,45,1,5,1,5
+69602,7,2,1,49,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,1,2,2,1,2,1,1,2,NA,35406.972937,36103.049421,2,98,3,3,0.98,2,2,0,0,1,2,80,1,1,2,NA
+69603,7,2,1,26,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,35669.2076,40318.090187,2,94,4,4,0.81,4,4,2,0,0,1,26,2,2,1,2
+69604,7,2,2,1,15,1,1,1,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,14326.094268,14518.763259,3,92,4,4,0.65,4,4,2,0,0,2,24,2,2,1,2
+69605,7,2,1,12,NA,2,2,1,12,147,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14532.438529,15479.089621,2,93,14,14,3.52,5,5,1,2,0,1,44,1,5,1,5
+69606,7,2,2,11,NA,4,4,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10332.067017,11124.939356,1,100,12,12,NA,3,3,0,1,0,2,52,1,3,1,3
+69607,7,2,1,40,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,34025.01199,1,95,2,2,0.46,1,1,0,0,0,1,40,1,1,3,NA
+69608,7,2,1,75,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,9662.124837,10964.58979,2,92,4,4,1.43,1,1,0,0,1,1,75,1,3,3,NA
+69609,7,2,1,4,NA,4,4,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9885.965005,10187.921537,2,97,3,1,0.44,3,1,2,0,0,2,20,1,2,5,NA
+69610,7,2,1,20,NA,5,7,1,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14385.653726,15040.55165,2,101,99,2,0.46,4,1,0,0,0,1,18,NA,NA,NA,NA
+69611,7,2,2,8,NA,5,7,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9007.62445,9504.796896,2,102,15,15,5,4,4,0,2,0,1,39,1,4,1,5
+69612,7,2,2,15,NA,3,3,1,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74658.856536,76060.378937,1,100,15,15,5,5,5,0,3,0,1,47,1,5,1,5
+69613,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,11739.283384,12336.327776,1,96,15,15,5,5,5,0,0,0,1,58,2,5,1,5
+69614,7,1,1,3,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,81535.075159,0,3,91,8,8,3.4,2,2,1,0,0,2,31,1,3,5,NA
+69615,7,2,2,12,NA,1,1,1,12,150,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18515.058419,19360.671834,2,96,6,6,1.12,4,4,0,3,0,1,26,1,2,77,NA
+69616,7,2,2,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,44672.331977,48301.986589,1,98,2,2,0.36,5,5,3,0,0,1,25,1,3,1,3
+69617,7,2,2,25,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,97925.559493,100647.602701,1,91,15,6,2.69,3,1,0,0,0,1,27,1,3,6,NA
+69618,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,127865.461733,133989.246473,1,101,4,4,1.26,2,2,0,0,2,1,62,1,3,1,3
+69619,7,2,2,41,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,19075.861607,18884.31701,1,96,6,6,1.21,4,4,0,2,0,2,41,1,4,4,NA
+69620,7,2,1,49,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,31347.36219,32073.699502,2,90,6,6,1.21,4,4,0,0,0,2,59,2,1,6,NA
+69621,7,2,1,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,30631.476666,32101.68524,2,101,8,8,2.81,3,3,0,1,0,1,35,1,1,1,2
+69622,7,2,1,58,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,27140.404673,28346.53309,1,95,5,5,1.1,3,3,0,0,1,2,63,1,4,1,5
+69623,7,2,1,4,NA,1,1,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19411.993395,20798.549942,1,92,14,14,3.9,4,4,2,0,0,2,29,1,4,1,4
+69624,7,2,1,67,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,3,1,NA,1,2,1,NA,NA,NA,1,2,1,3,11145.558675,11717.869264,2,96,NA,NA,NA,4,4,0,0,1,1,67,2,3,1,2
+69625,7,2,1,29,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,111450.827181,113182.912698,3,91,15,15,5,2,2,0,0,0,1,29,1,4,1,4
+69626,7,2,1,53,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,161135.312305,165002.304429,2,101,14,14,4.86,3,3,0,1,0,1,53,1,4,1,5
+69627,7,2,2,13,NA,4,4,2,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13621.250519,13659.137754,1,93,7,7,2.72,2,2,0,1,0,2,45,1,3,3,NA
+69628,7,2,1,9,NA,1,1,1,9,116,NA,NA,2,2,3,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,14821.597351,14686.992722,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+69629,7,2,2,16,NA,3,3,1,16,197,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,39616.634313,47751.80094,2,101,3,3,0.59,4,3,0,2,0,1,39,1,1,6,NA
+69630,7,2,1,23,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,33592.259589,34050.148008,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+69631,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,1,2,1,2,2,1,2,2,NA,29183.224814,31443.714435,1,95,7,7,2.3,3,3,0,0,2,1,80,1,4,1,2
+69632,7,2,1,44,NA,2,2,2,NA,NA,1,2,2,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,31640.296506,32279.766727,2,94,8,8,2.01,4,4,1,1,0,1,44,2,4,1,4
+69633,7,2,1,38,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,42890.643983,44071.237251,1,98,15,15,5,5,5,2,1,0,1,38,1,4,1,5
+69634,7,2,2,14,NA,2,2,2,14,174,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22139.315046,23195.552704,3,91,6,6,0.83,6,6,1,3,0,1,37,1,4,1,4
+69635,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,175997.804296,180603.118894,1,101,7,7,2.31,2,2,0,0,1,1,60,1,3,1,3
+69636,7,2,1,2,NA,2,2,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10136.626471,10860.663695,2,100,14,14,3.58,4,4,1,1,0,1,33,1,4,1,5
+69637,7,2,2,58,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,189736.955264,194603.321172,1,98,6,6,2.6,1,1,0,0,0,2,58,1,2,3,NA
+69638,7,2,2,5,NA,3,3,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,53166.229434,56500.79967,1,98,7,7,1.66,5,5,2,1,0,2,37,1,5,1,3
+69639,7,1,1,48,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,20480.361635,0,2,99,6,6,2.69,1,1,0,0,0,1,48,1,3,5,NA
+69640,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,14883.664782,16969.371761,2,90,5,5,1.08,3,3,1,1,0,2,23,1,2,5,NA
+69641,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,1,2,1,2,2,NA,NA,NA,NA,109290.289961,113677.204054,1,100,15,15,5,3,3,0,0,0,1,53,1,5,1,4
+69642,7,2,1,19,NA,4,4,1,19,232,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,1,1,0.05,1,1,0,0,0,1,19,1,4,NA,NA
+69643,7,2,2,0,10,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7565.515117,8068.295221,1,100,3,3,0.43,4,4,2,0,0,1,20,1,3,6,NA
+69644,7,2,2,64,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11838.431472,12295.352662,2,94,8,8,1.8,6,6,0,1,2,1,74,2,5,1,5
+69645,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,49260.413155,50771.674072,2,100,99,99,NA,2,2,0,0,2,1,72,1,4,1,4
+69646,7,2,1,9,NA,3,3,2,10,120,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,82670.203859,86374.629723,1,97,15,15,4.07,5,5,0,3,0,1,36,1,5,1,5
+69647,7,2,1,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,113559.363135,116811.761686,2,102,14,14,3.44,5,5,1,2,0,2,34,1,4,6,NA
+69648,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,32471.790416,34987.007487,2,96,15,15,5,2,2,0,0,2,2,80,2,5,1,5
+69649,7,2,1,27,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,1,2,2,3,14385.653726,15533.829525,2,101,7,5,1.84,2,1,0,0,0,1,27,2,5,5,NA
+69650,7,2,1,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,36244.629058,36151.524069,1,98,3,2,0.72,2,1,0,0,0,2,50,1,2,3,NA
+69651,7,2,1,15,NA,4,4,1,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18120.648572,18071.489418,1,100,3,3,0.43,4,4,0,2,0,1,35,1,4,1,3
+69652,7,2,2,74,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,12833.793728,13278.897744,2,92,5,5,1.08,3,3,0,0,2,1,46,NA,NA,5,NA
+69653,7,2,1,28,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,111887.48668,1,94,9,9,3.14,3,3,1,0,0,1,28,1,5,1,5
+69654,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,23484.626749,23642.328802,2,96,14,14,4.26,3,3,0,0,0,1,20,1,4,5,NA
+69655,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,22419.63376,27869.657009,1,94,2,2,0.72,1,1,0,0,1,2,80,1,3,2,NA
+69656,7,2,1,62,NA,4,4,2,NA,NA,2,NA,2,2,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,7514.993062,8122.478925,2,90,14,14,4.59,3,3,0,0,1,2,56,2,3,1,1
+69657,7,2,2,4,NA,5,6,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6899.969666,7508.722153,1,94,10,10,3.04,4,4,2,0,0,2,30,1,4,1,5
+69658,7,2,1,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,11034.04089,11250.172797,2,95,14,14,5,2,2,0,0,2,1,73,1,5,1,4
+69659,7,2,2,12,NA,3,3,2,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,42712.452836,43268.322789,2,94,3,3,0.95,2,2,0,1,0,2,45,1,5,3,NA
+69660,7,2,1,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,11764.405491,12715.399053,1,97,NA,NA,NA,7,7,0,3,1,2,47,NA,NA,1,NA
+69661,7,2,2,57,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11446.604914,11507.133903,2,92,3,3,0.45,4,4,0,0,1,1,64,2,1,1,1
+69662,7,2,2,7,NA,1,1,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14300.71869,14671.891945,2,94,7,7,1.17,6,6,1,2,0,2,30,2,3,6,NA
+69663,7,2,1,3,NA,3,3,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78932.667512,89054.807173,3,92,14,14,2.74,6,6,2,2,0,1,35,1,5,1,4
+69664,7,2,1,3,NA,5,6,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5492.796032,5932.072263,2,100,14,14,3.06,5,5,1,0,1,2,31,2,5,1,5
+69665,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,16058.142925,15728.179634,2,101,7,7,1.3,5,5,2,0,1,2,50,1,4,1,3
+69666,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,69047.315371,69784.701831,1,95,8,8,2.7,3,3,0,1,2,1,69,1,5,1,3
+69667,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,8,8,3.4,2,2,0,0,2,1,66,1,5,1,4
+69668,7,2,1,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,120367.559207,121496.443862,2,95,15,15,5,2,2,0,0,1,1,61,1,5,1,5
+69669,7,2,2,66,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,9680.216878,10112.428208,1,96,15,15,5,1,1,0,0,1,2,66,1,5,2,NA
+69670,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60148.377616,67408.231176,1,92,6,6,1.98,2,2,0,0,2,1,80,1,5,1,4
+69671,7,2,2,58,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,1,4,NA,2,2,2,2,2,2,2,2,1,2,20130.149569,20235.126587,1,90,99,99,NA,6,6,0,3,0,2,58,2,1,4,NA
+69672,7,2,1,69,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,5201.567667,5487.342926,2,92,10,6,1.12,7,4,1,1,1,2,27,2,3,1,3
+69673,7,2,2,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6247.52442,6810.692829,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+69674,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,7736.56115,7645.782314,1,99,8,8,1.76,5,5,0,2,1,1,37,1,4,1,3
+69675,7,2,2,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,24977.658912,25631.246482,2,95,5,5,1.52,2,2,0,0,0,2,58,1,2,2,NA
+69676,7,2,1,5,NA,2,2,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16632.464801,16654.939181,1,94,2,2,0.26,4,4,2,1,0,2,25,1,4,5,NA
+69677,7,2,1,13,NA,4,4,1,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13653.432599,13680.426553,2,96,5,5,1.07,4,4,0,3,0,2,46,1,4,3,NA
+69678,7,2,2,1,18,1,1,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13464.808163,14865.509546,1,101,9,9,2.88,3,3,1,0,0,1,36,2,2,1,4
+69679,7,2,1,26,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17095.959542,2,100,8,8,3.06,2,2,0,0,0,1,26,1,5,1,5
+69680,7,2,1,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,16058.989596,16124.245459,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+69681,7,2,1,4,NA,4,4,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7299.892005,7750.518524,2,99,9,9,1.78,6,6,1,1,0,1,46,1,3,6,NA
+69682,7,2,1,67,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,2,NA,2,2,2,2,2,2,1,2,2,NA,8609.250304,11228.904188,2,90,4,4,1.02,2,2,0,0,1,1,67,2,1,2,NA
+69683,7,2,1,8,NA,4,4,2,9,108,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8017.552697,8398.795399,1,99,10,10,2.07,7,7,2,3,1,2,35,1,5,4,NA
+69684,7,2,1,65,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,1,3,NA,2,2,2,2,2,2,2,2,2,2,9404.30514,9554.950099,2,93,3,3,0.58,4,4,0,1,1,1,65,2,1,3,NA
+69685,7,2,2,17,NA,1,1,1,17,205,2,NA,2,2,3,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24654.448233,25524.546766,2,96,6,6,1.12,4,4,0,1,0,1,57,2,1,1,4
+69686,7,2,1,5,NA,1,1,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17048.276421,17071.31266,1,94,5,5,0.87,4,4,1,1,0,1,35,2,1,1,1
+69687,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,141912.982157,152670.471787,1,97,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+69688,7,2,1,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,17036.36313,17063.789746,1,99,14,14,5,1,1,0,0,0,1,42,1,4,4,NA
+69689,7,2,1,51,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15413.22404,15402.649971,1,97,15,15,5,4,4,0,0,0,1,51,2,5,1,5
+69690,7,2,2,2,NA,3,3,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,37915.354974,40293.39486,2,91,15,15,5,5,5,1,2,0,1,37,1,4,6,NA
+69691,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,24919.497762,30093.052062,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+69692,7,2,1,50,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,29903.342494,29985.789069,1,95,12,5,1.84,4,1,0,0,0,1,29,1,3,6,NA
+69693,7,2,2,37,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,43463.010321,44104.658285,1,98,6,6,1.98,2,2,0,1,0,2,37,1,4,3,NA
+69694,7,2,1,15,NA,4,4,2,15,191,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9757.309092,9852.859452,1,96,15,15,5,6,6,1,1,1,2,44,1,3,1,3
+69695,7,2,1,80,NA,4,4,2,NA,NA,2,NA,2,1,9,NA,9,3,NA,1,2,2,1,2,2,1,2,2,NA,8992.410435,9337.125921,2,90,4,4,1.54,1,1,0,0,1,1,80,2,9,3,NA
+69696,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32144.824104,32969.273278,2,97,3,3,1.1,1,1,0,0,0,2,56,1,2,3,NA
+69697,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,12,2,0.54,4,1,0,0,0,1,21,1,4,6,NA
+69698,7,2,1,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,20851.046913,21183.857295,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+69699,7,1,1,11,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10229.206765,0,1,96,14,14,2.96,5,5,0,3,0,1,46,NA,NA,1,5
+69700,7,2,2,27,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,NA,NA,NA,NA,42583.505439,50840.190326,2,91,2,2,0.42,3,3,1,1,0,2,27,1,3,5,NA
+69701,7,2,1,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17636.923031,17665.316481,2,101,6,6,2.57,1,1,0,0,0,1,52,1,3,5,NA
+69702,7,2,1,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,97539.00155,100726.587936,1,99,77,77,NA,3,3,0,0,0,1,42,1,4,6,NA
+69703,7,2,1,0,3,4,4,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7441.732415,8231.273488,2,98,3,3,0.54,3,3,1,1,0,2,29,1,2,1,NA
+69704,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,109181.566304,114466.270601,2,91,15,3,1.07,7,1,0,0,1,1,49,NA,NA,5,NA
+69705,7,2,1,42,NA,4,4,1,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17221.349323,18312.731752,1,103,8,8,1.95,4,4,0,1,0,2,48,1,5,1,5
+69706,7,2,2,9,NA,5,6,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,8290.163782,8692.019106,1,92,2,2,0.24,5,5,0,2,0,1,35,2,4,1,3
+69707,7,2,2,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12736.176535,13301.727395,1,97,15,15,5,4,4,1,1,0,1,35,1,5,1,5
+69708,7,2,1,14,NA,1,1,1,14,179,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15469.666055,15805.71937,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+69709,7,2,2,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,128065.93322,127632.692688,1,98,4,4,1.52,1,1,0,0,1,2,62,1,4,5,NA
+69710,7,2,2,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,51744.846443,52360.821424,1,97,4,3,0.93,3,2,0,0,0,1,35,1,3,1,4
+69711,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16675.763807,16530.996917,2,95,8,8,1.85,5,5,1,2,0,1,55,1,2,1,3
+69712,7,2,1,31,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,23631.037942,24059.753898,1,91,9,9,5,1,1,0,0,0,1,31,2,5,5,NA
+69713,7,2,1,17,NA,2,2,2,17,207,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24585.624844,25010.051033,3,91,6,6,0.83,6,6,1,3,0,1,37,1,4,1,4
+69714,7,2,1,18,NA,4,4,1,18,226,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,99,99,NA,4,1,0,0,0,1,18,1,4,NA,NA
+69715,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,15598.269927,16258.702668,1,99,4,4,0.41,7,7,2,4,0,2,43,1,4,4,NA
+69716,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126687.376548,128757.240271,1,101,9,9,2.6,4,4,0,1,2,2,63,1,4,1,4
+69717,7,2,1,3,NA,1,1,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19476.194601,19502.51153,2,102,15,15,5,4,4,2,0,0,1,32,1,5,1,5
+69718,7,2,2,15,NA,3,3,1,15,182,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,82923.224369,87859.866176,2,100,8,8,2.91,3,3,0,2,0,2,48,1,5,1,NA
+69719,7,2,1,3,NA,3,3,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,31190.854587,34157.026846,1,95,2,2,0.22,4,4,2,1,0,2,22,1,2,5,NA
+69720,7,2,2,3,NA,4,4,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,10901.48845,2,100,5,5,0.94,4,4,2,0,0,2,33,1,4,6,NA
+69721,7,2,2,22,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,14500.122872,13786.884381,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+69722,7,2,1,7,NA,4,4,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7758.863533,8127.805304,2,99,3,3,0.42,6,6,1,2,0,2,43,1,4,6,NA
+69723,7,2,2,9,NA,3,3,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22371.648216,22397.198208,1,92,4,4,0.61,5,5,1,2,0,1,34,1,3,6,NA
+69724,7,2,1,58,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,28585.875492,28917.983006,1,91,5,5,1.2,3,3,0,0,1,1,58,1,2,1,2
+69725,7,2,1,5,NA,3,3,1,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,73006.119819,82368.252941,1,101,14,14,3.15,5,5,2,1,0,1,35,1,4,1,5
+69726,7,1,1,53,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,30582.99679,0,1,97,4,3,1.07,2,1,0,0,1,2,66,NA,NA,5,NA
+69727,7,2,1,4,NA,5,6,1,4,55,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7042.228842,7250.600343,2,103,9,9,3.14,3,3,1,0,0,1,32,2,5,1,5
+69728,7,2,1,35,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20071.705576,20986.552878,3,91,14,14,5,2,2,0,0,0,1,35,2,5,1,5
+69729,7,2,2,3,NA,4,4,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10389.292229,11178.99433,2,101,7,7,1.3,5,5,2,0,1,2,50,1,4,1,3
+69730,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,11194.560864,11943.741966,2,95,5,5,1.88,1,1,0,0,1,2,70,1,3,3,NA
+69731,7,2,2,19,NA,4,4,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,99,1,0.02,2,1,0,0,0,2,19,1,4,NA,NA
+69732,7,2,1,33,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,5,1,NA,1,2,1,1,2,1,1,2,1,3,12327.761744,13173.339372,3,90,5,5,0.93,4,4,1,0,0,1,48,2,4,1,NA
+69733,7,1,1,67,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,7117.971973,0,2,100,3,3,0.75,2,2,0,0,2,1,67,1,3,1,2
+69734,7,2,1,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,74110.989124,87044.270957,2,95,8,8,4.48,1,1,0,0,0,1,26,1,5,5,NA
+69735,7,2,1,20,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14949.232836,15463.9021,1,100,99,99,NA,6,6,0,1,0,1,53,2,2,1,3
+69736,7,2,2,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,1,1,0.14,4,1,0,0,0,2,21,1,4,5,NA
+69737,7,2,1,31,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,58170.292683,59516.479078,3,92,8,8,2.36,3,3,0,0,0,1,34,NA,NA,5,NA
+69738,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,34802.051557,35120.431265,1,101,4,4,1.16,2,2,0,1,0,2,51,1,4,3,NA
+69739,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,17260.508485,17587.688781,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+69740,7,2,2,66,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,95538.505899,97099.44822,2,95,14,14,5,2,2,0,0,2,2,66,1,5,1,5
+69741,7,2,1,10,NA,1,1,1,10,129,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,17882.621856,17720.218058,3,92,3,3,0.51,5,5,1,2,0,2,34,2,1,6,NA
+69742,7,2,1,4,NA,5,6,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6138.820061,6885.358348,1,99,10,10,4.76,2,2,1,0,0,2,36,2,5,3,NA
+69743,7,2,1,46,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,29276.135189,1,94,7,7,1.65,5,4,0,0,0,1,46,1,4,1,4
+69744,7,1,1,12,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13416.172328,0,1,96,14,14,2.96,5,5,0,3,0,1,46,NA,NA,1,5
+69745,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,27005.036261,27122.782392,1,102,1,1,0,3,1,0,0,1,2,50,1,3,3,NA
+69746,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,115926.402585,118970.086068,1,101,15,15,5,4,4,0,2,0,1,43,1,4,1,5
+69747,7,2,2,34,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,NA,NA,NA,1,2,2,1,21229.081867,21886.919672,3,90,5,5,0.87,4,4,0,0,0,2,43,2,3,5,NA
+69748,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,162404.084268,1,95,7,7,2.86,2,2,0,0,0,2,50,1,3,1,3
+69749,7,2,1,12,NA,2,2,2,12,151,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16033.31661,17623.465787,2,90,5,5,0.76,5,5,0,4,0,2,32,1,2,3,NA
+69750,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,79677.823556,83116.431703,1,99,15,15,4.47,4,4,0,2,0,2,43,1,5,1,5
+69751,7,2,2,0,5,1,1,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6787.112205,6644.319314,2,94,8,8,2.43,3,3,1,0,0,1,24,2,4,1,4
+69752,7,2,2,79,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,81062.798322,83549.725067,1,101,4,4,1.75,1,1,0,0,1,2,79,1,5,2,NA
+69753,7,2,2,63,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14204.126838,14796.942631,1,92,5,5,1.41,2,2,0,0,2,1,60,1,2,1,4
+69754,7,2,1,80,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,10160.645851,10359.669924,1,96,77,77,NA,7,7,0,3,1,2,43,77,5,5,NA
+69755,7,2,2,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,156359.467613,158914.124584,2,102,14,14,5,2,2,0,0,2,2,65,1,5,1,5
+69756,7,2,1,2,NA,4,4,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4778.010882,5139.584556,2,93,99,99,NA,7,6,1,0,0,1,19,1,3,NA,NA
+69757,7,2,1,19,NA,5,7,2,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,10,10,3.04,4,4,0,1,0,2,43,1,5,1,4
+69758,7,2,2,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,21127.557839,23583.17383,1,102,4,4,0.97,3,3,0,1,0,2,19,1,2,NA,NA
+69759,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,32838.149884,1,95,1,1,0.18,1,1,0,0,0,1,51,1,4,4,NA
+69760,7,2,1,5,NA,4,4,2,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9446.305539,9734.833129,2,95,1,1,0,4,4,2,1,0,2,27,1,4,5,NA
+69761,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,14859.685983,15314.825218,1,95,3,3,0.96,1,1,0,0,1,2,80,1,2,2,NA
+69762,7,2,1,15,NA,1,1,1,15,190,NA,NA,2,2,3,9,NA,NA,NA,2,1,2,1,2,2,2,2,2,2,24230.15013,23997.357824,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+69763,7,2,2,6,NA,4,4,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7282.523598,8846.731146,2,99,5,5,0.76,5,5,0,2,0,1,51,1,2,1,2
+69764,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17328.248994,2,100,14,14,3.06,5,5,1,0,0,1,50,1,5,1,5
+69765,7,2,2,65,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,3,NA,2,2,2,1,2,2,1,2,1,2,11495.911371,12347.505602,2,99,3,3,0.52,3,3,0,0,1,2,38,2,3,3,NA
+69766,7,2,2,4,NA,2,2,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15979.952759,16987.381382,2,102,14,14,3.25,5,5,2,0,0,1,27,1,5,1,5
+69767,7,2,1,56,NA,5,7,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,151766.599459,154414.492891,3,91,7,7,1.97,4,4,0,0,1,2,77,1,5,2,NA
+69768,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,23041.888919,1,98,3,2,0.81,4,1,0,0,0,2,21,NA,NA,5,NA
+69769,7,2,2,0,4,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21671.775435,21083.121886,1,98,7,7,1.83,3,3,1,0,0,2,26,1,5,1,4
+69770,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,13495.651715,13078.348337,2,99,NA,77,NA,7,7,1,0,1,2,51,1,2,1,3
+69771,7,2,1,3,NA,5,6,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,10276.262805,11525.953064,1,97,15,15,5,4,4,2,0,0,2,35,2,4,1,4
+69772,7,2,2,3,NA,4,4,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11671.9972,12190.293097,1,93,4,4,1.03,3,3,1,1,0,2,35,2,3,4,NA
+69773,7,2,1,40,NA,4,4,1,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23242.990557,23331.304109,1,100,9,9,2.22,5,5,1,2,0,2,40,2,4,1,4
+69774,7,2,1,54,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,20167.650721,25203.089486,3,90,12,7,3.58,2,1,0,0,1,1,71,2,2,1,NA
+69775,7,2,1,8,NA,2,2,2,8,101,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15039.041447,15306.786696,3,91,6,6,0.83,6,6,1,3,0,1,37,1,4,1,4
+69776,7,2,1,57,NA,1,1,2,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22446.308035,22116.943066,2,94,7,7,1.33,6,6,0,1,0,1,55,2,2,1,1
+69777,7,2,2,60,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10003.290711,10218.574955,1,99,10,10,2.58,5,5,0,1,2,1,65,1,5,1,3
+69778,7,2,1,42,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,3,6,NA,2,2,2,2,2,2,2,2,2,2,31640.296506,31576.726829,2,94,9,9,4.21,3,2,0,0,0,2,48,2,2,6,NA
+69779,7,2,1,13,NA,3,3,2,13,166,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,77169.155154,76948.022242,1,98,14,14,3.9,4,4,0,3,0,2,31,1,4,1,NA
+69780,7,2,1,9,NA,3,3,2,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,66868.503099,69864.859716,1,98,14,14,3.15,5,5,0,3,0,1,34,1,4,1,4
+69781,7,2,1,0,10,3,3,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26076.0211,27915.503824,2,91,15,15,5,4,4,2,0,0,2,33,1,5,1,5
+69782,7,2,1,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,20075.522681,20698.300141,2,98,77,77,NA,1,1,0,0,0,1,52,1,3,5,NA
+69783,7,2,2,66,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13023.675419,13480.293434,2,96,2,2,0.55,1,1,0,0,1,2,66,2,5,5,NA
+69784,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11218.730451,2,101,2,2,0.64,1,1,0,0,1,1,69,1,2,5,NA
+69785,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,22419.63376,25250.873067,1,94,3,3,1.08,1,1,0,0,1,2,80,1,2,2,NA
+69786,7,2,2,1,22,3,3,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46813.021927,47428.160802,1,94,15,15,4.77,4,4,2,0,0,1,48,1,4,1,5
+69787,7,2,2,57,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,22969.116046,23893.408664,2,93,9,9,3.97,2,2,0,0,1,2,57,2,3,1,1
+69788,7,2,1,14,NA,2,2,1,14,169,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,30061.88611,30025.949584,1,92,6,6,0.93,5,5,0,2,0,1,47,2,1,1,1
+69789,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,16181.169973,15916.061734,2,100,99,99,NA,1,1,0,0,0,2,53,1,2,3,NA
+69790,7,2,1,12,NA,5,6,1,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6886.223812,7737.788899,2,92,7,7,1.61,4,4,0,2,0,1,51,2,3,1,3
+69791,7,1,2,63,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,30036.804187,0,2,100,4,4,1.29,2,2,0,0,2,1,65,1,3,1,3
+69792,7,2,1,5,NA,4,4,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11324.865632,11670.771889,2,96,3,3,0.54,4,4,2,1,0,2,25,1,4,2,NA
+69793,7,2,1,35,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20181.692021,20449.370526,1,92,2,2,0.24,5,5,0,2,0,1,35,2,4,1,3
+69794,7,2,1,9,NA,2,2,1,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8889.501355,9473.596146,2,93,14,14,3.52,5,5,1,2,0,1,44,1,5,1,5
+69795,7,1,2,80,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,NA,NA,NA,NA,16321.652472,0,2,101,1,1,0.08,2,2,0,0,2,2,80,1,1,2,NA
+69796,7,2,2,3,NA,4,4,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11990.08101,12901.460915,1,100,15,15,3.87,6,6,1,3,0,2,39,1,4,1,4
+69797,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,74517.751389,77393.175383,2,94,14,14,3.36,4,4,2,0,0,1,31,1,3,1,5
+69798,7,2,2,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,65591.951555,69705.816211,2,101,2,2,0.46,2,1,0,0,0,2,21,1,4,5,NA
+69799,7,2,2,8,NA,4,4,2,8,96,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7814.742747,8587.431439,2,95,7,7,1.55,5,5,0,3,0,1,30,1,4,1,4
+69800,7,2,1,10,NA,5,6,2,10,131,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6262.834446,6755.01452,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+69801,7,2,2,3,NA,5,6,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3864.413878,3822.111022,1,99,14,14,2.66,7,7,3,1,0,1,35,1,5,1,5
+69802,7,2,2,17,NA,3,3,1,17,207,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,36586.371708,39087.782259,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+69803,7,2,1,44,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,20543.822351,1,97,15,15,5,4,4,1,1,0,1,44,2,5,1,5
+69804,7,2,1,6,NA,3,3,1,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47373.769078,49181.31317,1,103,15,15,5,3,3,0,1,0,1,46,1,5,1,5
+69805,7,2,1,1,19,5,6,1,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6389.003009,6767.308805,3,91,14,14,3.06,5,5,3,0,0,1,34,2,5,1,5
+69806,7,2,1,75,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,8763.51401,8935.17143,2,100,6,6,1.62,3,3,0,0,2,1,75,1,5,1,NA
+69807,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,10083.559248,10533.779383,1,96,14,14,4.06,3,3,0,0,1,2,61,1,4,5,NA
+69808,7,1,1,80,NA,4,4,NA,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,1,2,1,2,2,NA,NA,NA,NA,7041.644998,0,2,100,13,13,NA,2,2,0,0,2,2,77,1,3,1,4
+69809,7,2,1,4,NA,4,4,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8973.990262,9344.796725,2,95,1,1,0.09,5,5,3,1,0,2,31,1,2,1,NA
+69810,7,2,2,14,NA,2,2,1,14,178,NA,NA,2,2,2,9,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15809.066118,16348.490248,2,93,5,5,1.26,3,3,0,1,0,1,55,2,2,1,2
+69811,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,124170.603852,124019.195449,2,98,6,6,2.75,1,1,0,0,0,1,59,1,4,4,NA
+69812,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,47636.23298,52171.746701,1,91,9,9,4.27,2,2,0,0,2,1,80,1,4,1,3
+69813,7,2,2,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,28351.482206,28369.098474,1,96,9,9,3.35,3,3,0,0,0,2,42,1,4,5,NA
+69814,7,2,2,15,NA,2,2,2,15,187,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18368.872199,19023.186366,2,91,10,10,2.95,4,4,0,1,0,2,18,1,3,NA,NA
+69815,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,15205.189409,15734.277598,2,96,7,7,2.72,2,2,0,0,1,2,70,1,4,2,NA
+69816,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,20000.263815,22894.1152,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+69817,7,2,1,33,NA,5,7,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16045.513116,17473.610556,1,90,6,6,0.92,6,6,2,0,2,2,30,2,5,1,5
+69818,7,2,2,19,NA,5,6,1,20,NA,2,NA,1,1,NA,15,NA,NA,NA,1,2,1,NA,NA,NA,1,2,2,1,9278.834813,9462.75742,1,92,2,2,0.33,5,5,0,1,0,1,51,2,1,4,NA
+69819,7,2,2,11,NA,3,3,1,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71426.628275,70878.719996,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+69820,7,2,2,6,NA,1,1,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16664.698857,2,98,6,6,0.63,7,7,2,2,1,1,60,1,3,1,2
+69821,7,2,2,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,7869.59899,8476.202883,2,100,1,1,0.14,1,1,0,0,1,2,66,1,3,2,NA
+69822,7,2,1,64,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,8636.698123,9111.200197,2,92,3,3,0.45,4,4,0,0,1,1,64,2,1,1,1
+69823,7,2,2,55,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,18441.731082,18102.807884,2,100,1,1,0,2,2,0,0,0,2,55,1,5,3,NA
+69824,7,2,1,64,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,8275.049402,8531.146449,1,99,6,6,1.07,6,6,2,1,2,1,44,2,5,4,NA
+69825,7,2,2,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,139800.409559,140918.856987,1,100,15,15,5,5,5,0,3,0,1,47,1,5,1,5
+69826,7,2,1,3,NA,3,3,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,20717.313101,23374.052614,2,97,5,5,0.8,5,5,1,2,0,1,46,2,4,1,2
+69827,7,2,1,30,NA,2,2,2,NA,NA,2,NA,2,2,4,NA,2,4,NA,2,2,2,2,2,2,1,2,1,2,27605.196104,27396.850962,2,99,12,77,NA,5,1,0,1,0,1,30,2,2,4,NA
+69828,7,2,2,18,NA,4,4,2,19,228,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,13176.946531,13078.313981,2,99,6,3,0.94,3,2,0,0,0,1,41,1,3,6,NA
+69829,7,2,1,18,NA,4,4,1,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19844.605924,19989.134915,2,102,14,14,4.05,3,3,0,1,0,1,18,1,2,NA,NA
+69830,7,2,2,4,NA,2,2,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13301.733639,13724.969642,2,93,3,3,0.48,4,4,1,1,0,1,49,2,3,1,4
+69831,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,2,NA,1,2,1,1,2,1,1,2,1,NA,13689.379977,14234.742701,2,92,2,2,0.88,1,1,0,0,1,2,80,2,1,2,NA
+69832,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,7074.645577,7351.348885,2,95,7,7,3.31,1,1,0,0,1,1,61,1,3,2,NA
+69833,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,29534.722322,30544.805853,3,91,77,77,NA,2,2,0,0,2,1,73,1,5,1,5
+69834,7,1,2,37,NA,5,6,NA,NA,NA,2,NA,2,1,5,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,13379.422066,0,2,103,14,14,3.86,4,4,2,0,0,2,37,2,5,1,NA
+69835,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,35334.703093,40990.264786,1,101,2,2,0.63,1,1,0,0,1,2,80,1,1,2,NA
+69836,7,2,1,1,21,3,3,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,35290.29852,40086.22326,1,102,14,14,2.87,5,5,3,0,0,1,35,1,5,1,5
+69837,7,2,2,9,NA,1,1,1,9,114,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15962.145468,16535.37648,2,98,3,3,0.33,7,7,2,3,0,1,40,2,1,1,1
+69838,7,2,1,31,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,30626.581617,36447.669921,2,90,6,6,1.35,3,3,1,0,0,1,31,1,3,1,4
+69839,7,2,2,8,NA,1,1,1,8,97,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,15841.451259,17367.937444,3,92,4,4,0.55,6,6,0,4,0,1,36,2,1,1,3
+69840,7,2,1,67,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,6964.172059,2,95,6,4,1.5,2,1,0,0,1,1,67,1,4,3,NA
+69841,7,2,1,16,NA,1,1,2,16,199,NA,NA,2,2,3,10,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,21633.039913,21721.097793,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+69842,7,2,1,37,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,34887.439952,35849.951626,2,94,6,6,1.34,4,4,0,2,0,1,37,2,4,1,2
+69843,7,2,1,40,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,20543.822351,1,97,15,15,5,4,4,2,0,0,1,40,2,5,1,5
+69844,7,2,1,6,NA,1,1,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11770.89642,11957.164501,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+69845,7,2,2,15,NA,3,3,2,15,186,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,29885.567338,31265.78413,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+69846,7,2,1,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,100807.076657,102674.431164,1,97,15,15,4.77,4,4,0,0,0,1,56,1,4,1,4
+69847,7,2,1,80,NA,5,6,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,14603.225127,15344.674112,1,98,15,15,5,2,2,0,0,2,1,80,2,5,1,NA
+69848,7,2,1,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,15417.485683,15656.172471,1,92,3,3,0.98,2,2,0,0,1,1,70,1,2,1,2
+69849,7,2,1,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,9257.537917,9255.717695,1,99,7,6,1.84,3,2,0,0,2,1,70,1,2,1,4
+69850,7,2,2,10,NA,1,1,2,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,15225.935813,16547.241996,2,94,7,7,1.57,4,4,0,2,0,1,30,2,3,1,4
+69851,7,2,2,31,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,18901.436377,19544.076782,3,91,14,14,5,2,2,0,0,0,1,35,2,5,1,5
+69852,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,35434.580514,39416.921733,1,95,4,4,1.47,1,1,0,0,1,2,80,1,3,1,NA
+69853,7,2,1,10,NA,4,4,2,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8227.856305,9153.104022,3,91,1,1,0.07,6,6,2,3,0,2,30,1,2,3,NA
+69854,7,2,1,65,NA,5,7,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,168185.448935,166468.676858,1,95,10,10,4.76,2,2,0,0,2,1,65,1,4,1,4
+69855,7,2,2,41,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,11762.034222,12708.069605,3,90,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+69856,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,78240.016337,83257.203545,1,93,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+69857,7,2,1,16,NA,5,7,2,16,203,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21852.102821,22875.024578,3,91,5,5,0.65,7,7,0,4,0,2,39,1,3,4,NA
+69858,7,2,1,65,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9655.271429,9541.978936,1,95,9,9,4.21,2,2,0,0,1,1,65,1,5,1,4
+69859,7,2,2,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9503.429019,9925.429486,1,91,3,3,0.66,4,4,1,2,0,2,33,1,3,5,NA
+69860,7,2,2,18,NA,4,4,1,18,222,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11224.041366,11682.365019,1,96,5,5,0.53,7,7,2,2,0,2,38,1,9,6,NA
+69861,7,2,2,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,15852.523312,16085.826144,2,97,6,6,2.04,2,2,0,0,2,2,80,1,3,2,NA
+69862,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,75772.894935,76005.871473,1,94,15,15,5,2,2,0,0,0,1,29,1,4,1,5
+69863,7,2,1,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,28337.446334,29138.677291,2,95,14,14,3.34,4,4,0,0,0,1,43,1,3,1,3
+69864,7,2,1,52,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,25583.266805,26390.249407,1,100,12,99,NA,2,1,0,0,0,2,50,1,3,6,NA
+69865,7,2,2,4,NA,3,3,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,28877.220658,31871.522389,1,94,6,6,1.21,4,4,2,0,0,1,27,1,2,1,2
+69866,7,2,1,63,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,1,1,NA,1,2,1,1,2,1,1,2,1,3,12579.986433,13337.268472,1,92,1,1,0.26,2,2,0,0,2,1,63,2,1,1,1
+69867,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17521.481386,17363.561951,2,97,15,12,NA,2,1,0,0,0,1,54,1,4,5,NA
+69868,7,2,1,40,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,6,NA,2,2,2,2,2,2,1,2,2,2,31740.385214,32919.784432,2,96,5,5,0.89,4,4,1,1,0,2,36,2,4,6,NA
+69869,7,2,2,36,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,1,6,2,2,2,2,1,2,2,NA,NA,NA,NA,38218.668882,37878.487888,2,102,5,5,0.59,7,7,1,3,0,1,37,2,1,6,NA
+69870,7,2,1,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,131818.641085,133509.443669,1,102,15,15,5,2,2,0,0,2,2,68,1,4,1,5
+69871,7,2,2,1,22,1,1,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12602.647442,12772.138116,1,91,99,99,NA,4,4,2,1,0,2,36,2,2,4,NA
+69872,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,105412.227726,110446.221907,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+69873,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,20135.920214,20700.031916,2,97,2,2,0.27,3,3,1,0,0,2,21,1,3,6,NA
+69874,7,2,2,3,NA,3,3,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78448.332626,86582.701959,2,91,15,15,5,4,4,2,0,0,2,33,1,5,1,5
+69875,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,1,1,2,1,1,2,1,3,11762.034222,11824.231183,3,90,15,15,3.23,6,6,0,2,0,1,50,2,2,1,2
+69876,7,2,2,36,NA,1,1,2,NA,NA,2,NA,2,1,3,NA,3,1,2,2,2,2,2,2,2,2,2,2,2,35353.005268,34399.106917,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+69877,7,2,2,38,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,NA,NA,NA,NA,19257.047323,21540.196698,1,102,5,5,1.27,3,3,0,2,0,2,38,1,2,3,NA
+69878,7,2,2,15,NA,5,7,1,15,189,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15844.005605,16354.571478,1,100,7,7,1.83,3,3,0,1,0,2,40,1,4,6,NA
+69879,7,2,1,22,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,104488.914565,106745.836574,1,98,4,2,0.56,4,1,0,0,0,1,22,1,5,5,NA
+69880,7,2,2,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,102720.446375,103036.277703,2,102,14,14,3.44,5,5,1,2,0,2,34,1,4,6,NA
+69881,7,2,1,12,NA,2,2,1,12,155,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18242.832494,18053.229058,1,102,77,77,NA,6,6,0,2,1,2,37,1,4,1,4
+69882,7,2,2,14,NA,4,4,1,14,179,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11791.755593,11850.248564,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+69883,7,2,2,14,NA,1,1,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,23979.296993,29080.570096,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+69884,7,2,1,56,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18916.732604,18903.754992,2,91,8,8,2.34,4,4,0,2,0,1,56,2,5,1,5
+69885,7,2,2,42,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,19075.861607,19022.257361,1,96,9,9,2.78,4,4,0,2,0,1,54,2,5,4,NA
+69886,7,2,2,5,NA,2,2,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,15979.952759,16987.381382,2,102,4,4,0.57,6,6,2,3,0,2,26,2,3,1,NA
+69887,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,17260.508485,16474.419641,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+69888,7,2,1,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,19940.089683,1,94,3,3,0.8,2,2,0,0,1,2,66,1,4,3,NA
+69889,7,2,1,13,NA,4,4,2,13,163,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13975.179508,14076.961252,1,96,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+69890,7,2,1,5,NA,3,3,1,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,76114.759421,89186.300704,1,98,15,15,4.34,4,4,1,1,0,1,41,1,5,1,5
+69891,7,2,1,79,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,8992.410435,11769.853451,2,90,10,10,4.76,2,2,0,0,1,1,79,1,2,2,NA
+69892,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,8521.670488,9178.537312,2,95,4,4,1.34,1,1,0,0,1,2,63,1,3,2,NA
+69893,7,2,1,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,32866.0119,33575.905633,1,98,12,4,1.52,3,1,0,0,0,2,22,NA,NA,5,NA
+69894,7,2,2,3,NA,3,3,2,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27257.164734,28966.726071,1,95,4,4,0.65,6,6,2,2,0,2,36,1,4,6,NA
+69895,7,1,1,17,NA,3,3,NA,NA,NA,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,68701.580401,0,2,94,14,14,2.87,5,5,2,1,0,1,37,1,3,1,4
+69896,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,146181.198007,148606.927767,2,91,15,6,2.86,7,1,0,0,1,1,49,NA,NA,5,NA
+69897,7,2,2,1,16,1,1,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,15816.39252,3,92,7,7,2.1,3,3,1,1,0,2,25,1,4,5,NA
+69898,7,2,1,71,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,19473.412374,20212.213332,1,95,6,6,2.04,2,2,0,0,2,1,71,1,3,1,4
+69899,7,2,2,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,30664.033268,30444.919975,2,102,5,5,0.67,6,6,0,4,0,2,33,1,2,6,NA
+69900,7,2,2,40,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,1,2,1,2,2,1,2,2,1,2,2,NA,31334.47528,33406.965231,2,96,7,7,1.79,4,4,0,2,0,1,43,2,3,1,2
+69901,7,2,1,17,NA,1,1,1,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20638.769105,20614.097145,2,92,15,15,3.37,7,7,0,4,0,1,42,2,3,1,1
+69902,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,19130.246369,18964.171442,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+69903,7,2,1,3,NA,1,1,1,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,2,NA,NA,NA,NA,17865.135763,18076.339981,3,92,7,7,1.41,5,5,1,2,0,1,20,2,1,1,1
+69904,7,2,2,16,NA,2,2,2,16,198,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,7,7,1.66,4,4,0,3,0,2,34,1,5,3,NA
+69905,7,2,1,65,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,1,1,2,1,1,2,1,3,9596.331248,10123.555774,2,92,8,8,2.43,3,3,0,1,1,2,58,NA,5,1,5
+69906,7,2,1,42,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,41410.39303,40802.759347,1,101,12,3,1.07,3,1,0,0,0,1,41,2,1,4,NA
+69907,7,2,1,8,NA,1,1,2,8,100,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,11417.89405,11689.28796,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+69908,7,1,2,0,9,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4090.43871,0,2,99,6,6,1.73,3,3,1,1,1,2,60,1,4,3,NA
+69909,7,2,2,15,NA,5,6,1,15,185,NA,NA,2,1,2,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11626.310625,12128.832209,1,92,7,7,1.56,4,4,0,2,0,2,38,2,4,6,NA
+69910,7,2,1,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,102928.893739,104528.537732,1,101,6,6,0.97,7,7,2,1,0,1,43,1,2,1,NA
+69911,7,2,2,80,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,2,NA,1,1,2,2,2,2,NA,NA,NA,NA,16490.79781,19016.592593,3,90,8,8,3.21,2,2,0,0,2,2,80,2,3,2,NA
+69912,7,2,2,8,NA,4,4,2,8,103,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6388.247052,6617.403229,1,93,6,6,0.83,6,6,3,1,0,1,37,NA,NA,1,3
+69913,7,2,2,64,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,14102.354333,16246.228018,3,91,6,6,1.12,4,4,0,0,2,1,69,2,3,1,1
+69914,7,2,1,11,NA,3,3,2,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,46081.129115,51016.6207,2,95,9,9,2.6,4,4,0,2,0,1,42,1,4,1,4
+69915,7,2,1,6,NA,4,4,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,7970.311962,8205.827749,1,90,14,14,2.96,5,5,1,2,0,1,31,1,5,1,4
+69916,7,2,2,22,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,2,2,2,1,2,2,1,35710.33222,35554.798024,1,90,10,10,2.44,5,5,1,0,0,2,56,2,1,1,1
+69917,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,72686.111056,73189.163544,1,98,15,15,3.7,5,5,2,1,0,1,34,1,5,1,5
+69918,7,2,2,11,NA,4,4,2,11,140,NA,NA,2,2,3,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7659.302568,7901.193624,1,96,3,3,0.43,4,4,1,1,0,2,39,2,4,1,3
+69919,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,83819.702285,99717.125794,1,99,12,12,NA,1,1,0,0,0,1,31,1,4,5,NA
+69920,7,2,2,9,NA,5,7,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22308.590534,22137.463018,1,101,5,5,1.15,3,3,0,1,0,1,49,1,3,1,4
+69921,7,2,1,75,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,10980.245706,10978.086763,1,91,12,6,2.39,2,1,0,0,2,2,73,NA,NA,77,NA
+69922,7,2,1,42,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,31640.296506,33247.715312,3,92,6,6,1,6,6,1,1,0,1,42,2,1,1,4
+69923,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,169546.363168,172535.263747,2,91,15,15,5,2,2,0,0,1,2,60,1,5,1,5
+69924,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,27426.222967,30692.896319,2,95,3,3,0.95,2,2,0,0,2,2,80,1,1,1,2
+69925,7,2,2,80,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,NA,17563.671235,18809.520935,1,99,3,3,1.3,1,1,0,0,1,2,80,1,1,5,NA
+69926,7,2,2,11,NA,2,2,1,11,132,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16699.231378,17036.994683,1,98,3,3,0.4,7,7,2,3,0,2,31,2,5,1,2
+69927,7,2,2,2,NA,2,2,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8645.395449,9311.129497,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+69928,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,9015.10987,2,95,1,1,0.36,1,1,0,0,1,2,63,1,1,2,NA
+69929,7,2,1,6,NA,5,6,2,6,83,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11461.625841,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+69930,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,112992.533921,115858.21849,1,94,9,9,3.14,3,3,1,0,0,1,28,1,5,1,5
+69931,7,2,2,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,129336.409693,136474.939567,1,95,15,15,5,3,3,1,0,0,1,28,1,5,1,5
+69932,7,2,2,21,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,38177.662675,41078.639454,1,103,3,3,0.37,5,5,1,2,0,2,30,1,4,5,NA
+69933,7,2,2,6,NA,3,3,1,6,79,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20531.504977,20629.491172,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+69934,7,2,2,56,NA,3,3,1,NA,NA,2,NA,2,2,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,153680.330235,152391.721814,1,103,15,15,5,2,2,0,0,1,1,61,1,4,1,5
+69935,7,2,1,80,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,8543.37447,9341.78969,3,90,9,9,3.65,2,2,0,0,2,1,80,1,2,1,3
+69936,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15072.065618,15224.718219,1,99,15,15,5,2,2,0,0,1,2,54,2,5,1,5
+69937,7,2,1,19,NA,3,3,1,19,233,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,23403.89977,23518.866268,1,98,4,4,0.75,4,4,0,1,0,2,48,1,2,1,3
+69938,7,2,2,16,NA,4,4,1,16,203,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11791.755593,11850.248564,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+69939,7,2,2,0,5,2,2,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7192.863376,7041.533956,1,90,3,3,0.52,3,3,2,0,0,2,20,1,4,5,NA
+69940,7,2,1,61,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,3,1,NA,1,2,2,1,2,2,1,2,2,2,6638.80908,6954.569749,2,93,15,15,5,2,2,0,0,2,1,61,2,3,1,3
+69941,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,12098.219371,13033.848361,2,100,14,14,3.06,5,5,1,0,1,2,31,2,5,1,5
+69942,7,1,1,61,NA,2,2,NA,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,9691.985299,0,1,93,6,6,1.55,3,3,0,0,3,1,61,2,4,1,1
+69943,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,109679.354704,1,98,15,15,5,4,4,2,0,0,1,40,1,5,1,NA
+69944,7,2,2,18,NA,4,4,2,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,NA,11072.776368,11285.58755,3,90,5,5,0.87,4,4,0,0,0,2,43,2,3,5,NA
+69945,7,2,1,2,NA,5,7,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8100.706553,8340.3972,1,98,15,15,5,4,4,2,0,0,2,35,1,5,1,4
+69946,7,2,1,6,NA,3,3,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,42986.51011,44926.997612,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+69947,7,2,1,7,NA,2,2,2,7,88,NA,NA,2,2,1,0,NA,NA,NA,2,1,2,NA,NA,NA,NA,NA,NA,NA,8966.477743,10563.593323,2,99,12,3,0.52,5,3,0,1,0,1,30,2,2,4,NA
+69948,7,2,1,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,27739.528889,28855.317795,1,90,4,3,1.07,2,1,0,0,0,2,25,1,5,6,NA
+69949,7,2,2,12,NA,3,3,2,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38400.791741,41869.717003,1,95,6,6,1.09,5,5,0,3,0,1,31,1,4,1,4
+69950,7,2,2,10,NA,4,4,2,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8115.309776,8285.322178,2,95,7,7,2.78,2,2,0,1,0,2,32,1,4,5,NA
+69951,7,2,1,4,NA,5,6,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6185.185728,6767.562311,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+69952,7,2,1,4,NA,3,3,2,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,77702.196479,91046.355703,1,95,15,15,5,3,3,1,0,0,1,28,1,5,1,5
+69953,7,2,1,8,NA,2,2,2,8,106,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13804.767816,14116.094161,2,91,9,9,2.6,4,4,1,1,0,2,31,2,4,1,5
+69954,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,1,1,2,2,1,2,2,NA,NA,NA,NA,15309.176013,16540.512525,1,90,14,14,3.33,5,5,1,2,0,1,41,1,5,1,5
+69955,7,2,1,10,NA,5,7,2,10,121,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7482.593572,7851.213843,1,101,4,4,0.78,4,4,1,2,0,2,31,1,4,3,NA
+69956,7,2,1,3,NA,3,3,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,33334.752566,38103.457131,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+69957,7,2,1,32,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,37658.482129,38663.56389,1,100,10,10,2.91,4,4,1,1,0,1,32,1,5,1,5
+69958,7,2,1,12,NA,3,3,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71231.747774,75661.062324,2,95,9,9,2.6,4,4,0,2,0,1,42,1,4,1,4
+69959,7,2,2,51,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,2,4,NA,2,2,2,2,2,2,2,2,2,2,29695.385784,34065.080879,2,91,1,1,0,1,1,0,0,0,2,51,2,2,4,NA
+69960,7,1,2,14,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,116754.883807,0,1,94,5,5,1.04,4,4,1,1,0,1,18,1,2,NA,NA
+69961,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,204553.029374,204712.584881,1,100,15,15,5,2,2,0,0,0,2,56,1,5,1,NA
+69962,7,2,1,69,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11992.012141,12562.386395,2,102,4,4,1.09,2,2,0,0,2,2,68,1,3,1,3
+69963,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,29672.504425,2,101,12,4,1.79,4,1,0,0,0,2,20,1,4,5,NA
+69964,7,2,2,75,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,70652.532816,72526.815349,1,98,6,6,1.65,2,2,0,0,2,1,80,1,3,1,3
+69965,7,2,2,27,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16181.486766,17520.496205,1,90,4,4,0.78,4,4,0,0,1,1,69,2,4,1,3
+69966,7,2,1,3,NA,4,4,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13345.162299,13752.776418,2,102,4,4,0.81,3,3,2,0,0,2,23,1,4,5,NA
+69967,7,2,1,8,NA,3,3,1,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28126.350642,29877.890829,2,91,5,5,1.2,3,3,0,1,0,2,40,1,5,1,5
+69968,7,2,1,16,NA,3,3,1,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,113571.164423,112715.649169,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+69969,7,2,1,11,NA,1,1,1,11,138,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14007.413517,2,98,1,1,0.18,4,4,0,2,0,1,29,1,4,6,NA
+69970,7,2,2,13,NA,5,6,2,13,162,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9029.632215,9422.555256,1,90,77,77,NA,4,4,0,2,0,2,51,1,5,1,5
+69971,7,2,2,2,NA,3,3,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22159.470641,22450.653549,1,95,3,3,0.7,3,3,1,0,0,1,25,1,4,1,4
+69972,7,2,1,79,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,53149.251154,56449.488341,1,100,15,15,5,2,2,0,0,2,1,79,1,5,1,4
+69973,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,26637.81974,28307.564263,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+69974,7,2,1,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,15408.94893,15514.368855,1,99,13,13,NA,3,3,0,0,2,1,67,1,2,1,2
+69975,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,60071.993203,65791.533402,1,95,14,14,5,1,1,0,0,1,2,80,1,4,1,NA
+69976,7,2,1,61,NA,2,2,2,NA,NA,2,NA,2,1,99,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,10585.549682,10952.862023,1,90,12,12,NA,3,3,0,0,1,1,35,2,4,5,NA
+69977,7,2,2,12,NA,2,2,2,12,154,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,13824.001771,15649.805677,2,90,3,3,0.54,4,4,1,2,0,2,33,2,1,4,NA
+69978,7,2,2,13,NA,4,4,1,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18698.220599,19300.762251,2,101,6,6,1.54,3,3,0,1,0,2,34,1,4,1,3
+69979,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,NA,NA,NA,NA,26465.930618,28724.649216,2,100,5,5,1.07,4,4,0,1,0,2,36,1,3,5,NA
+69980,7,2,2,0,2,2,2,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4481.392842,4662.235074,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+69981,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15991.70237,16076.675652,1,99,3,3,1.29,1,1,0,0,1,1,62,1,3,5,NA
+69982,7,2,2,8,NA,3,3,2,8,98,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,41790.228676,44382.642913,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+69983,7,2,1,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,19940.089683,1,94,3,3,0.95,2,2,0,0,1,2,67,1,2,2,NA
+69984,7,2,2,16,NA,1,1,1,16,200,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27070.679378,29958.836982,1,92,4,4,0.74,4,4,1,1,0,1,51,2,1,1,1
+69985,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,19901.857177,20582.498016,3,92,3,3,1.29,1,1,0,0,1,2,73,1,4,2,NA
+69986,7,2,1,14,NA,1,1,1,14,170,NA,NA,2,2,4,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,25525.43565,25915.600865,1,94,5,5,0.87,4,4,1,1,0,1,35,2,1,1,1
+69987,7,2,2,3,NA,1,1,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,17065.756351,3,92,3,3,0.54,4,4,3,0,0,2,22,1,3,5,NA
+69988,7,2,1,14,NA,1,1,1,14,175,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18242.832494,19431.180704,1,102,7,7,1.41,5,5,0,2,2,1,72,1,4,1,3
+69989,7,2,2,75,NA,2,2,2,NA,NA,2,NA,2,1,99,NA,1,6,NA,2,2,2,2,2,2,1,2,2,NA,17318.187297,19970.708273,2,90,4,4,1.02,2,2,0,0,2,2,75,2,1,6,NA
+69990,7,2,2,23,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,18412.14266,22203.276692,2,90,2,2,0.67,2,2,0,0,1,2,64,1,5,5,NA
+69991,7,2,2,56,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,27407.957254,27308.998449,2,90,3,3,1.29,1,1,0,0,0,2,56,1,3,3,NA
+69992,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,150082.940829,151424.784638,1,98,8,8,2.97,2,2,0,0,0,1,23,1,3,1,5
+69993,7,2,2,40,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,29650.79971,37801.89955,2,90,4,4,1.29,2,2,0,0,0,2,40,1,2,5,NA
+69994,7,2,2,21,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,71351.478679,74215.528244,2,100,10,10,3.13,4,4,0,0,1,2,53,1,2,1,2
+69995,7,2,1,18,NA,1,1,2,18,226,2,NA,1,1,NA,11,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,18120.499457,19917.650851,1,90,1,1,0.02,5,5,0,1,0,2,39,2,1,1,2
+69996,7,2,2,40,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,18490.479848,21651.629766,2,100,6,6,0.99,5,5,0,3,0,2,40,1,3,1,3
+69997,7,2,1,46,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,25123.480232,25043.348036,1,92,15,15,4.44,5,5,0,3,0,2,43,1,5,6,NA
+69998,7,1,1,17,NA,4,4,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,11125.932433,0,1,96,NA,NA,NA,4,4,1,1,0,2,37,NA,NA,1,4
+69999,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,20247.768461,20264.515513,2,93,5,5,1.05,3,3,1,0,0,2,29,1,3,5,NA
+70000,7,2,2,59,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,19100.364335,18787.428747,1,96,4,4,1.34,1,1,0,0,0,2,59,2,3,3,NA
+70001,7,1,2,61,NA,5,6,NA,NA,NA,2,NA,2,1,4,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17243.546687,0,1,95,3,3,0.43,4,4,0,1,2,1,65,2,5,1,3
+70002,7,2,2,9,NA,2,2,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,19084.197249,19808.05931,2,91,15,15,5,4,4,0,2,0,1,45,2,5,1,4
+70003,7,2,1,3,NA,5,6,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5953.107662,6677.061573,3,90,14,14,3.47,4,4,1,1,0,2,38,2,5,1,5
+70004,7,2,1,12,NA,3,3,2,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,99249.131685,98501.502244,1,101,15,15,5,4,4,0,2,0,1,43,1,4,1,5
+70005,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,1,2,1,2,2,NA,NA,NA,NA,33146.291352,36370.393263,1,90,5,5,1.05,3,3,0,0,3,2,60,1,5,77,NA
+70006,7,2,1,29,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,5,5,NA,1,2,2,NA,NA,NA,1,2,2,1,38474.772527,40200.135096,2,93,NA,NA,NA,4,2,0,0,0,1,28,NA,NA,4,NA
+70007,7,2,2,4,NA,4,4,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10389.292229,10850.629517,2,95,1,1,0.25,3,3,1,1,0,2,26,1,2,5,NA
+70008,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,165029.101567,1,95,8,6,2.04,4,2,0,1,0,2,57,1,5,5,NA
+70009,7,2,1,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,74929.366953,78437.058525,1,93,15,9,5,3,1,0,0,0,1,26,1,5,5,NA
+70010,7,2,2,58,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12441.719186,13672.655562,1,96,7,7,1.83,3,3,0,0,1,1,66,2,5,1,3
+70011,7,2,1,14,NA,5,6,2,14,170,NA,NA,2,2,3,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8168.705487,9098.657657,1,93,7,7,1.64,5,5,0,2,0,1,47,2,5,1,1
+70012,7,2,1,0,5,4,4,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5719.440362,6091.410026,1,96,15,15,5,6,6,1,1,1,2,44,1,3,1,3
+70013,7,2,1,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,7526.944058,7674.379869,1,96,15,15,5,2,2,0,0,2,1,70,1,5,1,4
+70014,7,2,1,32,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,85120.619542,87558.517853,1,93,15,15,5,1,1,0,0,0,1,32,1,4,5,NA
+70015,7,2,1,57,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,16851.334496,19427.051933,2,95,4,4,1.66,1,1,0,0,0,1,57,1,4,3,NA
+70016,7,2,2,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,94,15,15,5,2,2,0,0,2,1,73,NA,NA,1,5
+70017,7,2,2,14,NA,4,4,2,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12209.74498,13384.042162,2,90,4,4,0.57,5,5,1,2,0,2,33,2,2,77,NA
+70018,7,2,1,28,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27911.790319,31609.08818,3,91,7,7,1.57,4,4,2,0,0,2,29,2,3,1,3
+70019,7,2,1,38,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18544.003944,18279.674065,2,100,5,5,1.08,3,3,0,0,0,1,38,1,2,5,NA
+70020,7,2,2,21,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,4,6,3,1,2,2,1,2,2,1,2,2,1,16929.836231,18556.498474,2,101,8,5,2.2,2,1,0,0,0,1,24,2,4,6,NA
+70021,7,2,2,10,NA,3,3,1,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,45129.675368,44994.093254,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+70022,7,2,2,2,NA,5,6,2,3,36,NA,NA,2,2,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8313.181418,1,97,15,15,4.34,4,4,2,0,0,1,35,2,5,1,5
+70023,7,2,2,9,NA,4,4,2,10,120,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7659.302568,7901.193624,1,96,77,77,NA,7,7,0,3,1,2,43,77,5,5,NA
+70024,7,2,2,9,NA,4,4,2,9,109,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7268.721126,7826.51541,2,99,4,4,0.41,7,7,0,2,0,2,36,1,3,5,NA
+70025,7,2,2,16,NA,2,2,2,16,196,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,7,7,1.66,4,4,0,3,0,2,34,1,5,3,NA
+70026,7,2,1,31,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17554.053699,17463.765652,2,100,7,7,2.72,2,2,0,0,0,2,59,1,4,3,NA
+70027,7,2,1,7,NA,1,1,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10658.399025,10722.994279,1,102,8,8,1.33,7,7,1,4,0,2,32,1,3,1,2
+70028,7,2,2,2,NA,3,3,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22159.470641,22857.583467,1,95,2,2,0.22,4,4,2,1,0,2,22,1,2,5,NA
+70029,7,2,1,16,NA,4,4,1,16,198,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,18413.211403,2,101,99,99,NA,3,3,0,1,1,2,78,1,1,2,NA
+70030,7,1,2,61,NA,5,7,NA,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,10346.035773,0,1,99,9,1,0,2,1,0,0,2,2,61,1,4,6,NA
+70031,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10192.188896,10440.656902,1,99,7,7,3.31,1,1,0,0,1,2,63,1,4,3,NA
+70032,7,2,1,80,NA,5,6,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,11550.158096,12419.035396,2,92,77,77,NA,2,2,0,0,2,2,80,1,3,1,4
+70033,7,2,2,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,160743.928829,166234.629208,1,95,12,12,NA,2,2,0,0,0,2,53,1,4,1,NA
+70034,7,2,2,4,NA,4,4,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9689.370244,10119.627445,1,99,2,2,0.43,3,3,2,0,0,2,26,1,4,5,NA
+70035,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,91836.529686,93336.987794,1,93,10,10,5,1,1,0,0,1,2,65,1,5,3,NA
+70036,7,2,2,7,NA,2,2,1,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16765.041162,17104.135554,1,98,4,4,0.94,3,3,0,1,0,2,35,2,5,1,5
+70037,7,2,2,1,23,2,2,2,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8563.768225,8593.010585,1,93,6,6,0.74,7,7,1,2,0,1,53,2,2,1,2
+70038,7,1,1,20,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,44074.735764,0,2,91,4,4,0.69,4,4,2,0,0,2,21,1,3,6,NA
+70039,7,2,2,9,NA,3,3,2,9,109,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,NA,NA,NA,1,2,2,1,22933.149195,26924.921202,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+70040,7,2,1,3,NA,5,7,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12996.965152,13393.943951,1,101,5,5,1.23,3,3,2,0,0,2,24,1,2,5,NA
+70041,7,1,2,80,NA,5,6,NA,NA,NA,2,NA,2,1,7,NA,1,2,NA,1,2,1,1,2,1,NA,NA,NA,NA,13689.379977,0,2,92,2,2,0.64,1,1,0,0,1,2,80,2,1,2,NA
+70042,7,2,2,2,NA,3,3,2,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16635.553691,18360.507343,1,91,4,4,0.81,4,4,1,1,0,1,32,1,4,6,NA
+70043,7,2,2,12,NA,3,3,2,12,150,NA,NA,2,1,4,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,74165.041171,75130.242541,2,91,15,15,5,4,4,0,2,0,2,48,1,5,1,5
+70044,7,2,1,9,NA,4,4,2,9,117,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9023.469661,9333.449986,2,90,8,6,1.46,4,3,1,1,0,2,21,1,5,6,NA
+70045,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,70772.230318,73438.772102,1,93,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+70046,7,2,1,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,19541.667675,19517.839388,2,95,3,3,1.16,1,1,0,0,0,1,55,1,4,4,NA
+70047,7,2,2,19,NA,4,4,1,19,233,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11838.873374,11750.256617,2,100,14,14,3.06,5,5,1,0,0,1,50,1,5,1,5
+70048,7,2,2,11,NA,4,4,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7891.243393,8330.261165,2,100,4,4,0.69,5,5,0,3,0,1,38,1,3,6,NA
+70049,7,2,1,41,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,1,2,1,1,2,2,1,2,2,NA,20696.713928,21871.839567,2,102,9,9,2.68,4,4,1,1,0,2,38,2,5,1,2
+70050,7,2,2,49,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,29010.447112,29720.490657,1,100,9,9,3.64,2,2,0,0,0,2,49,1,4,5,NA
+70051,7,2,1,10,NA,4,4,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11185.87189,11566.898318,1,92,7,7,2.25,3,3,0,2,0,2,35,1,4,77,NA
+70052,7,2,2,28,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,11696.173591,12195.620792,1,93,15,5,1.84,6,1,0,0,0,1,34,2,5,5,NA
+70053,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,32866.0119,33575.905633,1,98,99,99,NA,3,2,0,0,0,2,22,1,4,5,NA
+70054,7,2,1,38,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,6,NA,2,2,2,1,2,2,NA,NA,NA,NA,32856.012738,34774.888791,2,103,77,77,NA,7,7,0,4,0,1,38,2,1,6,NA
+70055,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,115926.402585,120043.284447,1,98,10,10,3.04,4,4,0,2,0,2,47,1,4,1,3
+70056,7,2,1,3,NA,5,7,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11821.601823,13035.249088,1,95,4,4,0.97,3,3,2,0,0,2,22,1,4,5,NA
+70057,7,2,2,7,NA,1,1,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15352.601806,16028.326912,2,102,4,4,0.61,5,5,0,3,0,1,34,2,3,1,3
+70058,7,2,1,38,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20071.705576,20986.552878,3,91,7,7,2.45,2,2,0,0,0,2,29,2,5,1,5
+70059,7,2,2,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,25812.913537,27633.237354,2,95,3,3,1.27,1,1,0,0,1,2,74,1,2,2,NA
+70060,7,2,1,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5447.377416,5513.820992,2,90,4,4,0.97,3,3,1,0,0,2,23,2,3,5,NA
+70061,7,2,1,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,7101.739553,7433.956549,2,100,2,2,0.83,1,1,0,0,1,1,65,1,2,5,NA
+70062,7,2,2,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,69726.261922,71865.394906,1,93,15,15,5,2,2,0,0,2,2,75,1,5,1,5
+70063,7,2,2,43,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,1,2,1,2,2,1,2,2,1,2,2,1,27585.470618,28524.896774,2,102,15,15,5,4,4,0,2,0,1,44,1,3,1,1
+70064,7,2,2,38,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,2,1,2,2,1,2,2,1,2,2,1,23725.035562,24103.855713,1,91,7,7,2.2,3,3,0,0,1,2,60,1,2,2,NA
+70065,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,74518.988514,1,98,14,14,3.9,4,4,0,3,0,2,31,1,4,1,NA
+70066,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,19260.892847,19199.459573,2,97,8,5,2.02,2,1,0,0,0,1,47,1,4,3,NA
+70067,7,2,1,5,NA,3,3,1,5,64,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21357.821814,24096.698658,2,96,3,3,0.53,5,5,3,0,0,2,26,1,4,1,4
+70068,7,2,2,8,NA,4,4,2,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8147.287486,8590.325322,2,90,2,2,0.38,4,4,1,2,0,2,32,1,4,5,NA
+70069,7,2,2,50,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,4,6,NA,2,2,2,1,2,2,2,2,2,2,24352.519425,24479.515743,1,97,3,3,0.5,5,5,0,2,0,1,56,2,2,6,NA
+70070,7,2,2,2,NA,4,4,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9273.23044,9512.588252,2,96,NA,3,0.65,4,3,1,1,0,1,21,1,2,6,NA
+70071,7,2,1,0,0,1,1,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,7757.493251,7980.837709,3,92,4,4,0.59,5,5,2,1,0,1,20,2,1,1,3
+70072,7,2,1,53,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,26659.265986,2,101,7,7,2.16,3,3,0,1,0,2,44,1,4,6,NA
+70073,7,2,1,19,NA,3,3,2,19,239,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30943.024697,36334.060093,1,101,1,1,0.08,6,6,0,1,0,1,51,1,2,5,NA
+70074,7,2,1,16,NA,1,1,1,16,195,NA,NA,1,1,NA,9,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,19996.544021,19901.195571,1,100,7,7,1.3,5,5,0,3,0,1,43,2,2,1,4
+70075,7,2,2,31,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,1,2,1,2,1,1,2,1,NA,NA,NA,NA,11608.998717,13948.968232,3,90,5,5,0.93,4,4,1,0,0,1,48,2,4,1,NA
+70076,7,2,1,14,NA,5,6,2,14,172,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6232.587755,6661.015771,1,91,15,15,3.25,7,7,1,2,0,2,31,1,5,1,5
+70077,7,2,2,58,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,16119.136275,16768.999275,1,101,14,14,5,2,2,0,0,0,1,58,2,3,1,1
+70078,7,2,2,33,NA,1,1,2,NA,NA,2,NA,2,2,2,NA,2,1,2,2,2,2,2,2,2,2,2,2,2,32982.479382,35082.144563,2,99,99,3,0.66,4,2,0,0,0,1,35,2,4,1,2
+70079,7,2,2,1,21,2,2,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9267.834226,9392.475614,2,93,15,15,4.51,4,4,1,1,0,1,40,1,4,1,5
+70080,7,2,2,32,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16614.865368,17238.21833,3,91,15,15,4.47,4,4,2,0,0,1,33,1,5,1,5
+70081,7,2,2,19,NA,4,4,2,19,236,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,10154.02528,10568.655787,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+70082,7,2,2,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,21398.47235,20994.797177,1,103,14,8,4.39,2,1,0,0,0,2,29,1,5,5,NA
+70083,7,1,2,24,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,3,3,1,2,2,1,2,2,NA,NA,NA,NA,129336.409693,0,1,92,4,4,1.29,2,2,1,0,0,2,24,1,4,3,NA
+70084,7,2,1,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7117.971973,7450.948316,2,100,3,3,0.68,2,2,0,0,2,1,66,1,2,1,2
+70085,7,2,2,6,NA,3,3,2,7,84,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18732.936406,19089.39853,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+70086,7,2,1,18,NA,1,1,1,18,223,2,NA,2,2,4,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,23389.620035,23484.828122,3,91,3,3,0.39,6,6,1,1,0,1,39,2,1,6,NA
+70087,7,2,2,7,NA,4,4,1,7,95,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7899.813226,8111.155436,2,100,15,15,4.47,4,4,0,2,0,1,39,NA,NA,1,5
+70088,7,2,1,47,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17452.049284,17389.002535,1,93,7,7,1.64,5,5,0,2,0,1,47,2,5,1,1
+70089,7,2,1,0,11,1,1,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7222.23638,7150.860834,1,94,4,4,0.32,7,7,3,2,0,2,28,2,2,1,9
+70090,7,2,2,7,NA,3,3,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39810.933651,39282.261038,2,95,15,15,4.77,4,4,0,2,0,2,36,1,4,1,5
+70091,7,2,2,4,NA,3,3,2,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,78813.208592,86985.412201,2,91,6,6,1.34,4,4,1,2,0,2,33,1,4,3,NA
+70092,7,2,1,24,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,120604.496044,126250.391527,2,92,10,10,3.51,3,3,0,0,0,1,24,1,4,5,NA
+70093,7,2,1,14,NA,4,4,2,14,177,NA,NA,2,2,3,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14853.30651,14966.239185,1,93,14,14,5,2,2,0,1,0,2,52,2,3,1,NA
+70094,7,2,2,36,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,60859.550805,63845.233776,2,100,15,15,5,3,3,0,1,0,1,38,1,4,1,4
+70095,7,2,2,59,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,10420.55184,10475.655119,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+70096,7,2,2,77,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,66567.821082,68844.431611,3,91,7,7,1.97,4,4,0,0,1,2,77,1,5,2,NA
+70097,7,2,2,7,NA,3,3,2,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,67046.323141,68322.122844,1,90,8,8,1.67,5,5,2,1,0,2,28,1,4,1,5
+70098,7,2,2,0,9,2,2,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5234.186769,5411.317673,2,90,14,14,3.08,6,6,1,1,1,2,60,2,5,2,NA
+70099,7,2,1,17,NA,3,3,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,100370.520459,102294.664852,1,90,15,15,5,4,4,0,1,0,2,53,1,5,1,5
+70100,7,2,2,11,NA,4,4,1,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9399.281543,9696.12347,2,96,6,6,1.32,5,5,1,3,0,2,30,1,4,3,NA
+70101,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,22109.546782,29180.501371,1,93,7,7,2.72,2,2,0,1,0,2,45,1,3,3,NA
+70102,7,2,1,68,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,92308.775062,93174.50633,1,100,6,6,2.24,1,1,0,0,1,1,68,1,4,2,NA
+70103,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,125443.355152,127362.409324,2,103,10,10,5,1,1,0,0,0,2,56,1,4,3,NA
+70104,7,2,2,34,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16614.865368,17238.21833,3,91,15,15,5,4,4,2,0,0,1,36,2,5,1,5
+70105,7,2,1,25,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,NA,52698.05363,53416.368765,3,92,5,5,0.81,5,5,3,0,0,2,23,1,4,5,NA
+70106,7,2,1,18,NA,3,3,2,19,228,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30100.326038,29873.584609,1,101,6,6,1.17,4,4,0,1,0,1,41,1,3,6,NA
+70107,7,2,2,0,10,4,4,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,4358.100179,4799.448128,2,93,NA,NA,NA,4,4,1,0,1,1,63,NA,NA,6,NA
+70108,7,2,2,11,NA,3,3,2,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49164.586897,48511.701666,2,95,15,15,4.63,5,5,1,2,0,2,36,1,5,1,3
+70109,7,2,1,57,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,27595.50738,28151.492876,1,98,15,15,5,5,5,0,1,1,2,55,1,5,1,5
+70110,7,2,2,0,11,4,4,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5576.185193,5739.245437,2,96,5,5,1.24,3,3,2,0,0,1,29,1,3,5,NA
+70111,7,2,1,56,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12517.592486,15021.976783,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+70112,7,2,2,9,NA,3,3,2,9,110,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,55626.447796,54887.751745,1,95,14,14,3.8,4,4,0,2,0,2,37,1,5,1,5
+70113,7,1,1,28,NA,1,1,NA,NA,NA,2,NA,2,1,77,NA,1,3,NA,2,2,2,2,2,2,NA,NA,NA,NA,35669.2076,0,2,94,77,77,NA,4,4,0,0,0,1,28,2,1,3,NA
+70114,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,14221.330587,18275.989104,3,90,12,12,NA,2,2,0,0,0,1,39,2,3,1,NA
+70115,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,4,2,2,2,2,2,2,2,NA,NA,NA,NA,36453.846815,39554.044508,1,102,2,2,0.52,3,3,0,2,0,2,36,2,3,4,NA
+70116,7,2,1,0,4,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23841.007913,24575.370543,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+70117,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,79677.823556,79777.881901,1,99,15,15,5,5,5,0,3,0,2,43,1,5,1,5
+70118,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,54095.581484,61529.339683,2,91,5,5,1.84,1,1,0,0,1,2,80,1,4,2,NA
+70119,7,2,1,19,NA,3,3,1,19,229,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,110478.18082,109645.964567,2,101,1,1,0.11,2,1,0,0,0,1,19,1,4,NA,NA
+70120,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,53541.401974,54113.194007,1,99,8,8,3.4,2,2,0,0,2,1,74,1,5,1,4
+70121,7,2,2,33,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,22758.541444,23956.866949,1,101,2,2,0.47,3,3,1,0,0,1,35,1,2,6,NA
+70122,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,86578.861495,87453.974807,2,101,10,10,2.33,6,6,1,3,0,1,39,1,2,1,4
+70123,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11762.034222,11824.231183,3,90,77,77,NA,5,5,0,2,0,1,46,2,3,1,3
+70124,7,2,2,16,NA,4,4,1,17,205,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,12531.903464,13043.632492,2,100,4,4,0.85,4,4,0,2,0,2,39,1,3,6,NA
+70125,7,2,1,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,28996.250643,29563.919546,2,101,4,4,1.52,1,1,0,0,0,1,30,1,3,5,NA
+70126,7,2,1,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6992.24593,7077.532809,2,97,1,1,0.33,2,2,1,0,0,2,29,1,3,5,NA
+70127,7,2,2,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,112960.559471,154652.396986,1,91,4,4,1.29,2,2,1,0,0,2,26,1,4,5,NA
+70128,7,1,1,24,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,41383.258526,0,1,97,1,1,0.22,2,1,0,0,0,1,24,1,3,6,NA
+70129,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,19384.896286,19940.089683,1,94,3,3,0.39,6,6,2,2,0,2,25,1,4,1,2
+70130,7,2,1,42,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,21600.805431,23858.641894,2,96,7,7,1.79,4,4,2,0,0,2,49,1,3,1,3
+70131,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12449.932013,12144.773422,3,90,15,15,4.34,4,4,0,0,1,1,65,1,3,1,4
+70132,7,2,1,62,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11761.359913,11893.852645,1,92,9,9,4.23,2,2,0,0,1,1,62,1,3,1,4
+70133,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,21490.337905,2,97,3,1,0.09,2,1,0,0,0,1,30,1,4,5,NA
+70134,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,138322.767578,139738.299504,1,101,10,10,4.63,2,2,0,0,1,1,64,2,3,1,4
+70135,7,2,1,2,NA,1,1,1,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8481.734412,8582.006703,1,103,8,8,1.85,5,5,2,1,0,2,25,2,2,1,2
+70136,7,2,1,39,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,17643.563124,18168.544198,3,91,15,15,5,4,4,2,0,0,2,33,2,5,1,5
+70137,7,2,1,17,NA,2,2,2,17,210,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14081.782012,14391.713696,2,90,2,2,0.25,5,5,0,1,0,2,41,2,4,1,NA
+70138,7,2,1,6,NA,5,7,2,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21147.476454,21752.181979,1,95,5,5,0.89,4,4,0,1,0,2,42,1,4,6,NA
+70139,7,2,2,10,NA,4,4,1,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9453.111053,10178.533204,1,100,6,6,1.13,4,4,0,3,0,2,32,1,3,5,NA
+70140,7,2,1,3,NA,3,3,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,60239.023202,67963.933877,1,98,7,7,1.66,5,5,2,1,0,2,37,1,5,1,3
+70141,7,2,1,0,11,2,2,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4854.394074,5092.044151,2,93,15,15,4.84,6,6,1,1,2,1,66,2,4,1,3
+70142,7,2,2,69,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,105434.067206,107522.739372,2,103,9,9,4.92,1,1,0,0,1,2,69,1,4,2,NA
+70143,7,2,2,40,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,13510.18419,14596.8255,2,90,14,14,4.32,3,3,0,1,0,1,48,2,4,1,5
+70144,7,2,1,12,NA,1,1,1,12,149,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18987.489596,19405.392998,3,91,6,6,2.04,2,2,0,1,0,2,51,1,4,4,NA
+70145,7,2,2,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,29010.447112,28216.500124,1,100,6,6,2.51,1,1,0,0,0,2,49,1,4,3,NA
+70146,7,2,2,12,NA,5,7,2,12,152,NA,NA,2,1,4,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10767.566937,11183.935292,2,91,15,15,3.7,5,5,1,2,0,1,50,NA,NA,1,5
+70147,7,2,1,14,NA,5,6,1,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8915.81491,9312.338117,1,92,14,14,3.69,4,4,0,2,0,1,47,2,4,4,NA
+70148,7,2,1,30,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,24460.137584,1,92,3,3,0.46,5,5,2,1,0,1,30,1,3,1,2
+70149,7,2,1,13,NA,5,6,2,13,160,NA,NA,2,1,4,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8965.57404,9581.867503,1,90,15,15,5,5,5,0,3,0,2,46,2,4,1,5
+70150,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,76374.321112,79950.814336,2,99,14,14,5,1,1,0,0,0,1,39,1,5,5,NA
+70151,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,64679.499599,80402.538623,3,92,6,6,2.69,1,1,0,0,1,2,80,1,3,2,NA
+70152,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,161992.272945,167997.905035,1,91,14,14,3.8,4,4,0,2,0,1,50,NA,NA,1,5
+70153,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,24930.322327,25181.116543,2,94,3,3,0.92,1,1,0,0,0,1,57,1,2,3,NA
+70154,7,2,1,0,1,5,6,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5941.765349,6071.648885,2,102,3,3,0.38,5,5,3,0,0,2,30,2,2,1,4
+70155,7,2,1,18,NA,5,7,1,18,219,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13276.485807,15665.287637,2,100,99,99,NA,3,3,0,0,0,1,46,1,9,3,NA
+70156,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,34853.379657,39642.894617,3,90,10,10,4.3,2,2,0,0,2,2,80,1,4,1,5
+70157,7,2,2,1,22,4,4,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9273.23044,9685.008923,2,96,5,5,1.24,3,3,2,0,0,1,29,1,3,5,NA
+70158,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,24905.670199,24973.138542,2,101,8,8,2.7,3,3,0,1,0,1,53,1,4,1,2
+70159,7,2,1,13,NA,4,4,2,13,162,NA,NA,2,1,4,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,7,7,1.52,4,4,0,2,0,2,30,2,4,1,5
+70160,7,2,2,61,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,10288.382343,13758.61994,2,90,6,6,1.7,2,2,0,0,2,1,61,2,1,1,2
+70161,7,2,1,34,NA,1,1,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,37715.365512,38149.83984,2,102,7,7,1.33,6,6,1,3,0,1,34,2,2,1,1
+70162,7,2,1,34,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21288.18311,21326.274673,1,102,7,7,1.57,4,4,0,2,0,2,33,1,4,1,4
+70163,7,2,2,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,163605.682975,162710.354378,1,90,15,15,5,4,4,0,1,0,2,53,1,5,1,5
+70164,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,23884.62129,24647.381072,2,98,5,5,1.24,3,3,0,0,1,2,58,1,2,5,NA
+70165,7,2,2,18,NA,2,2,2,19,228,2,NA,1,1,NA,13,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,15442.648697,16179.397194,3,90,77,77,NA,4,3,0,0,0,1,45,2,3,3,NA
+70166,7,2,1,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,137038.746155,146586.432966,2,101,4,2,0.66,2,1,0,0,0,1,21,1,4,5,NA
+70167,7,2,2,47,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,153972.608815,154123.803084,2,101,5,5,1.36,2,2,0,0,0,2,47,1,2,1,4
+70168,7,2,1,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,64901.456576,67363.75016,1,101,15,15,5,2,2,0,0,2,2,73,1,4,1,4
+70169,7,2,2,23,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,60324.348827,60863.689632,1,95,6,6,0.96,5,5,1,0,1,2,69,1,1,2,NA
+70170,7,2,2,59,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,15497.844354,15073.705188,1,99,4,2,0.74,2,1,0,0,1,2,59,1,3,3,NA
+70171,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,27532.825087,28260.668065,1,101,6,6,1.3,4,4,2,0,0,2,30,1,4,6,NA
+70172,7,2,2,11,NA,5,7,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5147.116597,5520.448595,2,92,15,15,4.59,4,4,0,2,0,2,45,2,5,1,5
+70173,7,2,2,2,NA,2,2,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9653.164181,10331.416262,1,90,15,15,4.44,5,5,2,1,0,1,36,1,3,1,4
+70174,7,1,1,54,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,24930.322327,0,1,100,1,1,0.01,1,1,0,0,0,1,54,1,2,3,NA
+70175,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,11699.431733,12221.798846,1,96,7,7,2.31,2,2,0,0,1,2,62,1,3,3,NA
+70176,7,2,2,23,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,41953.42893,43056.968872,2,99,4,1,0.22,4,1,0,0,0,2,21,NA,NA,5,NA
+70177,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,45403.540522,46903.566528,2,92,9,6,2.75,2,1,0,0,0,1,26,99,9,6,NA
+70178,7,1,2,6,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,62595.719575,0,1,95,14,14,3.8,4,4,1,1,0,1,36,1,4,1,5
+70179,7,2,1,4,NA,4,4,1,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10690.995725,11017.541084,2,98,2,2,0.31,4,4,2,1,0,2,27,1,2,4,NA
+70180,7,2,1,4,NA,4,4,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10510.490567,10944.785425,2,98,6,6,1,5,5,2,1,0,2,31,1,4,6,NA
+70181,7,2,1,6,NA,1,1,2,6,72,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,13285.093011,13365.60735,2,94,77,77,NA,6,6,0,3,0,2,58,1,3,1,9
+70182,7,1,1,14,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10346.302718,0,2,91,4,4,0.65,5,5,1,3,0,1,43,2,3,5,NA
+70183,7,2,2,37,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,2,1,2,2,2,2,1,2,2,1,2,2,2,41791.57979,40663.955172,2,102,6,6,1.03,5,5,1,1,0,1,37,1,2,1,2
+70184,7,2,1,16,NA,4,4,1,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16147.713323,16532.569027,1,92,15,15,4.44,5,5,0,3,0,2,43,1,5,6,NA
+70185,7,2,2,4,NA,2,2,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13647.772496,15067.50708,2,93,7,7,1.83,3,3,1,0,0,1,40,2,5,1,4
+70186,7,2,1,48,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19320.837782,1,99,14,14,3.8,4,4,1,1,0,1,48,2,5,1,5
+70187,7,2,1,15,NA,5,6,2,15,180,NA,NA,2,1,99,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10567.840237,11294.273462,1,91,15,15,5,4,4,0,2,0,2,55,1,5,1,5
+70188,7,1,1,34,NA,5,6,NA,NA,NA,2,NA,2,2,4,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15057.879445,0,3,90,12,12,NA,3,3,0,0,0,2,29,2,5,1,5
+70189,7,2,2,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,5,3,2,1,2,2,2,2,NA,NA,NA,NA,32455.694722,32314.335903,1,103,5,5,0.74,5,5,1,1,0,2,40,99,3,1,1
+70190,7,2,1,9,NA,1,1,1,9,116,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14042.313177,3,92,4,4,0.6,6,6,2,2,0,2,24,1,3,6,NA
+70191,7,2,2,52,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,3,NA,2,2,2,1,2,2,NA,NA,NA,NA,30346.899457,30505.155956,1,93,5,5,0.84,5,5,1,2,0,2,52,2,1,3,NA
+70192,7,2,2,22,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,17397.027021,18573.153951,3,91,7,7,3.21,1,1,0,0,0,2,22,1,5,5,NA
+70193,7,2,2,17,NA,2,2,2,17,208,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17277.331962,18186.067085,1,90,6,6,0.81,6,6,0,3,0,2,45,1,4,1,2
+70194,7,2,2,29,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,13440.945024,14349.620822,1,103,15,8,4.03,2,1,0,0,0,2,29,2,5,6,NA
+70195,7,2,1,79,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,16888.31509,17277.940364,1,92,14,5,2.15,3,1,0,0,2,1,51,1,4,5,NA
+70196,7,2,1,37,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,5,NA,2,2,2,1,2,2,2,2,2,2,34997.800447,35379.102239,2,96,5,5,0.78,5,5,0,2,0,1,37,2,1,5,NA
+70197,7,2,1,0,6,2,2,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5385.874932,5867.351136,2,90,8,8,2.24,4,4,1,1,0,2,29,1,4,6,NA
+70198,7,2,2,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,11862.334174,1,96,15,15,5,2,2,0,0,2,2,62,1,4,1,2
+70199,7,2,1,7,NA,3,3,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,60593.636684,64068.123183,1,91,10,10,2.77,5,5,0,3,0,1,43,1,5,1,5
+70200,7,2,1,52,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,27551.752692,27682.321328,1,98,3,3,0.73,3,3,0,0,0,1,52,1,4,1,3
+70201,7,1,2,26,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,130601.953362,0,2,91,15,9,5,2,1,0,0,0,2,26,1,5,5,NA
+70202,7,2,1,22,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,9956.598907,10266.888978,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+70203,7,2,1,46,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12262.33683,12218.03828,2,100,4,4,0.44,7,7,1,2,2,1,71,2,1,1,1
+70204,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,18097.801029,17328.248994,2,100,7,7,1.38,5,5,1,0,0,2,45,1,2,3,NA
+70205,7,2,2,7,NA,3,3,1,7,90,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,25527.806244,26565.240294,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+70206,7,2,2,34,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,12808.938247,13423.491647,2,100,15,15,5,4,4,1,1,0,1,36,2,5,1,5
+70207,7,2,2,8,NA,3,3,1,8,101,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,63195.899182,62711.128206,1,100,15,15,5,4,4,1,1,0,1,40,1,5,1,5
+70208,7,2,1,2,NA,3,3,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,29706.069213,32871.212026,1,99,10,10,2.48,5,5,2,1,0,1,33,1,5,1,5
+70209,7,2,2,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,27945.726298,28031.650144,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+70210,7,2,1,47,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,41527.444056,55523.849773,1,95,5,5,1.5,2,2,0,1,0,1,47,1,4,2,NA
+70211,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,38758.039282,44961.529423,1,98,6,6,1.9,2,2,0,0,2,1,80,1,1,1,2
+70212,7,2,2,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,20048.680628,21335.7055,2,95,5,5,1.05,3,3,0,1,0,1,43,1,3,1,2
+70213,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,94698.084211,97410.286035,1,101,14,14,3.15,5,5,2,1,0,1,35,1,4,1,5
+70214,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,25212.845431,2,101,1,1,0.42,1,1,0,0,0,1,21,1,4,5,NA
+70215,7,2,2,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,1,2,NA,44484.790948,49854.064081,1,103,15,15,5,3,2,0,0,3,2,63,1,5,77,NA
+70216,7,2,2,0,8,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3941.796129,4340.984667,1,99,14,14,3.67,4,4,1,0,0,2,49,1,3,1,3
+70217,7,2,1,40,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19158.860679,19089.647955,1,100,15,15,5,2,2,0,0,0,1,40,2,5,1,5
+70218,7,2,1,0,11,1,1,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6298.658963,6412.943673,2,94,5,5,1.07,4,4,2,0,0,1,37,2,1,1,1
+70219,7,2,2,69,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,42101.975168,42617.525207,1,95,6,6,0.96,5,5,1,0,1,2,69,1,1,2,NA
+70220,7,2,2,31,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,1,2,2,2,2,2,2,2,2,2,2,2,41791.57979,43231.925575,2,102,10,10,3.04,4,4,2,0,0,2,31,2,2,1,NA
+70221,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9122.654131,9281.792212,1,96,9,9,3.14,3,3,0,2,0,2,39,NA,NA,3,NA
+70222,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,88617.795432,87713.219218,1,91,15,15,5,1,1,0,0,1,1,60,1,5,1,NA
+70223,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,146181.198007,145805.68861,2,91,15,2,0.79,7,1,0,0,1,1,49,NA,NA,5,NA
+70224,7,2,2,19,NA,3,3,1,19,234,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,39616.634313,40360.331753,2,101,5,3,1.1,2,1,0,0,0,1,19,1,4,NA,NA
+70225,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105262.341027,112370.874556,2,98,10,10,4.42,2,2,0,0,0,1,25,1,5,1,5
+70226,7,2,2,70,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,NA,12849.335508,13810.42202,1,96,4,4,1.18,2,2,0,0,1,2,70,1,1,5,NA
+70227,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15819.48188,17091.862943,1,90,15,15,5,5,5,0,3,0,2,46,2,4,1,5
+70228,7,2,1,67,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7410.50521,7700.344649,2,96,3,3,0.82,2,2,0,1,1,1,67,1,3,3,NA
+70229,7,2,2,30,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,3,1,2,2,2,2,1,2,2,1,2,2,1,41791.57979,41445.196731,2,102,4,4,0.61,5,5,0,3,0,1,34,2,3,1,3
+70230,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,15976.466658,17286.192057,2,96,7,7,2.45,2,2,0,0,0,1,24,2,5,5,NA
+70231,7,2,2,37,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,21619.283038,22210.398171,2,102,15,15,5,4,4,0,2,0,1,39,1,4,1,5
+70232,7,2,2,18,NA,5,6,2,18,217,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12224.9472,12547.183925,1,97,14,14,2.72,7,7,0,2,0,1,40,1,5,1,5
+70233,7,2,2,12,NA,1,1,2,12,148,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,15591.526146,16856.688627,1,90,6,6,1.11,5,5,1,2,0,1,30,2,1,6,NA
+70234,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,1,2,1,1,2,1,1,2,NA,28559.076421,28710.827523,1,95,2,2,0.87,1,1,0,0,1,1,63,1,1,5,NA
+70235,7,2,1,61,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,2,NA,2,2,2,1,2,2,1,2,2,2,8609.250304,11228.904188,2,90,3,3,1.01,1,1,0,0,1,1,61,2,1,2,NA
+70236,7,2,2,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,11862.334174,1,96,15,15,5,2,2,0,0,2,1,68,1,3,1,4
+70237,7,2,1,13,NA,3,3,2,14,168,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,68701.580401,72973.564721,2,94,15,15,5,5,5,0,3,0,1,44,1,5,1,4
+70238,7,2,2,25,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,32455.694722,32314.335903,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+70239,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,19075.861607,19022.257361,1,96,10,10,3.04,4,4,0,1,0,2,43,1,5,1,4
+70240,7,2,2,4,NA,4,4,1,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11015.482909,2,100,99,99,NA,6,6,2,1,0,2,44,1,3,1,4
+70241,7,2,1,13,NA,4,4,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11800.231369,11823.561392,1,96,7,7,1,7,7,2,1,1,2,53,1,4,1,3
+70242,7,2,1,1,22,4,4,2,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5799.129348,6038.750138,1,90,4,4,0.67,5,5,3,0,0,2,32,2,3,3,NA
+70243,7,1,2,51,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,1,3,NA,1,2,1,1,2,1,NA,NA,NA,NA,21018.496735,0,1,91,9,9,2.68,4,4,0,0,1,1,20,NA,NA,5,NA
+70244,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,9772.038079,10486.56257,1,95,77,77,NA,3,3,0,0,2,1,80,1,1,1,3
+70245,7,2,2,1,16,4,4,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6398.740074,6885.115697,1,93,6,6,0.83,6,6,3,1,0,1,37,NA,NA,1,3
+70246,7,2,2,72,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,14971.827573,15430.401607,2,97,8,8,2.7,3,3,0,0,1,2,72,1,2,3,NA
+70247,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17852.668137,17947.072019,3,91,9,9,4.08,2,2,0,1,0,2,54,2,5,1,NA
+70248,7,2,2,67,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,7278.790659,7875.678599,2,93,3,3,0.66,2,2,0,0,1,1,54,2,1,1,1
+70249,7,2,1,7,NA,3,3,2,8,96,NA,NA,2,1,3,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,38712.032122,41122.784973,3,91,15,15,5,4,4,1,1,0,2,41,1,5,1,5
+70250,7,2,2,0,5,2,2,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10218.497734,10897.586635,2,101,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+70251,7,2,2,43,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,43535.993088,45116.30779,2,102,77,77,NA,4,4,0,1,0,1,47,1,2,1,3
+70252,7,2,1,40,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,14227.821648,16178.124803,3,90,2,2,0.45,1,1,0,0,0,1,40,2,2,4,NA
+70253,7,2,1,0,8,5,7,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6246.568228,6909.306675,2,95,1,1,0.03,3,3,1,0,0,1,23,1,3,6,NA
+70254,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,115926.402585,128579.517653,1,101,14,14,3.25,4,4,0,1,0,1,48,1,4,1,2
+70255,7,2,2,38,NA,1,1,1,NA,NA,2,NA,2,2,99,NA,1,6,2,2,2,2,1,2,2,2,2,2,2,53370.792448,51930.736348,1,100,NA,13,NA,2,1,0,0,0,1,32,2,1,6,NA
+70256,7,2,2,16,NA,5,6,1,16,198,NA,NA,2,1,4,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9098.177005,9288.806625,1,98,14,14,3.9,4,4,0,1,0,2,52,1,5,1,5
+70257,7,2,2,1,20,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5687.793894,6002.477845,2,90,8,6,1.67,5,3,2,0,0,2,25,2,3,5,NA
+70258,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,61710.107686,72008.199278,1,98,3,3,0.9,1,1,0,0,0,2,24,1,5,5,NA
+70259,7,2,1,65,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,1,1,7514.993062,8122.478925,2,90,2,2,0.48,2,2,0,0,1,2,53,2,3,1,3
+70260,7,2,2,0,11,2,2,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,6235.764746,6104.57156,2,92,NA,NA,NA,4,4,2,0,0,1,40,NA,NA,1,NA
+70261,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,37814.382501,38402.065392,1,98,6,4,1.34,2,1,0,0,0,2,22,1,4,6,NA
+70262,7,2,1,7,NA,2,2,1,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10738.959181,11444.574702,2,93,10,10,2.26,6,6,0,4,0,1,34,1,4,1,3
+70263,7,2,2,49,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,18522.193415,19195.925691,1,90,9,9,2.6,4,4,0,1,0,2,49,2,2,1,5
+70264,7,2,2,23,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,NA,NA,NA,1,2,2,1,11475.373333,11965.391974,2,92,12,NA,NA,7,1,0,0,2,1,53,2,3,1,3
+70265,7,2,2,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,19378.199212,21493.287569,2,100,5,5,1.3,3,3,0,1,0,2,46,1,3,2,NA
+70266,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16420.864787,17154.038836,2,102,14,14,5,2,2,0,0,2,1,64,1,4,1,3
+70267,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,20891.980831,21490.337905,2,97,12,14,5,2,1,0,0,0,1,53,NA,NA,5,NA
+70268,7,2,1,46,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,30549.358294,31009.655884,2,101,5,5,1.93,1,1,0,0,0,1,46,1,4,5,NA
+70269,7,2,1,0,9,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8212.233655,8522.67606,2,91,2,2,0.33,5,5,1,1,0,2,48,1,4,3,NA
+70270,7,2,2,2,NA,4,4,2,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6084.391121,6799.274602,2,99,3,3,0.56,4,4,1,0,0,2,38,1,3,5,NA
+70271,7,1,1,34,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17879.023129,0,2,90,7,7,3.49,1,1,0,0,0,1,34,1,3,5,NA
+70272,7,2,2,1,16,4,4,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6811.556363,7329.310628,1,96,12,12,NA,5,5,1,2,0,2,35,1,5,1,4
+70273,7,2,2,8,NA,1,1,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16371.237244,2,98,1,1,0.18,4,4,0,2,0,1,29,1,4,6,NA
+70274,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,30212.098573,33743.401779,2,98,3,3,1.24,1,1,0,0,1,2,80,1,4,2,NA
+70275,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,26999.643202,25671.572746,2,102,6,6,1.22,5,5,0,2,0,2,42,1,4,1,4
+70276,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,164908.075108,169304.25724,1,98,15,15,5,3,3,0,0,0,1,56,1,5,1,5
+70277,7,2,2,0,9,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6021.973783,5836.909368,1,102,2,2,0.19,7,7,2,2,0,1,48,2,9,1,9
+70278,7,2,2,36,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,2,1,3,1,2,2,1,2,2,NA,NA,NA,NA,21765.629914,21610.101161,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+70279,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,17521.481386,17626.852628,2,97,99,99,NA,1,1,0,0,0,2,53,1,3,3,NA
+70280,7,2,1,18,NA,2,2,1,18,221,2,NA,2,2,3,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20606.470013,20581.836663,1,103,6,6,0.93,5,5,0,1,0,1,39,2,3,1,3
+70281,7,2,2,30,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,20012.879008,20053.743639,1,100,7,7,3.13,1,1,0,0,0,2,30,1,4,5,NA
+70282,7,2,1,24,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,2,5,NA,2,2,2,2,2,2,1,2,2,1,35669.2076,36155.406423,2,94,7,7,1.23,6,6,2,1,0,1,33,2,1,6,NA
+70283,7,2,1,11,NA,1,1,2,11,141,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13484.595524,13595.798197,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+70284,7,2,2,4,NA,5,6,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3864.413878,3822.111022,1,99,14,14,2.66,7,7,3,1,0,1,35,1,5,1,5
+70285,7,2,2,37,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,28958.579549,29304.033516,1,96,13,13,NA,5,5,1,1,0,1,42,1,3,5,NA
+70286,7,2,1,18,NA,3,3,2,18,221,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,71231.747774,75661.062324,2,95,9,9,2.22,5,5,1,0,0,1,55,1,4,1,5
+70287,7,2,2,46,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18844.090639,18943.737107,2,96,15,15,5,2,2,0,0,0,1,45,1,5,1,4
+70288,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,2,1,2,2,1,2,2,1,2,2,1,71034.153987,76359.172033,1,98,6,6,1.11,5,5,0,2,1,2,37,1,1,1,1
+70289,7,2,1,8,NA,3,3,2,8,99,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,46228.073505,47549.950918,2,94,10,10,2.91,4,4,0,2,0,2,38,1,4,1,4
+70290,7,2,1,60,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,10880.024478,11166.738171,2,91,9,9,3.14,3,3,0,1,2,1,60,1,4,1,3
+70291,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,35313.648114,35629.376203,2,95,6,6,0.9,6,6,1,1,0,1,49,1,1,1,1
+70292,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19130.246369,22400.771377,2,95,15,10,3.67,5,3,0,0,0,1,47,1,5,1,3
+70293,7,2,2,51,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,17149.727778,17902.578105,1,90,4,4,0.78,4,4,0,0,1,1,69,2,4,1,3
+70294,7,2,1,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,8219.195224,8283.488354,2,99,15,15,5,2,2,0,0,2,1,60,1,5,1,5
+70295,7,2,1,47,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,21158.364877,21743.069946,1,96,15,15,4.9,4,4,0,1,0,1,47,1,3,1,5
+70296,7,2,2,0,4,3,3,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17674.326293,18731.006164,3,90,15,15,5,3,3,1,0,0,1,31,1,5,1,5
+70297,7,2,1,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,60942.568495,64726.722108,1,94,7,7,2.51,2,2,0,0,2,2,72,1,4,1,1
+70298,7,2,2,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,22707.329726,23560.698233,2,97,2,2,0.3,4,4,0,2,0,1,42,1,2,6,NA
+70299,7,2,1,62,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,7192.368251,7796.453586,1,93,4,4,1.74,1,1,0,0,1,1,62,2,3,2,NA
+70300,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,27466.648066,27396.091902,1,99,2,2,0.61,2,2,0,0,0,1,46,1,5,5,NA
+70301,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,21143.964074,21647.100945,1,100,1,1,0.04,4,4,1,1,0,2,51,1,3,3,NA
+70302,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,42894.724338,43561.362107,1,98,6,4,1.34,2,1,0,0,0,1,24,1,5,5,NA
+70303,7,2,1,56,NA,2,2,2,NA,NA,1,1,2,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,34813.426994,34467.752983,1,97,15,15,5,1,1,0,0,0,1,56,2,4,3,NA
+70304,7,2,2,65,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,122483.259869,138551.168646,3,91,7,7,3.49,1,1,0,0,1,2,65,1,3,2,NA
+70305,7,2,1,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23912.171644,23498.78217,1,91,15,15,5,3,3,1,0,0,1,33,1,5,1,5
+70306,7,2,1,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25645.251384,25514.298117,1,92,6,6,1.31,3,3,0,0,1,2,80,1,3,4,NA
+70307,7,2,1,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,47487.549895,49034.44781,1,102,6,6,1.48,3,3,0,0,1,2,57,2,1,1,4
+70308,7,2,1,5,NA,1,1,1,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20874.345556,20902.551716,3,92,2,2,0.47,3,3,1,1,0,2,33,1,4,5,NA
+70309,7,2,1,2,NA,1,1,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12413.685227,12209.161559,1,102,6,6,1.46,3,3,1,1,0,2,28,2,4,3,NA
+70310,7,1,2,11,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,1,2,NA,NA,NA,NA,9139.784234,0,2,100,6,6,1.18,5,5,0,2,1,2,70,1,2,77,NA
+70311,7,2,1,7,NA,1,1,1,8,96,NA,NA,2,2,2,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13581.60325,14182.420159,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+70312,7,2,2,73,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,1,4,NA,2,2,2,1,2,2,1,2,2,NA,17318.187297,23904.945555,2,90,2,2,0.73,1,1,0,0,1,2,73,2,1,4,NA
+70313,7,2,2,37,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,26465.930618,27183.288271,2,100,15,15,4.47,4,4,0,2,0,1,39,NA,NA,1,5
+70314,7,2,1,5,NA,3,3,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58618.419318,66135.507563,2,94,12,12,NA,5,5,1,1,0,1,37,1,4,1,3
+70315,7,2,2,5,NA,5,6,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4938.043177,5373.703942,1,91,5,5,0.89,4,4,2,0,0,1,39,1,4,1,5
+70316,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4667.634102,4955.769831,3,90,15,15,5,5,5,1,0,1,1,38,2,3,1,4
+70317,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,12813.519628,13398.278814,2,92,7,7,1.61,4,4,0,2,0,1,51,2,3,1,3
+70318,7,2,2,23,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,85402.868381,86166.428247,2,94,77,77,NA,2,2,0,0,0,2,23,1,3,6,NA
+70319,7,2,1,55,NA,5,6,1,NA,NA,2,NA,2,2,7,NA,1,4,NA,1,2,2,1,2,2,1,2,2,1,16499.662173,17012.89406,3,91,6,6,1.77,2,2,0,0,0,2,57,2,1,1,1
+70320,7,2,1,4,NA,2,2,1,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16288.754504,16020.386509,2,92,15,15,5,3,3,1,0,0,2,48,2,5,1,5
+70321,7,2,1,63,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,2,2,2,1,2,2,1,2,2,2,9115.676792,9431.98541,2,90,5,5,1.84,1,1,0,0,1,1,63,2,4,3,NA
+70322,7,2,1,16,NA,1,1,2,16,200,NA,NA,2,2,3,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,21633.039913,21721.097793,2,94,7,7,1.04,7,7,0,3,0,1,37,2,1,1,3
+70323,7,2,2,7,NA,4,4,2,7,89,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8757.841043,8910.615224,2,97,2,2,0.38,3,3,1,1,0,2,27,1,2,5,NA
+70324,7,2,2,14,NA,3,3,2,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,109773.944307,112955.590462,1,98,15,15,4.34,4,4,0,2,0,1,51,1,5,1,5
+70325,7,2,2,6,NA,1,1,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14679.337943,15307.210901,1,90,15,15,4.77,4,4,1,1,0,2,41,1,5,1,2
+70326,7,2,1,35,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,22188.836739,23952.480361,1,95,5,5,0.89,4,4,0,1,0,2,42,1,4,6,NA
+70327,7,2,2,62,NA,2,2,2,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,2,12121.359422,12627.249955,2,99,15,15,5,2,2,0,0,2,1,64,2,5,1,4
+70328,7,2,1,27,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,3,1,NA,2,2,2,1,2,2,1,2,2,2,35782.041084,36966.59793,2,96,1,1,0.06,5,5,2,1,0,1,27,2,3,1,4
+70329,7,2,2,60,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,9716.805546,12994.252166,2,90,3,3,0.46,5,5,0,2,2,1,75,2,1,1,2
+70330,7,2,1,77,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,8286.514589,8909.879599,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+70331,7,2,1,52,NA,1,1,1,NA,NA,2,NA,2,2,7,NA,1,1,NA,2,2,1,2,2,1,NA,NA,NA,NA,33162.406014,36437.864606,3,92,4,4,0.66,4,4,0,1,0,1,52,2,1,1,1
+70332,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,10676.164039,11456.797578,2,97,4,4,1.29,2,2,0,0,2,1,74,1,3,3,NA
+70333,7,2,2,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,48470.428632,49964.788237,1,98,15,15,5,5,5,0,1,1,2,55,1,5,1,5
+70334,7,2,1,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10229.206765,10406.656985,1,96,15,15,4.52,6,6,0,4,0,1,46,1,4,1,4
+70335,7,2,2,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,38954.135779,44674.189003,1,91,3,3,1.15,1,1,0,0,0,2,53,1,4,3,NA
+70336,7,2,2,74,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,2,2,2,NA,15730.58404,17568.357111,2,98,6,6,1.62,3,3,0,0,1,2,74,1,1,2,NA
+70337,7,2,1,38,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19788.748292,24506.181083,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+70338,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,42468.064168,42915.721814,2,101,6,6,1.16,4,4,0,3,0,2,36,1,4,4,NA
+70339,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,33248.548181,34134.900613,1,98,4,4,0.89,3,3,0,0,1,2,55,1,5,1,NA
+70340,7,2,2,16,NA,5,6,2,16,197,NA,NA,1,1,NA,8,NA,NA,NA,1,2,1,1,2,1,1,2,2,1,10767.566937,11540.84845,2,91,12,12,NA,7,6,0,4,2,2,72,2,1,2,NA
+70341,7,2,1,62,NA,5,6,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12579.986433,13271.133625,1,92,14,14,5,2,2,0,0,2,1,62,1,4,1,4
+70342,7,2,2,61,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,2,2,NA,1,2,1,1,2,1,1,2,1,3,11838.431472,12295.352662,2,92,7,7,1.89,3,3,0,0,1,1,36,2,3,5,NA
+70343,7,2,1,11,NA,5,6,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7179.084455,7651.500738,2,98,9,9,2.29,5,5,0,2,0,1,36,1,4,1,4
+70344,7,2,1,1,18,4,4,1,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6376.965739,6390.839385,2,100,3,3,0.31,7,7,3,2,0,2,28,1,3,1,3
+70345,7,2,1,5,NA,1,1,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14321.363328,13945.949794,2,96,77,77,NA,7,7,3,2,0,2,33,2,2,6,NA
+70346,7,2,2,11,NA,1,1,1,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16412.026403,2,98,14,14,2.87,5,5,0,3,0,2,34,1,2,1,2
+70347,7,2,1,70,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,10025.317761,10256.608873,2,103,15,15,5,3,3,0,0,1,2,55,1,4,1,5
+70348,7,2,2,9,NA,3,3,1,9,118,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22933.149195,23865.138008,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+70349,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,12535.973802,12972.182488,2,100,4,4,0.97,3,3,0,0,3,2,80,1,5,2,NA
+70350,7,2,2,18,NA,3,3,1,18,221,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,71832.578284,79011.982474,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+70351,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,38799.676345,43482.761402,1,94,6,6,2.24,1,1,0,0,1,2,80,1,4,2,NA
+70352,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,29167.119125,29652.805867,1,101,2,2,0.22,4,4,1,0,0,2,25,1,4,6,NA
+70353,7,2,1,6,NA,4,4,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8227.856305,9153.104022,3,91,1,1,0.07,6,6,2,3,0,2,30,1,2,3,NA
+70354,7,2,1,17,NA,4,4,2,17,207,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,8,8,2,4,4,1,2,0,2,40,1,4,5,NA
+70355,7,2,1,65,NA,5,6,2,NA,NA,2,NA,2,1,4,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,9963.081107,10271.419526,1,91,4,4,1.33,2,2,0,0,2,1,65,2,4,1,3
+70356,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,5,2,1,2,2,1,2,2,1,2,2,1,67534.233567,86418.733625,1,97,3,3,0.83,2,2,0,0,0,2,25,1,1,5,NA
+70357,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,12601.697316,12716.910215,1,91,15,15,5,6,6,0,2,2,1,50,2,5,1,5
+70358,7,2,2,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,154825.466557,155723.680504,1,91,8,8,4.41,1,1,0,0,0,2,44,1,4,3,NA
+70359,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,46965.818538,50603.721684,1,95,14,14,5,2,2,0,0,2,1,80,1,4,1,NA
+70360,7,2,2,8,NA,4,4,2,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8147.287486,8823.301862,2,90,5,5,1.63,2,2,0,1,0,2,38,2,3,5,NA
+70361,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,1,1,2,NA,50879.818001,58591.132961,1,101,6,6,1.31,3,3,0,0,1,2,80,1,1,2,NA
+70362,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,8308.628726,8679.600111,2,95,5,5,1.96,1,1,0,0,1,2,61,1,4,2,NA
+70363,7,2,2,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,122483.259869,124909.680309,3,91,15,15,5,2,2,0,0,2,2,62,1,5,1,5
+70364,7,2,1,73,NA,5,7,1,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11532.082424,12399.599956,2,103,12,12,NA,2,2,0,0,2,1,73,2,5,1,4
+70365,7,2,2,7,NA,5,6,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8290.163782,8692.019106,1,92,2,2,0.24,5,5,0,2,0,1,35,2,4,1,3
+70366,7,2,2,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,19693.606802,19976.427063,1,99,12,12,NA,2,2,0,0,0,1,28,1,5,5,NA
+70367,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,56938.907307,57514.428801,2,95,15,15,4.63,5,5,1,2,0,2,36,1,5,1,3
+70368,7,2,1,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19779.547388,20214.272069,2,96,15,15,5,3,3,0,1,0,1,55,1,5,1,4
+70369,7,2,2,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,60324.348827,64927.943097,1,95,4,4,0.97,3,3,2,0,0,2,22,1,4,5,NA
+70370,7,2,1,6,NA,4,4,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8439.71412,8914.772112,2,99,7,7,1.19,6,6,1,3,0,2,38,1,3,5,NA
+70371,7,2,2,2,NA,1,1,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11582.174418,12474.053558,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+70372,7,2,1,61,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,4,1,NA,2,2,2,1,2,2,1,2,2,1,11568.876339,11794.347884,1,102,77,77,NA,3,3,0,0,1,1,61,2,4,1,1
+70373,7,2,1,5,NA,1,1,2,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14505.510202,14676.996441,2,94,77,77,NA,5,5,1,1,0,1,41,2,2,1,2
+70374,7,2,1,4,NA,3,3,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,33334.752566,38103.457131,3,92,6,6,0.74,7,7,2,1,0,2,46,1,2,1,4
+70375,7,2,2,19,NA,1,1,1,19,231,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21062.314667,23105.758741,1,94,6,6,1.3,4,4,2,0,0,1,24,2,1,1,4
+70376,7,2,1,17,NA,1,1,1,17,215,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14432.845547,14415.592261,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+70377,7,2,1,3,NA,2,2,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12403.412256,12420.172189,2,90,2,2,0.49,3,3,2,0,0,2,26,1,4,1,NA
+70378,7,2,1,53,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,18681.278463,18953.419735,1,93,7,7,1.79,4,4,0,2,0,1,53,2,4,1,4
+70379,7,2,2,2,NA,2,2,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11443.671453,12634.120381,1,100,15,15,4.34,4,4,2,0,0,2,35,1,5,1,5
+70380,7,2,1,9,NA,4,4,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7730.47951,9212.541007,1,99,6,6,1.3,5,5,1,2,0,1,34,1,2,1,3
+70381,7,2,1,24,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,39031.957066,39638.562591,1,95,6,6,0.96,5,5,1,0,1,2,69,1,1,2,NA
+70382,7,2,1,1,22,1,1,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,10960.671575,11090.250219,2,96,4,4,0.69,5,5,2,0,0,2,57,2,1,4,NA
+70383,7,2,2,4,NA,3,3,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,67177.961189,74143.696839,1,98,9,9,2.6,4,4,1,1,0,2,35,1,2,1,NA
+70384,7,2,1,25,NA,4,4,1,NA,NA,2,NA,2,1,4,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,23484.626749,24110.252242,2,96,6,6,1.7,2,2,0,1,0,1,25,2,4,5,NA
+70385,7,2,2,57,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,15002.194143,18506.393496,3,90,7,2,0.77,2,1,0,0,0,1,44,1,2,6,NA
+70386,7,2,1,38,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17554.053699,17499.245836,1,96,2,2,0.73,1,1,0,0,0,1,38,1,3,5,NA
+70387,7,2,2,60,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,3,6,NA,2,2,2,2,2,2,2,2,2,2,15876.871857,17052.998921,2,102,14,7,3.67,2,1,0,0,2,1,65,2,3,6,NA
+70388,7,2,1,12,NA,3,3,2,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,56223.281913,55799.760014,1,99,14,14,4.86,3,3,0,1,0,1,56,1,5,1,5
+70389,7,2,2,56,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,3,4,NA,2,2,2,2,2,2,2,2,1,2,20734.495277,22784.232134,2,99,99,99,NA,4,1,0,0,0,2,42,2,4,5,NA
+70390,7,2,2,8,NA,1,1,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10118.363218,10311.586628,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+70391,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,27681.279,30792.259764,1,91,3,3,1.29,1,1,0,0,1,2,80,1,3,5,NA
+70392,7,2,1,0,10,2,2,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5610.286388,5712.081065,2,90,6,6,1.34,4,4,1,2,0,2,36,2,3,77,NA
+70393,7,2,1,9,NA,4,4,1,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9418.975084,9571.535533,2,93,5,5,1.04,4,4,1,1,0,1,29,1,3,6,NA
+70394,7,2,1,47,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13883.119445,13832.965705,1,103,15,15,5,1,1,0,0,0,1,47,1,5,5,NA
+70395,7,1,1,36,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,114168.79702,0,1,95,14,14,3.8,4,4,1,1,0,1,36,1,4,1,5
+70396,7,2,1,6,NA,5,7,1,6,77,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8930.369586,9194.254241,3,91,14,14,3.8,4,4,0,2,0,1,47,1,5,1,5
+70397,7,2,1,19,NA,1,1,1,19,234,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21898.969807,22012.999264,2,102,15,15,3.92,5,5,0,0,0,1,19,1,4,NA,NA
+70398,7,2,2,57,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,2,4,NA,2,2,2,1,2,2,1,2,2,NA,21097.069797,24201.517172,2,90,6,6,1.7,2,2,0,0,0,2,57,2,2,4,NA
+70399,7,2,1,24,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14379.41014,15757.242021,1,94,7,3,0.9,4,1,0,0,0,1,24,NA,NA,5,NA
+70400,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,18723.98095,17927.802584,2,101,7,7,1.3,5,5,2,0,1,2,50,1,4,1,3
+70401,7,2,1,47,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,14879.667962,15815.934168,3,91,15,15,5,3,3,0,1,0,1,47,2,5,1,5
+70402,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,8796.577101,9772.20689,2,95,5,5,1.32,2,2,0,0,2,1,80,1,3,1,3
+70403,7,2,1,13,NA,1,1,1,13,159,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,19242.904841,19537.039374,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+70404,7,2,2,7,NA,2,2,2,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20753.369981,21666.802981,1,97,5,5,1.04,4,4,1,1,0,1,32,1,3,6,NA
+70405,7,2,2,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,118611.064701,118209.809508,1,91,15,15,5,2,2,0,0,2,1,63,1,4,1,5
+70406,7,2,2,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,31454.59168,33587.963223,1,94,4,4,1,3,3,0,1,0,2,41,1,4,5,NA
+70407,7,1,2,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9492.170663,0,1,90,4,4,0.67,5,5,3,0,0,2,32,2,3,3,NA
+70408,7,2,1,33,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,20803.970543,21557.298406,1,93,14,14,5,2,2,0,0,1,1,33,2,5,5,NA
+70409,7,2,1,44,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,130374.456976,1,101,6,6,1.31,3,3,0,0,1,2,80,1,1,2,NA
+70410,7,2,1,6,NA,2,2,1,6,80,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9741.585979,9800.624884,2,103,12,2,0.59,5,2,0,1,0,2,47,NA,NA,3,NA
+70411,7,2,2,23,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,50915.06085,50693.303376,3,92,5,5,0.81,5,5,3,0,0,2,23,1,4,5,NA
+70412,7,2,1,14,NA,1,1,2,15,180,NA,NA,1,1,NA,10,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,20398.562455,21727.336109,2,94,6,6,1.34,4,4,0,2,0,1,37,2,4,1,2
+70413,7,2,1,51,NA,5,6,2,NA,NA,2,NA,2,1,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9889.944368,10305.962662,1,99,10,10,3.51,3,3,0,1,0,2,44,1,3,1,5
+70414,7,2,2,25,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,128171.594518,136210.394705,1,93,15,15,5,2,2,0,0,0,1,28,1,5,6,NA
+70415,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,52752.276869,57774.89643,1,98,12,12,NA,1,1,0,0,1,2,80,1,5,2,NA
+70416,7,2,1,25,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,4,5,NA,1,2,2,1,2,2,1,2,1,2,38474.772527,40200.135096,2,93,7,2,0.81,3,1,0,0,0,1,25,2,4,5,NA
+70417,7,2,1,80,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,2,2,2,1,2,2,1,2,2,NA,14200.083364,15006.095575,3,92,4,4,1.65,1,1,0,0,1,1,80,1,1,3,NA
+70418,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,47566.45715,0,1,90,6,6,2.86,1,1,0,0,1,2,80,1,4,5,NA
+70419,7,2,1,2,NA,2,2,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,2,2,1,NA,NA,NA,NA,10244.841997,10258.685193,1,96,5,5,0.94,4,4,2,0,0,1,32,2,3,1,4
+70420,7,2,2,55,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,2,NA,2,2,2,2,2,2,NA,NA,NA,NA,24004.6026,24129.784561,2,91,4,4,0.43,7,7,0,1,1,1,41,2,1,4,NA
+70421,7,2,2,51,NA,2,2,2,NA,NA,2,NA,2,2,7,NA,2,3,NA,1,2,2,1,2,2,1,2,2,2,17054.056149,20556.446647,2,90,8,8,2.7,3,3,0,1,0,2,31,1,5,4,NA
+70422,7,2,2,9,NA,2,2,2,9,114,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15148.721588,16989.423356,2,91,2,2,0.22,4,4,1,1,0,2,48,2,9,5,NA
+70423,7,2,1,52,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32461.799549,39033.401297,1,101,5,5,0.89,5,5,1,0,0,1,25,1,2,77,NA
+70424,7,2,1,28,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,1,2,2,1,2,2,1,41271.869706,41834.437137,1,96,9,9,3.97,2,2,0,0,0,1,28,2,2,6,NA
+70425,7,2,1,77,NA,3,3,2,NA,NA,1,2,2,1,9,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,63054.867183,67969.319596,1,90,8,8,3.3,2,2,0,0,2,1,77,2,2,1,5
+70426,7,2,1,66,NA,1,1,1,NA,NA,2,NA,2,1,8,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,14488.953694,14844.946966,3,92,8,8,1.85,5,5,1,0,2,1,66,2,1,1,1
+70427,7,2,2,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,75152.05379,75383.121447,2,92,15,15,5,2,2,0,0,0,1,37,1,5,1,5
+70428,7,2,2,0,4,3,3,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10025.884543,10365.226844,3,92,6,6,0.74,7,7,2,1,0,2,46,1,2,1,4
+70429,7,2,2,44,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,134587.275919,139488.984678,1,92,8,8,2.17,4,4,0,1,2,2,80,1,3,2,NA
+70430,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,97705.030285,101386.34066,2,94,14,14,4.71,3,3,1,0,0,1,35,1,5,1,5
+70431,7,2,2,20,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,2,5,2,1,2,2,2,2,2,1,2,2,1,32455.694722,32314.335903,2,103,5,5,0.65,6,6,1,0,1,2,61,2,1,2,NA
+70432,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,145772.192378,152604.524555,1,95,15,15,5,4,4,0,2,0,2,42,1,5,1,5
+70433,7,2,1,16,NA,1,1,1,16,199,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,22768.423624,22944.003607,2,98,14,14,2.87,5,5,0,3,0,2,34,1,2,1,2
+70434,7,2,2,0,2,3,3,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18869.566209,19997.704869,2,92,15,15,5,3,3,1,0,0,1,48,1,5,1,5
+70435,7,2,2,17,NA,2,2,1,17,214,2,NA,2,1,4,14,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,14984.257718,15414.270546,2,92,10,7,2.38,3,2,0,1,0,1,29,2,4,6,NA
+70436,7,2,2,8,NA,4,4,1,8,103,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11116.391625,11717.604707,2,98,6,6,1,5,5,2,1,0,2,31,1,4,6,NA
+70437,7,2,1,43,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,2,2,2,2,2,2,2,34153.424332,40514.279864,1,100,7,7,1.3,5,5,0,3,0,1,43,2,2,1,4
+70438,7,2,1,42,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,138834.18124,143254.613293,1,100,15,15,5,4,4,0,2,0,2,47,1,5,1,5
+70439,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,76027.409363,76707.146234,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+70440,7,2,1,14,NA,4,4,2,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10081.970102,10544.115448,2,99,4,4,0.78,4,4,0,2,0,2,45,1,3,5,NA
+70441,7,2,2,2,NA,2,2,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8134.473424,8243.872451,2,99,5,5,1.26,3,3,1,0,0,1,24,2,2,1,1
+70442,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,41309.21018,41341.432201,1,100,4,4,1.19,2,2,0,0,1,1,62,1,5,1,5
+70443,7,2,2,52,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,33018.025291,33777.066037,1,92,8,8,3.3,2,2,0,0,0,1,40,2,5,1,5
+70444,7,2,1,13,NA,1,1,1,13,160,NA,NA,2,2,3,6,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,27378.670648,27589.802811,2,96,3,3,0.95,2,2,0,1,0,2,38,2,3,3,NA
+70445,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,52814.190351,53378.216173,1,98,12,12,NA,2,2,0,0,2,1,65,1,4,1,3
+70446,7,2,2,45,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,4,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,31235.666551,31398.557894,3,92,6,6,1,6,6,1,1,0,1,42,2,1,1,4
+70447,7,2,1,29,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,23484.626749,23642.328802,2,96,14,14,4.26,3,3,0,0,0,1,20,1,4,5,NA
+70448,7,2,1,29,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,3,4,NA,2,2,2,1,2,2,2,2,2,2,40078.999044,48909.175469,3,91,6,6,0.89,7,7,1,1,0,1,59,2,1,1,1
+70449,7,2,2,12,NA,2,2,1,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20128.183753,21457.209224,2,100,14,14,3.58,4,4,0,2,0,2,40,NA,NA,1,4
+70450,7,2,1,15,NA,3,3,1,15,190,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,63633.689496,63154.346062,2,100,10,10,3.13,4,4,0,2,0,1,45,1,4,1,4
+70451,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,17286.767396,17743.751095,2,100,2,2,0.38,3,3,0,2,0,2,35,1,4,5,NA
+70452,7,2,1,17,NA,5,6,2,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,6232.587755,6841.667882,1,91,7,7,1.57,4,4,0,3,0,2,38,2,2,3,NA
+70453,7,2,2,1,22,4,4,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8221.160724,9187.103228,1,100,8,8,2.36,3,3,1,0,1,2,60,1,3,3,NA
+70454,7,2,2,2,NA,2,2,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8200.025088,8716.981559,1,93,14,8,2.01,5,4,1,0,0,2,22,2,1,6,NA
+70455,7,2,1,69,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,4526.005699,5855.572964,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+70456,7,2,1,0,4,1,1,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7594.427215,7594.567194,1,98,15,15,5,3,3,1,0,0,1,38,1,4,1,5
+70457,7,2,2,40,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,1,1,2,1,1,2,2,3,16797.688743,17484.356971,3,91,15,15,5,3,3,0,1,0,2,40,2,5,1,5
+70458,7,2,2,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,26465.930618,26765.106529,2,100,10,10,2.33,6,6,0,2,2,2,35,1,2,5,NA
+70459,7,2,2,4,NA,4,4,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9727.363166,10466.751274,2,97,6,6,1.02,6,6,1,2,0,1,37,1,3,1,3
+70460,7,2,2,5,NA,4,4,2,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9156.613403,9392.96113,2,99,7,5,1.59,3,2,1,0,0,2,23,1,4,5,NA
+70461,7,1,2,5,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13196.707564,0,2,96,3,3,0.24,7,7,2,3,1,2,40,1,3,3,NA
+70462,7,2,1,8,NA,2,2,2,8,107,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13232.943476,13442.347662,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+70463,7,2,2,7,NA,3,3,2,8,96,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,35359.674949,35088.43355,1,99,10,10,2.48,5,5,2,1,0,1,33,1,5,1,5
+70464,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,11523.037911,11803.949722,2,97,4,4,1.65,1,1,0,0,1,2,60,1,4,5,NA
+70465,7,2,1,4,NA,5,6,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9239.758777,10363.400393,2,91,14,14,3.47,4,4,1,1,0,2,40,2,5,1,NA
+70466,7,2,2,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,1,1,2,2,1,2,2,NA,NA,NA,NA,43813.24867,46530.283453,1,98,1,1,0.16,3,3,1,0,0,1,28,1,2,6,NA
+70467,7,2,1,12,NA,2,2,2,12,146,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21399.234084,21768.65302,1,91,15,15,5,4,4,0,2,0,1,49,1,5,1,5
+70468,7,2,2,0,8,5,7,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5820.770257,5884.32621,1,95,2,2,0.47,3,3,2,0,0,2,24,1,4,5,NA
+70469,7,2,2,0,4,2,2,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4807.611315,4659.866106,1,103,4,4,0.54,7,7,2,2,0,2,35,2,1,6,NA
+70470,7,2,2,43,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,15552.65085,16188.423507,2,92,15,15,5,3,3,0,1,0,1,45,2,4,1,4
+70471,7,2,2,16,NA,5,7,2,16,198,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,12440.215685,2,95,6,6,1.31,3,3,0,1,0,1,39,1,3,1,4
+70472,7,2,1,12,NA,3,3,2,13,157,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20152.417898,19887.568869,2,94,7,7,1.18,7,7,1,4,0,2,31,1,4,6,NA
+70473,7,2,2,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,126117.5094,130777.186989,2,98,10,10,3.78,3,3,0,0,0,1,53,1,3,1,4
+70474,7,2,1,44,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,18116.816149,22904.074887,2,90,8,8,3.4,2,2,0,0,0,1,44,1,3,6,NA
+70475,7,2,1,16,NA,5,6,2,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,6269.080236,6655.935643,1,93,NA,NA,NA,3,3,0,1,0,1,53,NA,NA,1,NA
+70476,7,2,1,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16905.961576,20936.167849,2,94,7,7,1.62,5,5,0,3,0,1,30,1,2,1,9
+70477,7,2,1,9,NA,2,2,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15353.368573,15360.170072,1,97,7,7,1.74,4,4,0,3,0,2,32,1,4,5,NA
+70478,7,2,2,34,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,17430.913214,17550.603029,1,90,15,15,5,2,2,0,0,0,2,34,2,5,1,5
+70479,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,17397.027021,18573.153951,3,91,2,2,0.73,1,1,0,0,0,2,25,2,4,5,NA
+70480,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,136832.42119,141624.96623,2,91,15,15,5,2,2,0,0,1,2,60,1,5,1,5
+70481,7,2,1,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,32946.178621,33458.203523,2,96,3,3,0.53,5,5,3,0,0,2,26,1,4,1,4
+70482,7,2,1,17,NA,5,7,2,17,207,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11712.675291,11995.185902,3,91,15,15,4.47,4,4,0,1,2,2,79,1,4,3,NA
+70483,7,2,1,20,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15740.336751,16168.874324,2,91,10,10,2.59,5,5,0,1,0,1,48,NA,NA,6,NA
+70484,7,2,2,19,NA,1,1,2,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19557.287652,19933.266032,2,94,5,5,1.08,3,3,0,1,0,2,37,2,2,4,NA
+70485,7,2,1,34,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14790.183811,15030.369455,3,90,14,14,4.71,3,3,0,0,2,1,64,NA,NA,1,NA
+70486,7,2,1,10,NA,2,2,2,10,130,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13285.093011,13365.60735,2,94,2,2,0.41,2,2,0,1,1,2,66,2,3,5,NA
+70487,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,12935.870815,12581.846775,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+70488,7,2,2,6,NA,4,4,2,6,83,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,1,2,NA,NA,NA,NA,7814.742747,7984.793423,2,95,2,2,0.26,4,4,0,2,0,2,44,NA,NA,5,NA
+70489,7,2,1,40,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,5,1,NA,2,2,2,1,2,2,2,2,1,2,36225.654087,36329.951191,2,93,7,7,1.83,3,3,1,0,0,1,40,2,5,1,4
+70490,7,1,1,43,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,140932.152825,0,1,97,15,15,5,5,5,2,0,1,1,43,1,5,1,5
+70491,7,2,2,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8833.042831,8971.325329,1,99,4,4,0.53,7,7,3,1,0,2,26,1,1,5,NA
+70492,7,2,2,0,0,4,4,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3516.231705,3777.543312,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+70493,7,2,1,52,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,19541.667675,20187.705923,2,95,2,2,0.67,1,1,0,0,0,1,52,1,2,5,NA
+70494,7,2,1,25,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,44831.646235,2,98,7,7,1.97,4,4,0,1,0,1,40,1,3,1,3
+70495,7,2,1,68,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26026.192556,26360.023593,1,94,3,3,0.86,2,2,0,0,2,1,68,1,4,1,2
+70496,7,1,2,30,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,39483.840194,0,2,102,14,14,4.86,3,3,1,0,0,1,30,1,5,1,5
+70497,7,2,2,3,NA,4,4,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,10437.988787,11664.396755,2,100,NA,NA,NA,4,4,1,0,0,2,38,NA,NA,77,NA
+70498,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,98514.948291,98181.677236,1,99,10,10,4.89,2,2,0,0,2,2,63,1,5,5,NA
+70499,7,2,2,47,NA,1,1,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,2,2,2,2,2,2,1,2,2,2,23968.560941,24093.554947,2,90,6,6,1.15,5,5,0,2,0,2,47,2,1,1,5
+70500,7,2,1,15,NA,1,1,1,15,183,NA,NA,1,1,NA,9,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,24902.864049,25283.513039,1,94,8,8,1.85,5,5,0,2,0,1,44,2,1,6,NA
+70501,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105873.555835,106383.882408,1,98,15,15,5,5,5,0,1,0,1,53,1,5,1,5
+70502,7,2,1,71,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,NA,48254.793439,51076.634961,2,100,14,10,5,2,1,0,0,2,1,71,1,2,6,NA
+70503,7,2,2,18,NA,4,4,1,18,224,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,99,1,0.09,4,1,0,0,0,2,18,1,4,NA,NA
+70504,7,2,1,59,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,19671.580166,20292.088214,2,99,7,7,2.31,2,2,0,0,1,1,62,1,3,5,NA
+70505,7,2,2,40,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,3,1,2,2,2,2,2,2,2,1,2,2,2,23968.560941,24556.443674,2,90,99,99,NA,5,5,1,1,0,2,40,2,3,1,1
+70506,7,2,2,9,NA,4,4,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9153.600624,9398.485171,1,100,8,8,1.61,6,6,1,3,0,1,29,1,5,6,NA
+70507,7,2,2,80,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,19066.820866,21138.377975,2,99,6,6,2.69,1,1,0,0,1,2,80,2,3,5,NA
+70508,7,1,1,0,3,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6246.568228,0,2,95,9,9,1.81,6,6,1,1,0,2,56,1,4,3,NA
+70509,7,2,1,8,NA,2,2,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13395.612951,13472.514863,2,102,15,12,NA,5,4,0,3,0,1,42,2,4,6,NA
+70510,7,2,1,6,NA,5,6,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6905.911299,7686.337387,2,90,4,4,0.81,3,3,0,1,0,2,41,2,2,6,NA
+70511,7,2,1,36,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17643.563124,18510.507534,3,91,15,15,5,4,4,2,0,0,1,36,2,5,1,5
+70512,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,2,1,2,2,1,2,2,1,2,2,3,16929.836231,20416.10433,2,101,5,3,0.92,2,1,0,0,0,2,20,NA,NA,5,NA
+70513,7,1,1,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15682.233511,0,1,101,6,6,1.78,2,2,0,0,2,1,80,1,2,1,1
+70514,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,52160.006964,54246.901852,1,100,4,1,0,3,1,0,0,0,1,22,1,4,6,NA
+70515,7,1,1,5,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7843.21745,0,1,96,12,12,NA,5,5,2,0,1,2,63,2,5,3,NA
+70516,7,2,1,11,NA,4,4,2,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12176.538896,12609.8265,2,97,3,3,0.46,5,5,0,3,0,1,40,1,2,1,3
+70517,7,2,1,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19440.793325,20264.695737,2,95,14,14,3.47,4,4,0,0,0,2,45,1,4,1,4
+70518,7,2,2,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,7032.269464,7566.800387,2,99,3,3,0.44,5,5,1,1,0,2,53,1,4,1,3
+70519,7,2,1,5,NA,5,6,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8981.553859,10073.795326,3,91,15,15,5,4,4,2,0,0,1,36,2,5,1,5
+70520,7,2,1,67,NA,1,1,1,NA,NA,1,1,2,1,8,NA,3,1,NA,1,2,2,1,2,2,2,2,2,2,11992.012141,12562.386395,2,102,5,5,1.36,2,2,0,0,2,2,66,2,2,1,3
+70521,7,2,1,53,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19084.761772,19687.829911,1,91,15,15,5,4,4,0,2,0,2,52,1,5,1,5
+70522,7,2,2,21,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,41953.42893,43056.968872,2,99,4,1,0.08,4,1,0,0,0,2,21,NA,NA,5,NA
+70523,7,2,1,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,86986.68246,93900.677523,2,94,14,14,3.36,4,4,2,0,0,1,31,1,3,1,5
+70524,7,2,1,0,6,3,3,2,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17113.022485,16817.175522,1,91,15,15,5,3,3,1,0,0,1,41,1,5,1,5
+70525,7,2,1,63,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,7410.50521,7700.344649,2,96,2,2,0.71,1,1,0,0,1,1,63,1,3,3,NA
+70526,7,2,2,10,NA,5,7,1,10,131,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8063.227462,8462.212273,3,91,14,14,3.8,4,4,0,2,0,1,47,1,5,1,5
+70527,7,2,1,63,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,1,2,2,1,1,2,2,2,9235.951997,9462.879133,2,103,7,7,1.89,3,3,0,0,1,1,63,2,2,1,9
+70528,7,2,1,15,NA,4,4,1,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19163.050164,19302.61536,2,102,8,8,3.1,2,2,0,1,0,1,40,1,4,3,NA
+70529,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,36244.629058,37702.525304,1,98,3,3,0.73,2,2,0,0,0,1,49,1,2,1,2
+70530,7,2,2,1,17,4,4,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6765.566493,7560.484444,2,103,6,6,1.3,4,4,1,1,0,2,26,1,4,1,3
+70531,7,2,1,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,30152.053647,30985.296608,2,101,10,10,3.89,3,3,0,1,0,2,49,1,4,1,3
+70532,7,2,2,9,NA,1,1,1,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20495.125801,21365.773499,3,92,8,8,1.55,6,6,1,3,0,2,38,1,5,1,4
+70533,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,196284.082305,1,91,7,7,3.31,1,1,0,0,0,2,51,1,5,3,NA
+70534,7,2,2,48,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,2,6,NA,2,2,2,NA,NA,NA,2,2,2,2,46417.079566,59177.283457,1,97,NA,NA,NA,2,1,0,0,0,1,30,NA,NA,6,NA
+70535,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,28813.038041,29206.765831,1,94,5,5,0.87,4,4,0,1,0,1,40,1,5,1,5
+70536,7,2,1,30,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,18838.303827,25198.281368,2,93,6,6,1.95,2,2,0,1,0,1,30,1,4,5,NA
+70537,7,2,1,26,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37326.925742,39362.952436,2,91,6,77,NA,4,1,0,0,0,1,25,NA,NA,5,NA
+70538,7,2,2,11,NA,1,1,1,11,134,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,19059.339877,19554.022514,1,95,4,4,0.68,5,5,0,1,0,2,38,2,3,4,NA
+70539,7,1,1,22,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,13205.475858,0,1,102,1,1,0,2,1,0,0,0,1,18,NA,NA,NA,NA
+70540,7,2,1,18,NA,3,3,1,18,227,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,105662.708061,105798.100528,1,94,12,12,NA,2,2,0,0,0,1,18,1,3,NA,NA
+70541,7,2,2,13,NA,2,2,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19836.724169,20587.964512,1,98,4,4,0.75,4,4,0,1,0,2,48,1,2,1,3
+70542,7,2,2,14,NA,4,4,2,14,177,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11956.705842,11923.015236,1,96,15,15,5,5,5,0,3,0,2,47,1,5,1,5
+70543,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,1,2,NA,11684.182359,12558.119387,2,98,6,6,1.35,3,3,0,0,2,1,79,NA,NA,1,2
+70544,7,2,1,77,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,7608.031426,7606.53553,1,99,6,6,1.34,4,4,0,1,1,1,77,1,3,1,5
+70545,7,2,1,31,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32856.012738,39257.112915,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+70546,7,2,2,0,8,4,4,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4418.651245,4866.131244,2,95,3,3,0.43,4,4,2,0,0,2,23,1,2,5,NA
+70547,7,2,2,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,23204.787354,24686.898455,1,98,3,3,0.43,4,4,0,1,0,2,39,1,2,5,NA
+70548,7,2,1,34,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,3,4,NA,2,2,2,1,2,2,2,2,2,2,54095.173154,53686.899782,1,92,7,7,1.48,5,5,0,1,0,1,42,1,5,1,4
+70549,7,2,2,4,NA,1,1,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12468.876716,13254.955592,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+70550,7,2,1,76,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,14073.595908,14398.283636,1,92,14,14,5,3,3,0,0,2,1,76,1,4,1,4
+70551,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13209.159597,13903.918018,2,95,3,3,0.52,3,3,1,0,0,1,37,1,4,1,4
+70552,7,2,1,3,NA,4,4,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9969.040341,10992.497123,2,97,4,4,0.84,3,3,1,0,1,2,68,1,4,2,NA
+70553,7,1,1,2,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6347.215153,0,2,95,1,1,0.09,7,7,2,4,1,2,60,1,3,5,NA
+70554,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,71034.153987,74518.988514,1,98,15,15,5,4,4,1,1,0,1,40,1,4,1,5
+70555,7,2,2,22,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,16239.242782,17706.77205,2,101,12,12,NA,4,4,0,0,0,1,57,NA,NA,1,NA
+70556,7,2,1,2,NA,4,4,2,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5125.369941,5513.229844,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+70557,7,2,1,1,22,4,4,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5547.430651,5776.651218,1,96,8,8,1.61,6,6,3,0,0,1,33,2,5,1,4
+70558,7,2,1,14,NA,4,4,2,14,172,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,6,6,1.21,4,4,0,2,0,2,41,1,4,4,NA
+70559,7,2,2,1,22,4,4,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8221.160724,8586.221973,1,100,1,1,0,4,4,1,2,0,2,35,1,2,5,NA
+70560,7,1,1,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7843.21745,0,1,96,12,12,NA,5,5,2,0,1,2,63,2,5,3,NA
+70561,7,2,1,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,18533.049642,19320.837782,1,99,14,14,4.21,4,4,0,2,0,2,44,1,5,1,5
+70562,7,2,1,52,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,1,2,2,1,20958.247774,21169.083688,2,103,3,1,0.36,2,1,0,0,1,1,52,1,2,6,NA
+70563,7,2,1,0,6,5,7,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6395.296043,7073.813977,2,95,4,4,0.79,3,3,1,0,0,1,50,1,4,6,NA
+70564,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,8796.577101,9772.20689,2,95,3,3,1.03,1,1,0,0,1,1,80,1,3,2,NA
+70565,7,2,2,76,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,18693.365067,19341.691824,1,92,7,7,3.58,1,1,0,0,1,2,76,1,4,3,NA
+70566,7,2,2,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,28033.589927,29297.386717,2,95,2,2,0.26,3,3,0,2,0,2,31,1,3,5,NA
+70567,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,28280.669788,30348.532296,1,99,13,13,NA,2,2,0,0,2,1,80,1,2,1,3
+70568,7,2,1,67,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,8561.661692,8628.633702,2,99,99,99,NA,3,3,0,1,1,1,67,1,4,2,NA
+70569,7,2,1,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22570.662508,23265.895325,1,95,12,12,NA,6,6,2,0,0,2,42,1,2,1,5
+70570,7,2,1,62,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,8621.533452,8958.738589,2,99,7,7,2.31,2,2,0,0,1,1,62,1,3,5,NA
+70571,7,2,1,0,11,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5707.173345,6119.621796,1,90,2,2,0.22,5,5,1,1,2,1,44,2,4,5,NA
+70572,7,2,2,2,NA,2,2,2,2,25,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10806.348349,11487.615985,2,91,99,99,NA,6,6,1,3,0,2,20,2,2,5,NA
+70573,7,2,1,24,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,59473.789098,60284.462735,3,92,7,7,2.78,2,2,0,0,0,1,24,1,3,5,NA
+70574,7,2,2,36,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,42468.064168,44382.588967,2,101,1,1,0.27,3,3,0,2,0,2,36,1,3,5,NA
+70575,7,2,2,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,149804.257477,155051.140087,1,97,9,9,4.92,1,1,0,0,1,2,69,1,4,3,NA
+70576,7,1,1,31,NA,5,6,NA,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19091.246741,0,1,91,9,9,2.97,3,3,1,0,0,1,31,2,5,1,5
+70577,7,2,2,80,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,4,77,NA,1,2,1,1,2,1,1,2,1,NA,14314.616082,14811.078253,2,92,77,77,NA,1,1,0,0,1,2,80,2,4,77,NA
+70578,7,2,1,16,NA,4,4,2,16,194,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12721.673656,12746.825446,2,97,7,7,2.65,2,2,0,1,1,2,61,1,4,3,NA
+70579,7,2,2,4,NA,3,3,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,85219.527381,94056.007225,1,97,15,15,5,4,4,1,1,0,2,33,1,5,1,3
+70580,7,2,1,58,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,19581.573846,19613.097963,1,90,6,6,2.12,2,2,0,0,0,2,55,1,3,1,3
+70581,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,128226.88751,129797.060324,1,95,7,7,2.86,2,2,0,0,1,1,59,1,2,1,2
+70582,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,4,6,2,2,2,2,2,2,2,2,2,2,2,35464.8385,35311.584148,2,96,5,5,0.89,4,4,1,1,0,2,36,2,4,6,NA
+70583,7,2,1,14,NA,2,2,1,14,170,NA,NA,2,2,4,8,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,22721.243258,22896.459408,2,102,8,8,1.09,7,7,1,3,0,2,33,2,1,6,NA
+70584,7,2,2,36,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20039.469886,21581.359058,1,97,15,15,5,4,4,2,0,0,1,40,2,5,1,5
+70585,7,2,1,5,NA,5,7,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6138.820061,6435.022409,1,99,14,14,3.94,4,4,1,1,0,1,43,1,4,1,5
+70586,7,2,2,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,24905.670199,25753.835465,2,101,10,10,2.91,4,4,0,1,0,2,51,1,2,5,NA
+70587,7,2,2,50,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,2,5,NA,2,2,2,2,2,2,NA,NA,NA,NA,17054.056149,17142.991601,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+70588,7,2,1,0,8,4,4,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5836.706781,6455.960401,2,93,12,12,NA,4,4,1,1,0,2,27,2,4,1,4
+70589,7,2,2,10,NA,4,4,2,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7889.400564,8100.464206,2,99,99,99,NA,3,3,0,1,1,1,67,1,4,2,NA
+70590,7,2,2,51,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,27551.607232,31605.843936,1,90,12,9,5,2,1,0,0,0,2,51,1,3,3,NA
+70591,7,1,2,65,NA,2,2,NA,NA,NA,2,NA,2,1,8,NA,1,3,NA,2,2,2,2,2,2,NA,NA,NA,NA,9716.805546,0,2,90,4,4,1.65,1,1,0,0,1,2,65,2,1,3,NA
+70592,7,2,1,2,NA,4,4,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7561.636249,7792.598574,2,98,2,2,0.31,4,4,2,1,0,2,27,1,2,4,NA
+70593,7,2,1,80,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,7608.031426,7725.81565,1,99,5,5,1.84,1,1,0,0,1,1,80,1,3,2,NA
+70594,7,2,2,3,NA,4,4,1,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11729.417673,12620.984256,2,96,7,7,1.49,5,5,2,1,0,1,51,1,5,1,3
+70595,7,2,2,60,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,13057.178942,13648.591881,1,102,77,77,NA,6,6,0,2,1,2,37,1,4,1,4
+70596,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,85420.170155,89610.762168,1,91,15,15,5,3,3,1,0,0,1,36,1,4,1,5
+70597,7,2,2,49,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,35126.205635,35814.074718,1,95,6,6,0.96,5,5,1,0,1,2,69,1,1,2,NA
+70598,7,2,2,28,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,12426.473257,13266.565637,2,92,15,14,5,2,1,0,0,0,1,27,1,5,6,NA
+70599,7,2,1,54,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,36134.528328,36424.033955,2,101,6,6,2.04,2,2,0,0,0,2,51,1,5,1,4
+70600,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,2,7,NA,1,2,NA,2,2,2,1,2,2,2,2,2,NA,18142.687884,20262.262283,2,93,5,5,1.07,3,3,0,0,1,2,44,2,1,1,1
+70601,7,2,1,0,2,1,1,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,9064.168162,9064.335231,3,92,3,3,0.48,4,4,2,0,0,1,21,2,1,1,2
+70602,7,2,2,10,NA,3,3,2,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60197.256541,63931.531988,2,91,15,15,5,4,4,0,2,0,1,53,1,5,1,4
+70603,7,2,1,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,127000.852889,130891.431194,2,92,15,15,5,2,1,0,0,0,1,57,1,5,6,NA
+70604,7,2,1,39,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,13855.593765,14267.864487,2,92,15,15,5,3,3,1,0,0,1,39,2,5,1,5
+70605,7,2,1,56,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20020.224623,20868.683381,1,96,15,15,5,4,4,0,1,0,1,56,1,4,1,5
+70606,7,2,1,80,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,16325.758272,16610.353254,2,93,8,8,2.17,4,4,0,0,3,1,80,2,2,1,2
+70607,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19870.689174,19814.851418,1,96,15,15,5,4,4,0,2,0,1,46,1,5,1,5
+70608,7,1,2,68,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,54217.266426,0,1,101,4,4,0.99,2,2,0,0,2,1,77,1,3,1,3
+70609,7,2,2,1,23,1,1,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8832.868731,9513.039058,1,102,13,13,NA,7,7,3,1,2,2,62,2,1,1,2
+70610,7,2,2,1,21,1,1,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11414.885224,11453.86318,1,94,4,4,0.5,7,7,2,3,0,2,32,1,4,6,NA
+70611,7,2,2,12,NA,3,3,2,12,150,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,101168.631125,108085.531312,1,99,6,6,1.52,4,4,0,2,0,2,43,1,3,5,NA
+70612,7,2,2,5,NA,2,2,1,5,60,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13647.772496,14082.018801,2,93,7,7,1.99,3,3,1,1,0,2,38,1,3,4,NA
+70613,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,1,1,NA,1,2,1,1,2,2,1,2,1,3,12649.084278,13204.362319,3,90,8,3,1.25,3,1,0,0,1,2,68,2,2,4,NA
+70614,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,1,1,2,2,1,2,2,1,2,2,1,22225.098465,28674.927734,2,97,2,2,0.34,2,2,1,0,0,2,20,1,3,5,NA
+70615,7,2,1,8,NA,1,1,2,8,106,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,10591.186197,11123.758959,1,90,6,6,1.11,5,5,1,2,0,1,30,2,1,6,NA
+70616,7,2,1,17,NA,5,6,2,17,214,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8869.170018,9434.816848,1,90,99,99,NA,3,3,0,1,1,1,60,1,5,1,5
+70617,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,21857.756498,23340.233721,2,97,5,5,1.08,3,3,0,1,0,2,45,1,4,6,NA
+70618,7,2,1,13,NA,1,1,1,13,161,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,22768.423624,23297.239555,2,98,5,5,1.07,4,4,0,1,0,1,53,2,1,1,1
+70619,7,2,2,4,NA,1,1,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,16462.187772,17163.602129,3,92,12,12,NA,6,6,1,3,0,2,33,1,5,1,4
+70620,7,2,1,9,NA,1,1,2,9,113,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12477.812875,12364.493687,2,94,14,14,4.03,4,4,0,2,0,2,33,2,2,1,NA
+70621,7,2,1,10,NA,5,7,1,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9375.648038,9390.261055,1,102,6,6,2.11,2,2,0,1,0,2,32,1,4,99,NA
+70622,7,2,1,50,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,32274.162059,31800.588482,1,102,14,14,4.59,3,3,0,0,1,2,46,1,4,1,1
+70623,7,2,1,54,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,33691.382998,1,101,5,5,1.24,3,3,0,0,1,2,61,1,4,1,3
+70624,7,2,1,42,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,44926.921381,45636.571752,2,96,10,10,3.78,3,3,0,1,0,1,42,1,3,1,3
+70625,7,2,2,0,7,1,1,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5289.715679,5503.176989,1,90,3,3,0.23,7,7,3,1,1,2,35,2,2,5,NA
+70626,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,13076.210481,13450.719873,2,97,5,5,0.84,5,5,0,2,0,2,33,1,4,1,3
+70627,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,15497.844354,15606.405341,1,99,14,14,4.05,3,3,0,1,0,2,52,1,4,4,NA
+70628,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,47566.45715,54102.989916,1,90,7,7,3.22,1,1,0,0,1,2,80,1,4,2,NA
+70629,7,2,2,28,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,16131.725974,16820.579069,1,99,14,7,3.4,2,1,0,0,0,2,28,2,5,1,NA
+70630,7,2,1,11,NA,5,7,2,11,142,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,28060.491868,29807.930767,1,91,4,4,0.76,4,4,0,2,0,2,44,1,4,6,NA
+70631,7,1,1,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,46965.818538,0,1,101,10,10,4.3,2,2,0,0,2,1,80,1,2,1,4
+70632,7,2,2,0,0,3,3,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22123.758463,21522.828051,1,95,7,7,1.57,4,4,1,1,0,1,37,1,3,1,5
+70633,7,2,1,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,123771.419917,127885.04228,2,98,15,15,5,3,3,0,1,0,1,56,1,5,1,5
+70634,7,2,2,9,NA,1,1,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16664.698857,2,98,7,7,1.33,6,6,0,3,0,1,31,1,3,6,NA
+70635,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,129999.035519,131590.908764,1,98,12,12,NA,2,2,0,0,2,1,70,1,2,1,3
+70636,7,2,1,12,NA,3,3,2,12,147,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,93665.036597,95017.313859,1,91,10,10,2.77,5,5,0,3,0,1,43,1,5,1,5
+70637,7,2,1,8,NA,4,4,2,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8483.005475,8584.70346,1,96,7,7,1.52,4,4,0,2,0,2,30,2,4,1,5
+70638,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,32720.69734,34178.98356,1,95,5,5,1.08,3,3,0,1,0,1,53,1,4,1,4
+70639,7,2,2,34,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,2,2,2,2,1,2,2,1,2,2,2,40536.844796,42064.124353,3,91,7,7,1.42,6,6,1,3,0,1,37,2,1,1,1
+70640,7,2,1,6,NA,5,7,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11522.32071,1,97,15,15,4.77,4,4,1,1,0,1,41,2,4,1,5
+70641,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,7233.371983,2,95,2,2,0.75,1,1,0,0,1,1,63,1,1,5,NA
+70642,7,2,1,12,NA,3,3,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30943.024697,30709.935341,1,95,6,6,0.81,6,6,2,2,0,1,30,1,3,1,4
+70643,7,2,1,7,NA,3,3,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39769.597728,42234.385729,2,92,15,15,5,5,5,0,3,0,2,46,1,5,1,5
+70644,7,2,1,41,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,130826.463813,1,101,9,9,2.6,4,4,0,2,0,2,38,1,4,1,4
+70645,7,2,1,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11543.27965,11681.665542,1,98,1,1,0.03,3,3,0,2,0,2,38,1,4,5,NA
+70646,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,54095.581484,61529.339683,2,94,14,14,5,1,1,0,0,1,2,80,1,4,2,NA
+70647,7,2,2,38,NA,5,7,1,NA,NA,1,2,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,58826.425292,59007.297053,1,102,8,8,1.91,5,5,1,2,0,2,38,1,5,1,4
+70648,7,2,1,9,NA,1,1,1,9,113,NA,NA,1,1,NA,2,NA,NA,NA,2,NA,2,1,2,2,1,2,2,1,13395.612951,13714.015605,2,102,4,4,0.61,5,5,0,3,0,1,34,2,3,1,3
+70649,7,2,1,63,NA,2,2,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,9745.303498,9901.410815,2,98,15,15,4.56,4,4,0,0,3,1,80,1,1,1,NA
+70650,7,2,1,2,NA,3,3,2,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,43818.485,49437.664471,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+70651,7,2,2,3,NA,5,7,1,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10292.958129,10862.428258,3,91,10,10,2.48,5,5,2,1,0,2,27,1,2,1,4
+70652,7,2,2,16,NA,3,3,2,16,199,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,31716.869763,32155.152073,1,95,NA,NA,NA,2,2,0,1,0,2,51,NA,NA,3,NA
+70653,7,2,1,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,137286.989143,140204.788291,3,91,14,14,5,1,1,0,0,0,1,43,1,5,5,NA
+70654,7,2,2,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,52280.406546,52747.829022,1,95,6,4,1.47,2,1,0,0,0,2,28,1,2,6,NA
+70655,7,2,2,17,NA,3,3,2,17,206,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,103298.858809,106172.653059,1,95,9,9,2.66,4,4,0,2,0,1,45,1,3,1,3
+70656,7,2,2,2,NA,1,1,1,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12260.86913,13033.834526,3,92,8,8,1.85,5,5,1,0,2,1,66,2,1,1,1
+70657,7,2,1,0,8,3,3,2,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,22595.741117,22205.109866,1,93,15,15,5,3,2,1,0,0,2,35,1,5,6,NA
+70658,7,2,1,16,NA,1,1,1,16,200,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,27186.265479,27776.842846,1,92,14,9,3.77,3,2,0,1,0,2,39,2,4,6,NA
+70659,7,2,2,0,5,1,1,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,6787.112205,7238.162123,2,94,99,99,NA,3,3,1,0,0,2,18,2,2,NA,NA
+70660,7,2,2,19,NA,1,1,1,19,230,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12996.753859,13369.730018,2,103,10,10,1.63,7,7,1,4,0,1,31,NA,NA,1,4
+70661,7,2,2,65,NA,2,2,1,NA,NA,2,NA,2,1,2,NA,4,1,NA,2,2,2,1,2,2,2,2,2,2,15876.871857,16539.500436,2,102,15,15,5,3,3,0,0,2,1,36,2,5,5,NA
+70662,7,2,1,11,NA,3,3,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,42986.51011,47590.55439,2,94,7,7,1.17,6,6,0,3,0,1,40,1,3,1,5
+70663,7,2,2,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,3,3,1,2,2,1,2,2,1,2,2,1,23740.353448,26106.078779,2,99,6,6,2.6,1,1,0,0,0,2,29,1,5,3,NA
+70664,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,39561.827371,40611.330327,1,92,4,4,1.16,2,2,0,0,1,1,56,1,2,1,3
+70665,7,2,2,13,NA,4,4,2,13,164,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14241.099758,14200.972378,1,96,15,15,5,3,3,0,1,0,2,37,1,4,1,4
+70666,7,2,2,3,NA,1,1,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16462.187772,17500.018071,3,92,3,3,0.52,5,5,2,1,0,2,29,2,1,1,3
+70667,7,2,1,5,NA,3,3,1,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,73403.03993,82816.073154,1,92,8,8,1.45,6,6,1,3,0,1,36,1,3,1,4
+70668,7,2,2,41,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,1,1,2,2,2,2,2,2,2,NA,NA,NA,NA,37512.060155,37707.682357,1,92,6,6,0.93,5,5,0,2,0,1,47,2,1,1,1
+70669,7,2,2,3,NA,1,1,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13366.393396,14756.857003,2,94,8,8,2.33,4,4,2,0,0,1,24,1,2,6,NA
+70670,7,2,2,56,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,20130.149569,20235.126587,1,90,10,10,2.44,5,5,1,0,0,2,56,2,1,1,1
+70671,7,2,2,5,NA,4,4,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10683.855206,11939.151167,1,96,15,15,5,4,4,1,1,0,1,50,1,3,1,4
+70672,7,2,2,1,19,2,2,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9534.013652,9566.569071,2,97,12,6,0.89,7,7,3,0,0,2,26,2,1,6,NA
+70673,7,2,2,14,NA,5,7,2,14,173,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13124.737024,13189.842246,2,97,5,5,1.19,3,3,0,1,0,2,41,1,3,1,2
+70674,7,2,1,67,NA,3,3,2,NA,NA,2,NA,2,2,6,NA,5,2,NA,1,2,2,1,2,1,1,2,2,NA,21313.15842,21908.589414,2,90,2,2,0.87,1,1,0,0,1,1,67,2,5,2,NA
+70675,7,2,1,65,NA,5,6,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12579.986433,13271.133625,1,92,14,14,5,2,2,0,0,2,2,62,1,4,1,4
+70676,7,2,2,75,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,44856.466004,46390.551109,2,94,10,10,4.69,2,2,0,0,1,2,59,1,3,3,NA
+70677,7,2,1,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,11977.649578,12533.694613,2,92,15,14,5,3,1,0,0,0,1,29,1,5,5,NA
+70678,7,2,1,21,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,37235.048974,39044.599947,2,93,6,6,1.48,4,4,0,1,0,1,53,2,2,1,3
+70679,7,2,1,4,NA,3,3,2,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,97310.423154,111231.170223,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+70680,7,2,2,2,NA,4,4,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,6543.852411,7133.732612,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+70681,7,2,1,61,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,125558.167126,127168.668278,3,91,15,15,5,2,2,0,0,2,2,62,1,5,1,5
+70682,7,2,2,22,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,24654.107413,23441.410215,1,100,10,10,2.59,5,5,0,1,0,2,40,1,5,1,NA
+70683,7,2,2,0,1,1,1,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9767.083234,9561.595244,3,92,8,8,2.51,3,3,1,0,0,2,25,1,4,5,NA
+70684,7,2,1,58,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,13189.987508,14124.702096,1,90,77,77,NA,4,4,0,2,0,2,51,1,5,1,5
+70685,7,2,2,5,NA,2,2,2,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13474.744062,14324.236113,1,93,5,5,0.84,5,5,1,2,0,2,52,2,1,3,NA
+70686,7,2,2,48,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,29010.447112,28477.291441,1,100,15,15,5,2,2,0,0,1,2,48,1,5,5,NA
+70687,7,2,1,59,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,169076.731628,169683.640829,1,98,14,14,5,1,1,0,0,0,1,59,1,5,2,NA
+70688,7,2,2,13,NA,4,4,1,13,163,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16598.888685,16325.283055,2,102,4,4,0.53,6,6,2,2,0,2,27,1,2,1,2
+70689,7,2,1,56,NA,5,6,2,NA,NA,2,NA,2,2,99,NA,5,5,NA,1,2,1,1,2,1,1,2,1,3,11690.444016,11682.423918,3,90,77,77,NA,4,4,0,0,2,1,69,2,5,2,NA
+70690,7,2,2,13,NA,5,6,1,13,160,NA,NA,2,1,3,6,NA,NA,NA,1,1,2,1,2,1,1,2,2,NA,8878.081187,9740.503961,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+70691,7,2,2,14,NA,4,4,1,14,172,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15114.677795,15072.08892,2,102,6,6,1.22,5,5,0,2,0,2,42,1,4,1,4
+70692,7,2,1,3,NA,4,4,2,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,10259.663981,2,97,4,4,0.81,4,4,1,0,0,2,51,1,2,4,NA
+70693,7,2,1,5,NA,3,3,2,5,71,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,31190.854587,36547.404966,1,95,3,3,0.65,3,3,1,0,0,1,58,1,3,3,NA
+70694,7,2,1,8,NA,5,6,2,8,106,NA,NA,2,2,2,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,7923.925927,8546.646915,1,91,10,10,3.22,4,4,1,1,0,1,38,2,5,1,5
+70695,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,4,2,2,1,2,2,1,2,2,NA,NA,NA,NA,20039.469886,21176.851739,1,97,8,8,2.51,3,3,0,2,0,2,39,2,4,2,NA
+70696,7,2,2,47,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,3,1,NA,2,2,2,2,2,2,2,2,1,2,29105.053716,31982.273564,2,93,4,4,0.82,4,4,0,0,0,1,51,2,3,1,3
+70697,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,82917.179795,86800.065133,2,95,7,7,2.91,2,2,1,0,0,1,32,1,5,2,NA
+70698,7,2,1,1,16,5,6,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8674.760516,9729.693026,3,91,10,10,3.67,3,3,1,0,0,2,30,2,4,1,4
+70699,7,2,1,0,7,2,2,1,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4724.065742,4677.378988,2,93,77,77,NA,7,7,3,0,1,2,40,2,4,1,NA
+70700,7,2,1,0,2,2,2,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4854.394074,4994.155976,2,93,3,3,0.37,5,5,3,0,0,1,28,2,1,6,NA
+70701,7,2,1,24,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14782.636003,15547.771991,3,91,10,9,5,2,1,0,0,0,1,24,1,4,5,NA
+70702,7,2,1,26,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27681.749998,28652.049948,2,98,8,8,1.48,7,7,3,0,0,1,26,1,3,1,3
+70703,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,166234.629208,1,95,8,8,3.47,2,2,0,0,0,1,58,1,2,1,4
+70704,7,2,2,35,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,36453.846815,42702.950408,1,102,14,14,2.83,6,6,1,2,0,1,36,1,2,1,3
+70705,7,2,2,0,3,5,7,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5820.770257,5884.32621,1,95,1,1,0.13,3,3,1,0,0,1,31,1,4,1,4
+70706,7,2,2,48,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,1,1,NA,2,2,2,1,2,2,1,2,2,2,34639.996543,34820.641178,1,102,77,77,NA,3,3,0,0,1,1,61,2,4,1,1
+70707,7,2,2,10,NA,5,7,2,11,132,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8746.306586,9472.024073,1,91,3,3,0.66,4,4,1,2,0,2,33,1,3,5,NA
+70708,7,2,1,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,173139.914798,178954.334223,1,101,7,7,2.64,2,2,0,0,0,1,57,1,2,1,2
+70709,7,2,1,9,NA,4,4,2,9,111,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8988.052978,9133.633722,2,95,8,8,1.85,5,5,1,2,0,1,55,1,2,1,3
+70710,7,2,2,57,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,29087.427528,30575.794656,1,101,3,3,1.07,3,1,0,1,0,2,57,1,4,3,NA
+70711,7,2,2,12,NA,5,7,2,12,151,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,47404.963472,48778.930863,1,97,8,8,2.51,3,3,0,1,0,1,35,1,3,1,4
+70712,7,2,1,2,NA,5,6,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10123.286306,10611.741928,1,100,10,10,3.04,4,4,2,0,0,1,30,2,5,1,5
+70713,7,2,2,30,NA,5,6,2,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,15109.988743,16272.590756,1,90,6,6,0.92,6,6,2,0,2,2,30,2,5,1,5
+70714,7,2,2,1,21,5,6,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4576.510691,4795.397917,1,102,15,15,3.82,5,5,1,1,0,1,29,1,4,1,4
+70715,7,2,2,79,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,53541.401974,54113.194007,1,99,14,14,5,2,2,0,0,2,2,79,1,3,1,5
+70716,7,2,2,43,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,99538.625493,103163.851943,1,103,15,15,5,3,3,0,1,0,1,46,1,5,1,5
+70717,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,24480.331443,26311.37682,2,101,6,6,2.04,2,2,0,0,2,1,77,1,1,1,2
+70718,7,2,1,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,13555.672819,14397.395601,1,94,4,4,1.43,1,1,0,0,1,1,75,1,4,3,NA
+70719,7,1,1,12,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,58479.782556,0,1,99,77,77,NA,4,4,0,2,0,2,45,1,3,1,NA
+70720,7,2,2,7,NA,5,6,2,7,86,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8371.948513,8981.698617,1,90,15,15,5,3,3,0,1,0,2,34,2,5,1,5
+70721,7,2,2,79,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,2,2,2,2,2,1,NA,18241.877822,19614.829564,2,93,9,9,3.64,2,2,0,0,2,2,79,2,2,1,4
+70722,7,2,2,5,NA,4,4,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10936.097083,11421.715282,2,95,1,1,0.18,4,4,2,1,0,2,38,1,2,5,NA
+70723,7,2,1,32,NA,3,3,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,86204.990126,88673.945369,2,103,14,14,5,2,2,0,0,0,1,32,2,5,1,NA
+70724,7,2,1,5,NA,2,2,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,15527.966893,15272.133376,1,90,9,9,2.6,4,4,1,1,0,1,41,1,5,1,4
+70725,7,2,2,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11173.849134,11672.749546,2,93,10,10,3.93,3,3,0,0,2,1,54,1,5,1,5
+70726,7,2,1,5,NA,4,4,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9310.029529,9330.284312,1,97,4,4,0.46,7,7,3,3,0,2,31,1,3,1,NA
+70727,7,2,2,44,NA,4,4,2,NA,NA,2,NA,2,1,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,18488.34481,18123.036332,2,99,15,15,4.34,4,4,0,0,0,1,59,2,4,1,5
+70728,7,2,2,42,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,2,1,2,2,1,2,2,NA,NA,NA,NA,24056.374863,24201.045855,2,99,1,1,0,1,1,0,0,0,2,42,1,3,5,NA
+70729,7,2,1,80,NA,5,7,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,26344.362464,28384.957988,2,95,7,7,2.55,2,2,0,0,2,1,80,1,4,1,2
+70730,7,2,1,55,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,1,1,2,1,1,2,2,2,33162.406014,36437.864606,2,98,7,7,2.25,3,3,0,1,0,2,51,2,1,1,1
+70731,7,2,1,6,NA,5,6,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8580.826574,9087.233306,1,92,14,14,2.42,6,6,1,3,0,1,30,1,4,6,NA
+70732,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,157061.455656,156201.940202,1,90,7,7,1.89,3,3,0,0,1,2,75,1,4,3,NA
+70733,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,10634.832821,11430.282078,2,95,3,3,0.92,1,1,0,0,1,2,80,1,1,2,NA
+70734,7,2,1,7,NA,3,3,1,7,92,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50961.223155,56419.394274,1,94,15,15,5,6,6,0,4,0,1,38,1,5,1,4
+70735,7,2,2,80,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,10072.885959,10826.303506,2,100,3,3,1.1,1,1,0,0,1,2,80,1,2,2,NA
+70736,7,2,2,32,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,31816.953817,32705.969127,1,91,15,15,5,3,3,0,0,1,1,63,2,5,1,5
+70737,7,2,1,28,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,4,5,NA,2,2,2,2,2,2,2,2,1,2,38474.772527,40200.135096,2,93,NA,1,0.22,4,1,0,0,0,1,28,NA,NA,4,NA
+70738,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,1,1,2,1,2,1,1,2,2,1,2,1,NA,18229.985416,18267.209527,1,93,7,7,1.64,5,5,0,2,0,1,47,2,5,1,1
+70739,7,2,1,63,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,22641.791224,22854.140555,1,101,5,5,0.71,6,6,1,1,1,1,63,1,2,1,5
+70740,7,2,2,7,NA,4,4,2,7,91,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9795.701448,10340.670956,1,96,13,13,NA,5,5,1,1,0,1,42,1,3,5,NA
+70741,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,18723.98095,18120.118724,2,95,7,7,1.74,4,4,0,2,0,2,47,1,5,4,NA
+70742,7,2,1,10,NA,2,2,2,10,124,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11316.846999,12445.832216,3,91,13,4,0.81,4,3,0,2,0,1,57,NA,NA,1,NA
+70743,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,105376.658808,1,98,5,5,1.39,2,2,0,1,0,1,46,1,4,3,NA
+70744,7,1,2,65,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,10135.841003,0,2,99,2,2,0.67,1,1,0,0,1,2,65,1,2,5,NA
+70745,7,2,1,51,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,17206.320427,18234.571296,2,100,4,4,0.91,3,3,0,0,0,2,49,1,2,1,2
+70746,7,2,1,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,16589.308426,20972.932517,2,90,8,NA,NA,2,1,0,0,0,1,51,1,2,5,NA
+70747,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,14359.447628,16592.595881,1,97,3,3,1.16,1,1,0,0,1,1,80,1,3,2,NA
+70748,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,31335.13799,31552.004994,1,95,7,7,1.66,5,5,0,3,0,1,34,1,2,1,4
+70749,7,2,1,2,NA,2,2,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8571.222647,8842.539637,2,93,14,14,3.52,5,5,1,2,0,1,44,1,5,1,5
+70750,7,2,2,26,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16844.740449,17564.040518,3,91,1,1,0.11,1,1,0,0,0,2,26,1,5,5,NA
+70751,7,2,1,27,NA,1,1,1,NA,NA,2,NA,2,7,3,NA,3,4,NA,2,2,2,2,2,2,1,2,2,2,35210.641637,36376.282426,1,100,8,3,0.9,6,1,1,0,0,1,33,2,3,6,NA
+70752,7,1,1,40,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,18872.772727,0,1,91,6,6,1.13,6,6,1,3,0,1,40,1,4,6,NA
+70753,7,2,1,30,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,1,2,2,2,2,2,2,37657.076964,37372.8671,1,90,6,6,1.11,5,5,1,2,0,1,30,2,1,6,NA
+70754,7,2,2,15,NA,3,3,1,15,184,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,77001.138762,80653.195108,1,98,9,9,2.88,6,3,1,3,0,1,51,1,2,1,3
+70755,7,2,1,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,141736.66089,144209.560558,1,92,10,10,3.4,3,3,0,0,0,1,56,1,4,1,5
+70756,7,2,1,78,NA,3,3,2,NA,NA,2,NA,2,2,3,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,12786.51051,14057.405205,1,93,2,2,0.41,2,2,0,0,2,2,68,2,1,1,1
+70757,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,74874.432638,77018.874888,2,99,15,15,5,2,2,0,0,0,2,35,2,5,1,5
+70758,7,2,1,21,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,41120.308343,45563.612914,1,93,5,5,1.36,2,2,0,0,0,2,41,2,1,4,NA
+70759,7,2,1,41,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,1,4,NA,2,2,2,1,2,2,2,2,2,2,41410.39303,40802.759347,1,101,12,7,3.58,3,1,0,0,0,1,41,2,1,4,NA
+70760,7,2,1,7,NA,5,6,2,7,87,NA,NA,2,1,2,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6681.315407,7240.00549,3,91,15,15,4.33,7,6,1,3,0,2,40,1,5,1,5
+70761,7,2,1,46,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,4,1,NA,2,2,2,1,2,2,2,2,1,2,33629.261806,33135.804229,2,103,12,8,4.48,2,1,0,0,0,1,46,2,4,1,NA
+70762,7,2,2,34,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,23408.914544,24510.72255,2,90,7,7,1.61,4,4,1,1,0,2,34,1,5,1,5
+70763,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,54095.581484,61529.339683,2,91,6,6,1.88,2,2,0,0,1,2,80,1,5,2,NA
+70764,7,1,2,2,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,34597.213785,0,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+70765,7,2,2,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,44238.530111,44780.242841,1,95,6,6,2.04,2,2,0,0,2,2,67,1,1,2,NA
+70766,7,2,2,45,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16354.688935,16518.054061,2,90,9,9,3.02,3,3,0,0,2,2,70,1,4,1,2
+70767,7,2,2,18,NA,1,1,2,19,228,2,NA,2,2,4,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19850.979841,20551.555585,1,97,3,3,0.5,5,5,0,2,0,1,56,2,2,6,NA
+70768,7,2,2,9,NA,3,3,2,9,113,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,73410.202745,74807.098361,2,91,15,15,5,5,5,2,1,0,2,40,1,5,1,5
+70769,7,2,2,21,NA,1,1,1,NA,NA,2,NA,2,2,6,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,40653.73216,40476.667284,1,102,5,5,0.86,5,5,2,0,0,2,21,2,2,5,NA
+70770,7,2,1,7,NA,1,1,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18107.947773,18211.90239,1,97,10,10,2.32,6,6,0,4,0,1,42,1,4,1,4
+70771,7,2,1,17,NA,5,6,2,17,213,2,NA,2,1,5,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8434.080857,8971.979116,1,91,77,77,NA,4,4,0,2,0,1,50,2,5,1,5
+70772,7,2,1,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,50383.817476,53512.338469,1,94,15,15,5,2,2,0,0,1,2,56,1,3,1,4
+70773,7,2,2,33,NA,2,2,1,NA,NA,2,NA,2,1,5,NA,5,1,1,1,2,2,1,2,2,1,2,2,1,38161.026403,38068.87516,1,100,10,10,2.91,4,4,1,1,0,1,32,1,5,1,5
+70774,7,2,2,49,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18811.641937,19081.796284,2,90,3,3,0.95,2,2,0,1,0,2,49,1,3,5,NA
+70775,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,4,NA,5,1,NA,1,2,2,1,2,2,1,2,2,2,7807.558918,8078.476616,3,90,77,77,NA,2,2,0,0,1,1,60,2,5,1,5
+70776,7,2,1,60,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,1,1,2,1,1,2,1,NA,13133.86792,13808.275718,2,102,15,15,3.82,5,5,0,1,2,1,60,2,2,1,1
+70777,7,2,2,0,10,5,7,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8582.213422,8500.433306,2,94,77,77,NA,4,4,2,0,0,2,23,1,2,6,NA
+70778,7,2,2,3,NA,3,3,2,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,54402.653374,57814.771756,1,98,15,15,3.7,5,5,2,1,0,1,34,1,5,1,5
+70779,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,32785.873783,35446.092694,1,94,6,6,1.82,2,2,0,0,2,1,80,1,4,1,3
+70780,7,2,2,11,NA,3,3,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49777.284509,49627.739683,1,98,15,15,5,5,5,0,3,0,2,44,1,5,1,5
+70781,7,2,1,19,NA,1,1,1,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20638.769105,20614.097145,2,92,15,15,3.37,7,7,0,4,0,1,42,2,3,1,1
+70782,7,2,1,64,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,138075.879417,141933.339512,2,94,15,15,5,2,2,0,0,2,1,64,1,5,1,5
+70783,7,2,2,37,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,13027.332011,13925.626381,2,103,15,15,5,3,3,0,1,0,2,37,2,5,1,5
+70784,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,196995.351093,203724.329642,1,91,15,15,5,2,2,0,0,0,1,53,1,5,1,5
+70785,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,20434.221508,19874.985431,1,102,1,1,0,5,5,0,3,0,2,41,1,4,1,4
+70786,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,153565.050575,157855.235487,1,97,15,15,5,4,4,0,0,1,1,60,1,5,1,5
+70787,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,164066.603708,163511.57474,1,95,7,7,2.86,2,2,0,0,1,1,58,1,4,1,3
+70788,7,2,1,34,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11793.151047,11949.568707,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+70789,7,2,1,5,NA,3,3,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,27873.065855,31447.442273,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+70790,7,2,1,49,NA,3,3,2,NA,NA,2,NA,2,2,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,120278.381994,2,91,15,15,5,4,4,0,2,0,2,48,1,5,1,5
+70791,7,2,2,45,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20303.639991,21936.687597,1,97,15,15,5,3,3,0,1,0,2,45,2,5,1,5
+70792,7,2,1,30,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,6,NA,2,2,2,2,2,2,NA,NA,NA,NA,27605.196104,27396.850962,2,99,12,3,0.52,5,3,0,1,0,1,30,2,2,4,NA
+70793,7,2,1,66,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,100988.137931,101524.74706,1,99,9,9,4.35,2,2,0,0,1,1,66,1,2,1,3
+70794,7,2,2,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,9518.80186,10328.183799,2,100,3,3,0.68,2,2,0,0,2,1,66,1,2,1,2
+70795,7,2,1,12,NA,4,4,1,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11429.628358,11541.555232,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+70796,7,2,2,10,NA,5,6,1,10,125,NA,NA,2,2,2,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8281.624869,8692.694009,2,102,9,9,2.68,4,4,1,1,0,2,38,2,5,1,2
+70797,7,2,2,33,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,16614.865368,17760.536638,3,91,15,15,5,4,4,2,0,0,2,33,2,5,1,5
+70798,7,2,2,53,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,15693.813435,15736.327271,2,100,5,5,0.95,4,4,0,0,1,2,53,1,3,5,NA
+70799,7,2,2,4,NA,5,7,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7143.995395,7774.277146,3,91,15,15,4.47,4,4,2,0,0,1,33,1,5,1,5
+70800,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,NA,NA,NA,1,2,2,1,23484.626749,23642.328802,2,96,NA,NA,NA,3,3,0,0,0,2,50,NA,NA,1,NA
+70801,7,2,2,28,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,103632.167909,110131.87866,2,99,14,14,5,2,2,0,0,0,2,28,1,5,1,5
+70802,7,2,2,5,NA,3,3,1,5,67,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21760.206232,23124.999952,1,98,2,2,0.36,5,5,3,0,0,1,25,1,3,1,3
+70803,7,2,1,7,NA,3,3,1,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15279.821652,15716.743409,1,102,5,1,0.21,5,4,1,1,0,2,24,1,4,5,NA
+70804,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12037.168211,11707.739526,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+70805,7,2,2,55,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12649.084278,13109.186175,3,90,77,77,NA,4,4,0,0,0,1,59,2,2,1,2
+70806,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,126334.218747,127212.680922,1,95,9,9,3.24,3,3,0,0,0,2,42,1,4,3,NA
+70807,7,2,2,22,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,46606.430863,46728.795934,2,102,14,14,3.25,5,5,2,0,0,1,27,1,5,1,5
+70808,7,2,1,77,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,7225.866295,7367.404674,1,96,15,15,5,4,4,0,0,2,1,77,1,5,1,3
+70809,7,2,1,0,1,5,7,1,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9289.230808,9431.807424,2,102,6,6,1.65,3,3,1,0,0,2,21,1,4,1,5
+70810,7,2,2,3,NA,5,6,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,4735.146545,5152.906676,3,90,5,5,0.93,4,4,1,0,0,1,48,2,4,1,NA
+70811,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,2,1,2,2,NA,NA,NA,NA,14138.631841,14167.501749,3,92,8,8,0.91,7,7,3,3,1,1,61,NA,NA,1,4
+70812,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25645.251384,25046.202404,1,92,14,14,4.96,2,2,0,0,0,1,25,1,4,5,NA
+70813,7,2,2,7,NA,2,2,1,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15992.05837,16407.130123,2,93,7,7,1.99,3,3,1,1,0,2,38,1,3,4,NA
+70814,7,2,2,7,NA,3,3,1,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,48532.852397,48387.04619,1,98,14,14,4.12,4,4,0,2,0,2,36,1,5,1,3
+70815,7,1,2,9,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6758.20346,0,2,103,1,1,0.04,2,2,0,1,0,2,28,1,4,5,NA
+70816,7,2,2,30,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,26465.930618,26276.815338,2,100,5,5,0.88,5,5,2,1,0,2,30,1,4,6,NA
+70817,7,2,2,21,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,32537.532358,33640.063825,2,90,8,8,2.01,4,4,0,0,1,2,67,2,4,2,NA
+70818,7,2,1,0,1,2,2,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4997.17037,5277.406032,2,93,15,15,4.84,6,6,1,0,0,1,50,1,4,1,2
+70819,7,2,2,0,2,5,6,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9150.459338,9253.718962,1,97,15,15,4.34,4,4,2,0,0,1,35,2,5,1,5
+70820,7,2,2,13,NA,2,2,2,13,160,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20099.773776,21058.707597,1,90,15,15,5,3,3,0,1,0,1,55,2,3,1,5
+70821,7,2,1,63,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,112072.982256,113124.075015,2,98,14,14,5,2,2,0,0,1,1,63,1,4,1,4
+70822,7,2,2,0,3,4,4,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3484.44779,3522.493854,2,99,1,1,0.03,3,3,1,0,0,2,19,1,3,NA,NA
+70823,7,2,1,9,NA,4,4,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10103.729975,10224.857915,1,96,15,15,5,4,4,0,2,0,2,39,1,4,6,NA
+70824,7,2,1,10,NA,1,1,1,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8828.580268,8822.70874,1,103,7,7,0.51,7,7,3,4,0,1,54,2,1,1,1
+70825,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,129971.22201,129637.352703,1,93,15,15,5,1,1,0,0,0,1,47,1,5,3,NA
+70826,7,2,1,60,NA,1,1,1,NA,NA,2,NA,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14488.953694,14771.336069,3,92,8,8,2.97,2,2,0,0,2,2,62,1,4,1,4
+70827,7,2,1,7,NA,3,3,2,8,96,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,23729.905536,29042.69522,1,101,3,3,0.61,4,4,1,2,0,1,38,1,2,4,NA
+70828,7,2,1,26,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,94547.245282,96016.627954,2,94,77,77,NA,2,2,0,0,0,2,23,1,3,6,NA
+70829,7,2,2,13,NA,4,4,1,13,159,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18163.985724,21329.621847,2,101,9,9,2.46,4,4,0,2,0,1,42,1,3,1,3
+70830,7,2,2,0,10,4,4,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4484.450821,4755.264461,1,91,6,6,0.99,5,5,3,0,0,2,33,2,3,1,4
+70831,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,2,1,2,1,1,2,1,1,2,2,1,19005.010125,19718.036027,1,92,12,12,NA,4,4,1,1,0,1,33,2,4,1,4
+70832,7,2,2,31,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,3,1,2,2,1,2,2,1,2,2,1,53830.599426,56471.452044,1,99,5,5,0.89,4,4,2,0,0,2,31,1,4,1,5
+70833,7,2,2,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,36053.766709,36629.803511,1,100,5,5,1.05,3,3,1,0,0,2,35,1,4,6,NA
+70834,7,2,1,9,NA,3,3,2,9,115,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,53956.99815,55499.881764,1,93,15,15,5,4,4,0,2,0,2,42,1,5,1,NA
+70835,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,20439.261207,20630.95379,2,95,4,2,0.81,2,1,0,0,1,1,62,1,5,3,NA
+70836,7,2,1,6,NA,1,1,1,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19735.224235,20204.314213,2,102,6,6,1.35,3,3,0,1,0,1,37,2,1,1,3
+70837,7,2,1,60,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,1,NA,2,2,2,1,2,2,2,2,2,2,8489.547987,8893.33507,2,96,5,5,0.89,5,4,0,0,1,1,22,2,3,6,NA
+70838,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,6,6,1.67,3,3,0,0,0,2,22,1,4,5,NA
+70839,7,2,2,13,NA,3,3,2,13,167,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,132630.209478,133894.993306,1,97,8,8,2.72,3,3,0,2,0,2,43,1,1,3,NA
+70840,7,2,2,10,NA,4,4,1,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12474.59761,12808.328162,1,100,3,3,0.43,4,4,0,2,0,1,35,1,4,1,3
+70841,7,2,1,11,NA,3,3,2,11,142,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21147.476454,21752.181979,1,95,1,1,0.12,3,3,0,2,0,2,40,1,5,3,NA
+70842,7,2,1,32,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,16945.481829,17170.237079,1,99,77,77,NA,1,1,0,0,0,1,32,2,5,5,NA
+70843,7,2,2,0,11,3,3,2,NA,13,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8383.207272,8554.601009,1,91,12,1,0.07,6,1,1,1,0,2,29,1,4,6,NA
+70844,7,2,1,19,NA,4,4,2,19,235,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10817.360862,11313.215634,2,99,99,99,NA,5,5,0,2,0,2,20,1,3,6,NA
+70845,7,2,2,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,1,1,2,2,1,2,2,1,2,2,1,20000.263815,19016.481945,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+70846,7,2,1,9,NA,2,2,2,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,11807.210833,12400.930816,1,90,7,7,2.1,3,3,0,2,0,2,37,1,3,5,NA
+70847,7,2,2,19,NA,4,4,2,19,232,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11711.384457,11743.959438,2,95,3,3,0.43,4,4,2,0,0,2,23,1,2,5,NA
+70848,7,2,1,80,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,6994.319065,7352.726651,2,99,3,3,0.9,1,1,0,0,1,1,80,1,3,2,NA
+70849,7,2,2,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,37102.230755,38432.724809,2,101,5,2,0.73,2,1,0,0,1,2,49,1,3,6,NA
+70850,7,2,2,28,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,17858.942687,20013.475913,1,97,14,14,4.5,3,3,1,0,0,1,30,1,5,1,5
+70851,7,2,1,36,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,73127.351507,77018.309866,1,103,9,9,3.64,2,2,0,0,0,1,36,1,5,1,5
+70852,7,2,1,14,NA,4,4,1,14,179,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10879.348751,11378.044973,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+70853,7,2,2,19,NA,4,4,1,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12531.903464,12935.738352,2,100,5,5,1.07,4,4,0,1,0,2,36,1,3,5,NA
+70854,7,1,2,53,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,16033.091438,0,1,96,8,8,2.62,3,3,0,0,0,2,53,1,4,4,NA
+70855,7,2,1,9,NA,1,1,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14820.807433,15173.085782,2,102,7,7,1.53,5,5,1,2,0,1,36,1,2,1,3
+70856,7,2,1,1,16,4,4,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,11283.202594,2,97,1,1,0.13,4,4,2,0,1,2,62,1,2,4,NA
+70857,7,2,1,9,NA,3,3,1,9,119,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,26240.82746,27691.552263,1,94,4,4,0.56,5,5,1,2,0,1,34,1,2,3,NA
+70858,7,2,2,9,NA,3,3,2,10,120,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,58907.362493,59749.51689,1,91,10,10,2.77,5,5,0,3,0,1,43,1,5,1,5
+70859,7,2,2,0,6,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4581.358327,4715.327587,2,100,6,6,1.34,4,4,1,2,0,2,31,1,4,5,NA
+70860,7,2,2,44,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,2,1,2,1,2,2,1,2,2,NA,NA,NA,NA,19075.861607,19725.492117,1,96,7,7,1.69,4,4,0,1,0,2,19,2,4,NA,NA
+70861,7,2,2,16,NA,2,2,2,16,201,NA,NA,2,2,2,10,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,17848.732433,20206.102312,2,91,99,99,NA,6,6,1,3,0,2,20,2,2,5,NA
+70862,7,2,1,75,NA,5,6,2,NA,NA,2,NA,2,1,9,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,10818.545624,11805.931644,3,90,4,4,0.99,2,2,0,0,2,1,75,2,4,1,NA
+70863,7,2,2,77,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,3,NA,1,2,1,1,2,1,1,2,1,NA,11462.813869,11819.991623,1,93,2,2,0.87,1,1,0,0,1,2,77,2,4,3,NA
+70864,7,2,1,1,12,2,2,2,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12567.081957,13464.72134,1,97,5,5,1.04,4,4,1,1,0,1,32,1,3,6,NA
+70865,7,2,1,45,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,116464.874823,119757.87667,2,94,9,9,3.35,3,3,0,0,1,2,52,1,2,1,3
+70866,7,2,2,16,NA,3,3,2,16,203,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,80091.55101,82618.226829,1,101,14,14,3.9,4,4,0,2,0,2,41,1,2,1,2
+70867,7,2,2,29,NA,1,1,2,NA,NA,2,NA,2,1,3,NA,4,6,1,2,2,2,2,2,2,2,2,2,2,39426.061521,39404.861746,2,94,7,7,1.34,5,5,2,1,0,1,32,2,1,1,NA
+70868,7,2,1,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,32980.717958,32895.997285,1,95,4,4,1.21,2,2,0,0,0,1,46,1,2,1,2
+70869,7,2,1,38,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,1,2,2,1,2,2,2,37715.365512,45063.17837,2,102,7,7,1.04,7,7,1,2,0,2,37,2,1,1,2
+70870,7,2,1,7,NA,3,3,2,7,86,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,46228.073505,47549.950918,2,94,15,15,4.59,4,4,1,1,0,2,37,1,5,1,5
+70871,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11565.978374,12485.281365,1,99,6,6,1.12,4,4,0,2,0,1,39,1,3,1,3
+70872,7,1,2,23,NA,5,6,NA,NA,NA,2,NA,2,2,3,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,16844.740449,0,3,91,7,7,3.9,2,1,0,0,0,2,21,NA,NA,5,NA
+70873,7,2,2,6,NA,1,1,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16371.237244,2,98,14,14,3.25,5,5,2,1,0,1,37,1,5,1,5
+70874,7,2,1,73,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,6725.306794,7069.929472,2,99,7,7,1.52,4,4,0,0,2,1,73,1,3,2,NA
+70875,7,2,1,15,NA,3,3,1,15,191,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71757.969058,71552.342229,1,98,10,10,2.2,6,6,1,3,0,2,31,1,4,6,NA
+70876,7,2,1,3,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9090.947573,10024.256259,1,90,6,6,1.57,3,3,1,0,0,2,25,1,3,6,NA
+70877,7,2,1,56,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,2,2,2,2,2,2,2,22157.736644,21832.606015,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+70878,7,2,1,25,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,19163.076248,19068.627285,2,97,7,7,2.38,2,2,0,0,0,1,25,1,2,1,2
+70879,7,2,2,10,NA,5,6,2,10,122,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,9620.269705,10600.850342,2,91,6,6,1.57,3,3,0,1,0,1,41,2,3,1,3
+70880,7,2,2,0,1,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8114.787453,8336.925581,1,94,6,6,0.87,6,6,2,2,0,2,24,1,4,6,NA
+70881,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,112935.983109,114691.149811,1,102,10,10,4.76,2,2,0,0,0,1,23,1,5,5,NA
+70882,7,2,2,8,NA,4,4,1,8,98,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12120.418061,12942.575479,2,101,6,6,0.96,5,5,0,4,0,2,36,1,4,4,NA
+70883,7,2,1,31,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,19117.284298,19849.243802,2,95,8,8,2.97,2,2,0,0,0,2,56,1,5,2,NA
+70884,7,2,1,14,NA,4,4,2,14,175,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12721.673656,12746.825446,2,100,6,6,1.34,4,4,1,2,0,2,31,1,4,5,NA
+70885,7,2,1,8,NA,1,1,1,8,106,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11399.23838,11468.323492,2,103,2,2,0.22,7,7,0,3,0,2,39,2,1,5,NA
+70886,7,2,2,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,29040.300396,28462.118402,2,101,1,1,0.11,4,1,0,0,0,2,21,1,4,5,NA
+70887,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,26668.458882,26178.344406,2,102,10,10,4.62,2,2,0,0,0,2,59,1,5,1,NA
+70888,7,1,1,0,9,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17196.879565,0,2,94,14,14,2.87,5,5,2,1,0,1,37,1,3,1,4
+70889,7,2,2,18,NA,1,1,1,18,220,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16781.078148,17378.8338,2,103,2,2,0.22,7,7,0,3,0,2,39,2,1,5,NA
+70890,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,16181.169973,15883.791498,1,96,9,7,3.21,2,1,0,0,0,1,58,1,4,6,NA
+70891,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,4,2,1,2,2,1,2,2,NA,NA,NA,NA,14599.561708,14200.006402,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+70892,7,2,1,6,NA,4,4,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8453.214884,8437.321796,2,101,1,1,0.1,6,6,1,2,1,2,27,1,2,1,2
+70893,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,97101.614214,108614.152251,3,92,6,6,1.17,4,4,0,2,0,2,30,1,2,1,4
+70894,7,2,1,70,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,53149.251154,56449.488341,2,94,8,8,3.4,2,2,0,0,2,2,64,1,4,1,2
+70895,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,NA,27602.403077,28546.401551,1,94,2,2,0.55,2,2,0,0,2,2,75,1,1,3,NA
+70896,7,2,1,15,NA,4,4,1,15,191,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13276.485807,13240.468288,2,100,10,7,2.05,4,3,0,2,0,1,20,1,4,6,NA
+70897,7,2,1,52,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17801.655316,19397.911862,2,95,7,6,1.88,3,2,0,0,0,2,56,1,3,2,NA
+70898,7,2,1,71,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,2,1,NA,2,2,2,2,2,2,1,2,2,NA,11755.776731,12827.229805,3,90,12,13,NA,2,1,0,0,1,1,71,2,2,1,NA
+70899,7,2,2,66,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,136832.42119,141624.96623,2,91,15,15,5,2,2,0,0,1,2,66,1,5,3,NA
+70900,7,2,1,59,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,19093.004278,19032.106491,2,99,2,2,0.19,6,6,0,1,0,1,59,1,2,5,NA
+70901,7,2,2,0,11,4,4,1,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4943.553921,5444.191192,1,100,14,14,3.47,4,4,2,0,0,1,34,1,5,1,5
+70902,7,2,1,11,NA,4,4,2,11,140,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8930.369586,9237.151674,3,91,4,4,1.09,2,2,0,1,0,2,40,1,5,3,NA
+70903,7,2,2,18,NA,1,1,2,19,228,2,NA,2,2,4,13,NA,NA,NA,1,2,2,1,2,2,2,2,2,2,17544.592739,19246.751055,3,92,6,6,1,6,6,1,1,0,1,42,2,1,1,4
+70904,7,2,1,19,NA,2,2,2,19,233,2,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15351.501195,16874.029415,2,90,4,4,1.29,2,2,0,0,0,2,40,1,2,5,NA
+70905,7,2,2,1,16,1,1,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13322.479814,14708.37523,1,92,14,14,3.9,4,4,2,0,0,2,29,1,4,1,4
+70906,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,78529.577822,84771.37367,1,101,14,14,3.9,4,4,0,2,0,2,41,1,2,1,2
+70907,7,2,1,2,NA,4,4,2,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8064.791396,8892.751276,1,91,99,99,NA,3,3,1,0,0,1,33,2,5,5,NA
+70908,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,74379.731652,76506.539917,2,92,15,7,3.67,4,1,0,0,0,1,28,1,5,5,NA
+70909,7,1,2,13,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6587.470541,0,1,93,9,9,1.77,7,7,0,2,0,2,56,NA,NA,5,NA
+70910,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,18404.681357,20079.255367,1,101,3,3,0.61,4,4,1,2,0,1,38,1,2,4,NA
+70911,7,2,1,59,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,146786.506338,147038.128142,1,90,15,15,5,3,3,0,0,0,1,59,1,5,1,5
+70912,7,2,1,67,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,5,2,NA,2,2,2,1,2,2,2,2,2,2,7290.319536,7407.101145,2,93,10,10,5,1,1,0,0,1,1,67,2,5,2,NA
+70913,7,2,1,28,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15507.441472,18423.236589,1,100,9,9,4.92,1,1,0,0,0,1,28,1,5,5,NA
+70914,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,20568.024192,20733.954282,2,92,1,1,0.02,1,1,0,0,0,1,40,1,2,5,NA
+70915,7,1,1,80,NA,3,3,NA,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,37318.801462,0,1,98,6,6,1.95,2,2,0,0,2,1,80,1,3,1,3
+70916,7,2,2,78,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,1,2,NA,2,2,2,2,2,2,1,2,2,NA,17318.187297,23904.945555,2,90,6,3,0.92,2,1,0,0,2,1,76,2,1,2,NA
+70917,7,2,1,48,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,22165.906062,24153.500588,1,96,7,7,2.78,2,2,0,0,0,1,48,1,2,6,NA
+70918,7,2,2,7,NA,3,3,2,7,89,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21910.300386,22612.118571,1,99,4,4,1.02,2,2,0,1,0,2,27,1,4,3,NA
+70919,7,2,2,7,NA,3,3,1,7,89,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64166.795496,75335.746424,1,101,5,5,0.89,5,5,1,2,0,1,31,1,2,1,1
+70920,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20303.639991,21936.687597,1,97,7,7,1.48,5,5,0,1,0,2,46,2,4,1,NA
+70921,7,2,2,29,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,13976.989712,14629.714123,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+70922,7,2,2,2,NA,5,7,2,2,28,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5588.504831,5743.223814,2,91,15,15,3.7,5,5,1,2,0,1,50,NA,NA,1,5
+70923,7,2,1,63,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,89103.220446,89938.887954,2,98,7,7,2.16,3,3,0,0,1,2,55,1,3,1,4
+70924,7,2,1,0,10,5,6,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5528.06179,5490.918184,1,91,14,14,4.48,3,3,1,0,0,1,31,2,5,1,5
+70925,7,2,1,57,NA,5,6,1,NA,NA,2,NA,2,2,7,NA,3,1,NA,1,2,2,1,2,2,1,2,2,3,18416.819037,20059.719948,2,96,5,5,1.36,2,2,0,1,0,1,57,2,3,1,NA
+70926,7,1,2,15,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,66,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17848.732433,0,2,91,8,8,1.85,5,5,0,2,1,1,39,2,3,1,4
+70927,7,2,1,63,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,9946.027787,10495.972559,2,93,8,8,2.62,3,3,0,0,2,2,64,2,1,1,1
+70928,7,2,2,6,NA,4,4,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,7814.742747,8095.069503,2,95,6,6,0.97,6,6,2,1,0,1,54,1,3,6,NA
+70929,7,2,2,29,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,17350.142808,18091.024448,1,92,14,14,2.42,6,6,1,3,0,1,30,1,4,6,NA
+70930,7,2,1,6,NA,2,2,2,6,79,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9807.589376,10028.771,2,90,10,10,3.13,4,4,1,2,0,2,39,1,5,4,NA
+70931,7,2,2,44,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,36945.168658,38286.242768,2,96,10,10,3.78,3,3,0,1,0,1,42,1,3,1,3
+70932,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,2,1,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,18396.558383,19503.669771,1,90,15,15,5,4,4,1,1,0,2,43,2,5,1,5
+70933,7,2,2,46,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19150.604366,19251.871661,3,91,15,15,5,2,2,0,0,0,2,46,1,5,1,5
+70934,7,2,1,0,4,4,4,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5089.464235,5316.261144,2,93,6,6,1.15,5,5,3,1,0,1,29,1,3,5,NA
+70935,7,2,2,46,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,20084.755052,20430.629009,1,99,15,15,5,4,4,0,2,0,2,46,1,5,1,5
+70936,7,2,1,27,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,2,2,2,2,35669.2076,40318.090187,2,94,8,8,2.7,3,3,1,0,0,1,27,1,3,1,4
+70937,7,2,2,12,NA,4,4,2,12,154,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,4,4,0.57,5,5,1,3,0,2,33,1,3,5,NA
+70938,7,2,1,49,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,52756.101074,53793.249362,3,92,8,8,2.97,2,2,0,0,1,1,49,1,2,3,NA
+70939,7,2,2,28,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,6,2,1,2,2,1,2,2,1,2,2,1,39550.779175,41765.24601,2,96,14,14,3.36,4,4,1,1,0,2,28,1,2,6,NA
+70940,7,2,1,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,131567.279219,134004.437006,1,97,15,15,5,3,3,0,0,0,1,53,NA,NA,1,4
+70941,7,2,1,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,87954.465296,90754.904886,2,100,10,10,3.13,4,4,0,2,0,1,45,1,4,1,4
+70942,7,2,2,16,NA,1,1,1,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15690.47168,16249.379042,1,102,8,8,1.33,7,7,1,4,0,2,32,1,3,1,2
+70943,7,2,1,8,NA,1,1,2,8,105,NA,NA,1,1,NA,3,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,10449.970381,10975.442173,1,90,2,1,0.17,5,2,0,1,0,1,25,2,2,6,NA
+70944,7,2,2,0,0,1,1,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7798.643057,7634.568742,1,102,8,8,2.06,4,4,2,0,0,1,28,1,2,1,5
+70945,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,33558.731068,36590.680559,1,101,3,1,0,2,1,0,0,1,2,65,1,3,3,NA
+70946,7,1,1,2,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24594.444896,0,1,98,5,2,0.42,4,3,2,0,0,1,24,1,3,6,NA
+70947,7,2,2,4,NA,3,3,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,59430.588937,63158.057955,2,91,15,15,4.2,6,6,2,0,2,1,63,1,1,1,3
+70948,7,2,2,19,NA,4,4,1,19,231,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18905.695776,2,101,1,1,0.05,2,1,0,0,0,2,19,1,3,NA,NA
+70949,7,2,2,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,128590.415432,131137.819973,1,102,15,15,5,2,2,0,0,2,2,68,1,4,1,5
+70950,7,2,1,50,NA,2,2,1,NA,NA,2,NA,2,2,6,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,34422.302712,34961.637568,2,92,2,2,0.4,3,3,0,0,0,1,50,2,4,1,4
+70951,7,2,1,7,NA,4,4,2,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8050.419807,8503.565046,2,99,4,4,0.41,7,7,0,2,0,2,36,1,3,5,NA
+70952,7,1,2,64,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19125.640099,0,2,95,77,77,NA,2,2,0,0,2,1,64,NA,NA,1,3
+70953,7,1,2,9,NA,2,2,NA,NA,NA,NA,NA,2,1,2,4,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12789.411811,0,1,102,7,7,1.9,4,4,1,1,0,1,29,1,4,1,3
+70954,7,2,1,61,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,28559.076421,28710.827523,1,95,5,5,2.2,1,1,0,0,1,1,61,1,3,3,NA
+70955,7,2,1,14,NA,5,6,1,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8915.81491,9312.338117,1,92,12,12,NA,4,4,0,1,0,1,53,2,5,1,4
+70956,7,2,1,15,NA,1,1,2,15,188,NA,NA,1,1,NA,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20398.562455,20481.595361,2,94,4,4,0.81,3,3,0,1,0,1,49,2,3,1,3
+70957,7,2,1,12,NA,1,1,2,12,154,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,20398.562455,20710.36162,2,94,13,13,NA,5,5,0,3,0,1,32,2,2,1,1
+70958,7,2,1,1,15,2,2,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9237.934626,9085.733547,2,90,5,5,0.89,4,4,2,0,0,2,26,2,2,4,NA
+70959,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,44296.789734,46174.107604,2,102,4,1,0,2,1,0,0,0,2,43,1,5,6,NA
+70960,7,2,2,8,NA,4,4,2,8,100,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7120.704736,7311.203604,1,99,15,8,2.7,4,3,0,2,0,1,49,1,4,6,NA
+70961,7,2,2,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,NA,55881.349278,57792.483909,2,92,9,9,5,1,1,0,0,1,2,74,1,5,5,NA
+70962,7,2,1,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,NA,NA,NA,1,2,2,1,14321.1466,14549.731107,1,96,15,15,5,6,6,1,1,1,2,44,1,3,1,3
+70963,7,2,2,17,NA,2,2,1,17,209,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,18556.092615,20535.833102,1,103,7,7,1.03,7,7,0,3,0,1,50,2,1,1,1
+70964,7,2,2,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,27738.890335,27824.17823,2,101,4,4,0.73,5,5,1,2,0,1,40,1,5,1,5
+70965,7,2,1,5,NA,2,2,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11161.439403,11514.748174,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+70966,7,2,1,20,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,14313.345971,15054.191928,3,91,5,3,0.92,2,1,0,0,0,1,20,1,4,6,NA
+70967,7,2,1,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,22723.53676,24747.854656,1,92,NA,99,NA,4,1,0,2,0,2,56,1,4,4,NA
+70968,7,2,2,8,NA,3,3,1,9,108,NA,NA,2,2,3,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,13450.606713,14078.286101,3,91,4,4,0.65,5,5,2,2,0,2,27,2,2,3,NA
+70969,7,2,1,45,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,31233.526521,31366.480522,1,100,8,3,1.03,6,1,1,0,0,1,33,2,3,6,NA
+70970,7,2,1,31,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,15867.258653,18200.873488,3,91,3,3,0.76,3,3,0,1,0,2,24,1,4,6,NA
+70971,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,20486.987447,21605.827026,2,101,3,3,0.6,3,3,0,2,0,1,39,1,4,4,NA
+70972,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,5950.975297,5997.525697,2,99,77,77,NA,3,3,0,1,1,1,61,1,4,3,NA
+70973,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,18404.681357,19079.901799,1,101,7,7,1.83,3,3,0,0,2,1,67,1,1,1,2
+70974,7,2,1,49,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,30234.306382,1,101,5,5,1.15,3,3,0,1,0,1,49,1,3,1,4
+70975,7,2,2,22,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,118761.81384,123645.102237,3,91,4,4,1.02,2,2,0,0,0,1,22,1,5,1,5
+70976,7,2,1,17,NA,2,2,1,17,211,2,NA,2,1,4,11,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,20327.892981,20116.618863,2,93,4,4,0.69,4,4,0,1,1,2,66,2,3,2,NA
+70977,7,2,1,3,NA,3,3,1,4,48,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,98584.614475,106037.774242,2,101,6,6,1.35,3,3,1,0,0,1,42,1,4,6,NA
+70978,7,2,1,15,NA,4,4,2,15,183,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11834.781205,13035.394237,2,90,2,2,0.31,5,5,0,2,1,2,71,1,2,2,NA
+70979,7,2,1,46,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,18230.629439,18292.13185,1,93,15,15,5,5,5,1,2,0,2,40,1,5,1,5
+70980,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,114168.79702,117438.65007,1,95,8,8,1.28,7,7,1,4,0,1,32,1,3,1,3
+70981,7,2,1,50,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,13525.38183,13953.637486,2,95,15,15,5,3,3,1,0,0,1,50,1,5,1,NA
+70982,7,2,1,44,NA,2,2,2,NA,NA,2,NA,2,2,1,NA,2,1,NA,2,2,2,2,2,2,2,2,1,2,39096.402803,46193.238956,2,91,4,4,0.76,4,4,1,0,0,2,25,2,4,77,NA
+70983,7,2,2,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,71746.365541,83232.546386,1,93,15,15,5,2,2,0,0,0,2,39,1,5,1,5
+70984,7,2,1,73,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,96955.880155,102625.661518,2,101,15,15,5,2,2,0,0,2,1,73,1,5,1,5
+70985,7,2,1,74,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,8601.453077,8734.617022,2,101,5,5,2.02,1,1,0,0,1,1,74,1,2,3,NA
+70986,7,2,2,4,NA,4,4,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9268.093277,9507.318489,1,99,14,14,4.05,3,3,1,0,0,2,32,1,5,1,4
+70987,7,2,2,22,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,130601.953362,132156.64994,2,91,15,15,5,4,4,0,0,0,1,54,1,5,1,NA
+70988,7,2,2,1,14,4,4,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8754.193667,9419.610037,2,98,8,8,1.8,5,5,2,1,0,1,32,1,4,1,5
+70989,7,2,1,16,NA,3,3,1,16,193,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,30943.024697,32205.010072,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+70990,7,2,2,6,NA,1,1,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15048.411882,15335.781033,1,103,14,14,2.96,5,5,1,2,0,1,34,1,4,1,5
+70991,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,25520.996455,28503.986081,1,93,3,3,0.75,2,2,0,0,1,2,80,1,1,2,NA
+70992,7,2,2,1,14,2,2,2,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11412.410776,11898.666241,1,97,3,3,0.44,5,5,2,2,0,2,26,1,4,4,NA
+70993,7,2,1,38,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,15399.847485,15604.102319,1,103,8,8,4.3,1,1,0,0,0,1,38,1,5,5,NA
+70994,7,2,2,13,NA,2,2,2,13,159,NA,NA,2,2,3,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,12680.621719,13709.581084,2,90,99,99,NA,5,5,1,1,0,2,40,2,3,1,1
+70995,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,2,1,2,2,1,2,2,1,2,2,1,31335.13799,32015.561405,1,95,6,4,1.26,6,2,1,2,0,1,28,1,2,1,2
+70996,7,2,1,41,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,49072.976757,48585.714967,1,97,15,15,5,2,2,0,0,0,1,41,1,5,1,5
+70997,7,2,2,62,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,9570.416297,10279.373686,2,98,2,2,0.83,1,1,0,0,1,2,62,1,3,3,NA
+70998,7,2,2,6,NA,2,2,2,6,73,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10762.400563,11527.105697,2,90,6,6,2.01,2,2,0,1,0,2,26,1,3,5,NA
+70999,7,2,2,50,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,161992.272945,161249.908749,1,91,14,14,3.15,5,5,0,1,0,2,50,1,5,1,5
+71000,7,2,2,0,6,5,6,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,7065.624287,7145.357301,2,92,6,6,1.34,4,4,1,1,0,1,40,2,3,1,3
+71001,7,2,1,6,NA,4,4,2,6,74,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7386.979006,7738.237294,2,99,5,5,0.65,6,6,2,1,0,2,53,1,4,3,NA
+71002,7,2,1,13,NA,1,1,1,13,165,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,24228.858782,24226.727855,2,102,7,7,2.16,3,3,0,2,0,2,41,1,5,3,NA
+71003,7,2,1,78,NA,3,3,1,NA,NA,2,NA,2,1,7,NA,1,5,NA,1,2,1,1,2,1,1,2,1,NA,12184.871688,13005.96831,2,103,2,2,0.45,1,1,0,0,1,1,78,2,1,5,NA
+71004,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,14809.997435,16069.288743,2,97,1,1,0.13,4,4,2,0,1,2,62,1,2,4,NA
+71005,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,12230.621635,1,96,8,8,3.14,2,2,0,0,2,2,64,1,3,1,2
+71006,7,2,2,4,NA,1,1,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13366.393396,13546.155547,2,94,5,5,1.3,3,3,1,1,0,2,34,2,2,5,NA
+71007,7,2,2,1,16,1,1,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,15816.39252,3,92,15,15,5,3,3,1,0,0,1,34,1,5,1,5
+71008,7,2,1,50,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,25969.864445,25963.066565,1,97,14,14,5,3,3,0,0,0,2,51,1,5,1,4
+71009,7,1,2,4,NA,5,7,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15046.736747,0,1,101,6,6,1.07,5,5,2,1,0,1,30,1,3,1,3
+71010,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,43813.24867,47156.814318,1,98,5,2,0.42,4,3,2,0,0,1,24,1,3,6,NA
+71011,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,175997.804296,176135.086149,1,101,3,3,0.73,2,2,0,0,1,1,60,1,3,1,5
+71012,7,2,2,24,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,144794.522788,148845.957701,1,97,8,8,3.57,2,2,0,0,0,2,49,1,3,3,NA
+71013,7,2,2,5,NA,4,4,2,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9986.420822,10886.623262,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+71014,7,2,2,16,NA,5,7,2,16,199,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11747.462633,12227.159724,2,99,6,6,1.18,5,5,0,3,0,2,38,1,2,5,NA
+71015,7,2,2,49,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,23342.391629,23465.824854,1,92,15,15,5,2,2,0,0,0,2,49,1,5,3,NA
+71016,7,2,2,5,NA,1,1,1,5,62,NA,NA,2,2,1,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,17282.036547,19079.832121,2,102,15,15,5,3,3,1,0,0,1,41,2,2,1,5
+71017,7,2,2,10,NA,3,3,2,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15442.305642,16400.253331,2,94,5,5,1.3,3,3,0,1,0,1,43,1,3,6,NA
+71018,7,2,1,5,NA,3,3,2,5,62,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57680.74785,67586.530677,1,99,5,5,0.89,4,4,2,0,0,2,31,1,4,1,5
+71019,7,2,2,10,NA,1,1,1,10,130,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,15962.145468,16061.826248,2,98,2,2,0.27,4,4,2,1,0,2,32,2,2,5,NA
+71020,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,30212.098573,34791.026267,1,92,3,3,1.01,1,1,0,0,1,2,80,1,3,2,NA
+71021,7,2,1,64,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,6011.560142,6320.246286,2,99,3,3,1.29,1,1,0,0,1,1,64,2,4,3,NA
+71022,7,2,1,11,NA,3,3,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19590.665143,20475.022602,3,91,5,5,0.87,4,4,0,2,0,2,38,1,2,3,NA
+71023,7,2,1,10,NA,1,1,1,10,122,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13822.148996,13905.918164,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+71024,7,2,1,7,NA,3,3,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,47596.305609,49235.587472,1,99,14,14,5,3,3,0,1,0,1,35,1,5,1,5
+71025,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,7514.993062,9722.610426,2,90,1,1,0.28,1,1,0,0,1,1,61,1,2,5,NA
+71026,7,2,1,14,NA,1,1,1,14,176,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19570.996814,19477.677478,2,100,4,4,0.81,4,4,0,2,0,1,56,1,4,1,2
+71027,7,2,1,10,NA,1,1,1,10,129,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13927.458372,14147.852881,2,98,3,3,0.33,7,7,2,3,0,1,40,2,1,1,1
+71028,7,2,1,2,NA,1,1,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10736.26749,11503.13577,1,103,5,5,1.02,4,4,2,0,0,1,25,1,2,1,4
+71029,7,2,2,25,NA,5,6,2,NA,NA,2,NA,2,1,3,NA,3,1,2,1,2,1,1,2,2,NA,NA,NA,NA,13820.210756,14687.211885,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+71030,7,2,2,13,NA,2,2,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14437.97544,15197.369043,2,90,14,14,3.45,4,4,1,1,0,2,34,2,5,6,NA
+71031,7,1,1,27,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,34087.731449,0,3,92,4,3,0.52,5,4,0,0,0,2,57,1,4,1,2
+71032,7,2,2,12,NA,1,1,1,13,156,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,1,2,2,2,22424.988432,23223.784759,1,94,7,7,2.1,3,3,0,1,0,2,48,2,1,1,3
+71033,7,1,1,26,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17579.006909,0,2,103,15,15,5,1,1,0,0,0,1,26,1,3,5,NA
+71034,7,2,1,11,NA,4,4,2,11,134,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8451.853606,8465.026785,1,93,7,7,1.97,4,4,1,2,0,2,33,1,4,3,NA
+71035,7,2,1,7,NA,5,6,2,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10810.913614,11461.625841,1,97,14,14,2.87,5,5,0,3,0,2,40,2,5,1,5
+71036,7,2,1,29,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,105262.341027,110623.017272,2,98,8,8,3.67,2,2,0,0,0,2,54,1,4,3,NA
+71037,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15497.844354,15358.163767,1,99,15,15,5,2,2,0,0,0,1,56,1,4,1,4
+71038,7,2,1,60,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,2,1,NA,2,2,2,2,2,2,1,2,2,2,8609.250304,11228.904188,2,90,1,1,0.27,2,2,0,0,1,1,60,2,2,1,1
+71039,7,2,2,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,81385.450947,85814.999376,1,93,15,15,5,2,2,0,0,0,2,30,1,5,1,5
+71040,7,2,1,63,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,36541.405352,36735.571242,1,101,4,4,1.22,2,2,0,0,1,1,63,1,2,1,2
+71041,7,2,1,9,NA,5,6,2,9,112,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10810.913614,11461.625841,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+71042,7,2,1,38,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,3,13147.594977,14207.241654,1,102,5,5,0.92,5,5,1,2,0,2,44,2,1,1,2
+71043,7,2,2,9,NA,4,4,1,9,110,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13192.206605,13608.834197,2,102,9,9,2.68,4,4,0,2,0,2,32,1,4,1,NA
+71044,7,2,1,0,2,5,7,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9570.577309,9675.725524,1,95,6,6,1.15,5,5,2,1,0,1,29,1,4,6,NA
+71045,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,NA,10947.445281,13128.299802,1,94,4,4,1.43,1,1,0,0,1,1,80,1,3,4,NA
+71046,7,2,1,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,144353.133634,150786.620773,1,91,14,14,4.03,4,4,0,2,0,1,52,1,4,1,5
+71047,7,2,2,52,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,NA,16058.142925,17306.419461,2,95,5,5,1.18,3,3,0,1,0,2,55,1,4,5,NA
+71048,7,2,2,52,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,NA,NA,NA,NA,24870.513993,26515.471818,2,98,1,1,0.13,4,4,2,0,0,2,52,1,2,4,NA
+71049,7,2,2,20,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,57438.356061,66140.327263,2,101,1,1,0.08,1,1,0,0,0,2,20,1,4,5,NA
+71050,7,2,2,0,4,2,2,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,4481.392842,4343.672823,2,90,12,12,NA,7,7,2,2,0,1,39,2,1,1,1
+71051,7,2,1,78,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,79754.311902,90534.066519,1,97,15,15,5,2,2,0,0,2,1,78,1,3,1,3
+71052,7,2,2,18,NA,1,1,1,18,217,2,NA,2,2,3,10,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,19993.78712,21491.713499,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+71053,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,9680.216878,10112.428208,1,96,12,10,5,2,1,0,0,1,2,61,1,4,3,NA
+71054,7,2,2,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,140431.173819,139253.659476,1,94,10,6,2.42,2,1,0,0,0,1,59,1,4,6,NA
+71055,7,2,2,0,4,5,6,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6580.402774,6856.045444,1,94,99,99,NA,5,5,1,1,0,2,21,1,3,5,NA
+71056,7,1,1,59,NA,5,6,NA,NA,NA,2,NA,2,1,7,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,15409.233853,0,1,92,12,12,NA,4,4,0,0,0,1,59,2,3,1,4
+71057,7,2,2,62,NA,4,4,2,NA,NA,1,2,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,11190.39853,11690.037855,2,99,99,99,NA,2,2,0,0,2,2,62,1,5,3,NA
+71058,7,2,2,19,NA,3,3,2,19,233,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,41202.729804,43105.611516,2,91,6,6,1.26,5,5,0,1,2,2,80,1,4,2,NA
+71059,7,2,1,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,27227.937106,27501.844882,1,101,3,3,0.96,2,2,0,0,0,1,53,1,1,1,2
+71060,7,2,2,31,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,2,2,1,2,2,1,2,2,1,2,2,1,21306.824647,21870.080421,2,98,1,1,0.19,3,3,2,0,0,2,31,1,4,2,NA
+71061,7,2,1,54,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,2,2,2,2,2,2,1,2,2,2,37557.946192,37296.340716,2,102,9,9,3.24,3,3,0,0,0,1,54,2,4,1,4
+71062,7,2,1,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,31291.360507,32453.566842,2,91,12,3,1.25,3,1,0,0,1,1,52,1,4,3,NA
+71063,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,NA,NA,NA,NA,85610.546667,92292.669073,2,91,15,15,5,5,5,1,2,0,1,37,1,4,6,NA
+71064,7,2,2,26,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,10783.449126,11243.921386,1,103,5,5,0.65,6,6,0,0,1,2,26,2,4,5,NA
+71065,7,2,2,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,38739.556504,38769.774143,2,101,6,6,2.04,2,2,0,0,0,2,51,1,5,1,4
+71066,7,2,2,71,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,5,NA,2,2,2,2,2,2,1,2,2,NA,18697.677461,20882.090197,1,93,6,6,2.66,1,1,0,0,1,2,71,2,1,5,NA
+71067,7,2,2,4,NA,1,1,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14812.229505,15746.041025,1,97,4,4,0.72,5,5,2,1,0,2,33,2,1,6,NA
+71068,7,2,1,45,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,108839.502248,114346.356011,2,95,3,3,0.93,2,2,0,0,0,1,45,1,4,1,5
+71069,7,2,2,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,133022.268903,132572.26134,1,98,6,6,1.75,2,2,0,0,2,1,62,1,4,1,3
+71070,7,2,2,79,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,2,2,NA,1,2,1,1,2,1,1,2,1,NA,12344.929687,13268.288363,1,93,2,2,0.73,1,1,0,0,1,2,79,2,2,2,NA
+71071,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,14939.690418,15327.735621,2,92,8,8,3.54,2,2,0,0,0,1,30,1,5,1,5
+71072,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,4,NA,2,2,2,1,2,2,1,2,2,1,19676.781212,20391.029456,1,103,6,6,1.57,3,3,0,1,0,2,50,2,3,4,NA
+71073,7,2,2,18,NA,4,4,2,18,226,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12857.456314,12921.235691,2,97,8,8,2.7,3,3,0,0,1,2,72,1,2,3,NA
+71074,7,1,2,1,14,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6565.095533,0,1,90,15,15,5,4,4,2,0,0,1,36,1,5,1,5
+71075,7,2,2,3,NA,3,3,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50908.326714,56187.051166,1,99,5,5,0.89,4,4,2,0,0,2,31,1,4,1,5
+71076,7,2,2,63,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15732.436891,16737.04767,1,97,14,14,3.93,3,3,0,1,2,2,63,1,4,1,4
+71077,7,2,2,13,NA,1,1,1,13,158,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,2,2,2,1,2,2,1,12970.724558,13432.752316,2,103,8,8,1.29,7,7,3,1,0,2,53,2,2,4,NA
+71078,7,2,2,22,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23614.167119,30467.110717,2,97,3,3,0.82,2,2,1,0,0,2,22,1,4,5,NA
+71079,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,78529.577822,81088.445647,1,98,14,14,3.15,5,5,0,3,0,1,34,1,4,1,4
+71080,7,1,1,22,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,88006.905716,0,1,92,6,6,1.51,3,3,0,0,0,1,46,1,3,3,NA
+71081,7,2,1,4,NA,4,4,2,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7431.820906,7738.904727,1,99,5,5,0.84,5,5,2,1,0,1,35,1,3,1,2
+71082,7,2,1,78,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,11550.158096,13775.328408,2,92,7,7,1.17,6,6,0,1,1,1,78,2,1,1,3
+71083,7,2,2,62,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,9497.094386,9921.129492,2,100,15,15,5,2,2,0,0,1,1,51,1,5,1,3
+71084,7,2,1,55,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,23205.758348,23717.246496,3,92,5,5,1.03,4,4,0,3,0,1,55,1,4,4,NA
+71085,7,2,1,1,15,4,4,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6837.992772,6921.398172,1,96,12,12,NA,2,2,1,0,0,2,32,1,5,5,NA
+71086,7,2,1,24,NA,5,6,1,NA,NA,1,2,2,2,3,NA,4,5,NA,1,2,2,1,2,2,1,2,2,3,14979.624397,15387.451243,1,102,3,1,0.28,2,1,0,0,0,1,24,2,4,5,NA
+71087,7,2,2,65,NA,1,1,1,NA,NA,2,NA,2,2,8,NA,1,2,NA,2,2,2,2,2,2,2,2,2,2,15207.312407,15896.113669,2,98,4,4,0.48,6,6,2,0,2,2,65,2,1,2,NA
+71088,7,2,2,13,NA,2,2,2,13,160,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,16680.090857,17557.412914,1,90,15,15,5,4,4,0,2,0,2,43,1,5,1,5
+71089,7,2,2,32,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,3,4,2,2,2,2,2,2,2,1,2,2,2,49274.703023,52411.531429,2,102,77,77,NA,3,3,0,0,0,2,48,2,2,1,3
+71090,7,2,1,49,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11113.602843,11901.173467,3,90,15,15,5,4,4,0,2,0,2,41,2,5,1,5
+71091,7,2,2,39,NA,2,2,1,NA,NA,2,NA,2,1,NA,NA,4,6,2,1,2,2,1,2,2,NA,NA,NA,NA,45662.166351,45001.161705,1,92,14,9,3.77,3,2,0,1,0,2,39,2,4,6,NA
+71092,7,2,2,71,NA,1,1,1,NA,NA,2,NA,2,2,77,NA,1,2,NA,2,2,2,2,2,2,2,2,2,NA,20127.084548,24087.460037,1,103,77,77,NA,4,4,1,0,1,1,20,1,3,6,NA
+71093,7,2,1,50,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,185033.990584,188295.9196,1,97,15,15,5,2,2,0,0,0,1,50,1,3,6,NA
+71094,7,2,2,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,140431.173819,139253.659476,1,94,9,9,3.97,2,2,0,0,0,1,59,1,3,5,NA
+71095,7,2,1,31,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,81642.217375,85347.318656,3,91,14,14,5,3,3,1,0,0,2,30,1,4,1,5
+71096,7,2,2,13,NA,1,1,1,13,160,NA,NA,1,1,NA,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,18515.058419,19360.671834,2,96,6,6,1.11,6,6,0,2,1,1,40,2,2,1,2
+71097,7,2,1,21,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,25989.236835,2,101,99,1,0.21,3,1,0,0,0,1,20,1,4,5,NA
+71098,7,2,2,19,NA,4,4,1,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,2,1,0.32,4,1,0,0,0,2,19,1,4,NA,NA
+71099,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,47566.45715,54102.989916,1,90,9,9,5,1,1,0,0,1,2,80,1,5,3,NA
+71100,7,2,2,80,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,12020.872946,12623.344251,3,90,15,15,4.07,5,5,0,2,1,1,42,1,5,1,4
+71101,7,2,1,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,19541.667675,20187.705923,2,95,2,2,0.75,1,1,0,0,0,1,51,1,2,5,NA
+71102,7,2,1,19,NA,5,6,1,20,NA,2,NA,2,2,4,15,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,5904.602463,6308.718622,2,92,6,6,1.3,4,4,0,1,0,2,48,2,3,1,3
+71103,7,2,2,57,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,32709.179605,34590.259766,1,94,6,6,1.26,5,5,0,2,0,2,38,1,4,1,NA
+71104,7,2,2,78,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,13141.36586,14020.834298,1,96,6,6,2.46,1,1,0,0,1,2,78,1,2,2,NA
+71105,7,2,2,66,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,3,NA,2,2,2,2,2,2,2,2,1,2,8725.210615,9371.55685,2,93,14,14,2.43,7,7,1,1,1,2,66,2,2,3,NA
+71106,7,2,1,1,19,3,3,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,31199.621619,36557.677601,1,97,5,5,0.87,4,4,2,0,0,1,35,1,5,1,5
+71107,7,2,2,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,2,1,2,2,1,2,2,1,2,2,1,64581.191728,65990.445093,2,94,15,10,5,3,1,0,0,0,1,26,NA,NA,77,NA
+71108,7,2,2,20,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23845.8146,22808.13483,1,98,2,1,0.04,4,1,0,0,0,2,19,1,4,NA,NA
+71109,7,2,2,0,9,1,1,1,NA,9,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8775.375504,9358.559086,2,102,14,14,3.8,4,4,2,0,0,2,41,2,4,1,5
+71110,7,2,1,2,NA,2,2,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13002.944731,13931.716845,2,91,4,4,0.69,4,4,2,0,0,2,21,1,3,6,NA
+71111,7,2,2,75,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,18069.116427,18623.459107,2,100,2,2,0.62,1,1,0,0,1,2,75,1,4,2,NA
+71112,7,2,2,55,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,22631.175755,22215.258702,2,96,7,7,2.58,2,2,0,0,1,2,55,1,4,3,NA
+71113,7,2,2,26,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,12412.338679,12980.380959,3,90,15,15,3.7,5,5,0,0,0,1,56,2,3,1,3
+71114,7,2,2,20,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,132307.499792,154386.779868,1,98,1,1,0.31,1,1,0,0,0,2,20,1,4,5,NA
+71115,7,2,2,12,NA,4,4,2,12,150,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11600.051433,12143.645666,3,90,14,14,2.97,5,5,0,2,1,1,73,2,3,2,NA
+71116,7,2,2,7,NA,4,4,2,7,92,NA,NA,2,2,2,0,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,9412.419416,10343.079616,1,93,5,5,0.64,7,7,0,2,1,1,21,2,4,5,NA
+71117,7,2,2,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,25241.487585,26857.231387,2,97,2,2,0.21,7,7,2,3,0,2,32,1,4,5,NA
+71118,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,34802.051557,36349.694696,1,101,4,4,0.99,2,2,0,0,0,2,51,1,5,1,2
+71119,7,2,1,36,NA,3,3,1,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,71111.990643,75738.399435,2,103,15,15,5,4,4,2,0,0,1,36,2,4,1,5
+71120,7,2,1,69,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,28559.076421,28710.827523,1,95,2,2,0.88,1,1,0,0,1,1,69,1,3,3,NA
+71121,7,2,2,0,11,5,6,2,NA,12,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4326.150649,4254.537398,1,99,14,14,2.66,7,7,3,1,0,1,35,1,5,1,5
+71122,7,2,1,63,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,15,15,5,2,2,0,0,2,1,63,1,4,1,5
+71123,7,2,1,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,23824.065321,24171.124621,1,100,14,14,3.6,4,4,1,1,0,1,41,1,4,1,5
+71124,7,1,1,0,10,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,4944.997189,0,1,103,13,13,NA,6,6,1,2,0,2,40,2,3,3,NA
+71125,7,2,2,9,NA,5,6,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,5064.232234,5712.276567,2,92,99,2,0.31,7,4,3,3,1,1,61,2,1,1,3
+71126,7,2,1,5,NA,1,1,1,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,14321.363328,14968.737037,2,96,6,6,0.77,7,7,2,1,0,1,53,2,1,1,1
+71127,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,59282.809425,61101.54758,1,101,14,14,5,2,2,0,0,2,2,70,1,5,1,2
+71128,7,2,1,6,NA,3,3,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19998.804,20570.663593,1,94,3,3,0.37,5,5,0,3,0,2,29,1,4,4,NA
+71129,7,2,1,16,NA,3,3,1,16,200,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,69211.537407,74163.290023,1,92,14,14,3.16,6,6,1,1,0,1,49,1,1,1,3
+71130,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,19130.568715,18607.010517,2,98,5,5,0.59,7,7,3,0,0,2,50,1,5,4,NA
+71131,7,2,1,13,NA,3,3,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,71934.689876,71392.8162,1,100,15,15,5,4,4,0,1,0,1,50,1,4,1,4
+71132,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,134694.414609,139412.076132,2,94,10,10,4.3,2,2,0,0,2,1,69,1,4,1,5
+71133,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,82820.100138,94804.847305,1,90,7,7,3.13,1,1,0,0,0,2,36,1,5,5,NA
+71134,7,2,1,3,NA,3,3,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,57680.74785,67586.530677,1,99,77,77,NA,4,4,1,1,0,1,31,2,3,1,3
+71135,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,33731.056243,35845.261325,2,98,3,3,0.88,2,2,0,0,2,1,77,1,1,1,3
+71136,7,2,1,21,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,9956.598907,12313.186759,1,95,5,5,0.73,6,6,1,0,1,1,62,2,3,1,NA
+71137,7,2,1,61,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,NA,14488.953694,14771.336069,3,92,1,1,0.24,1,1,0,0,1,1,61,1,4,5,NA
+71138,7,2,1,0,7,4,4,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10070.421465,10410.321555,2,101,4,4,0.76,4,4,1,1,0,1,28,1,2,1,4
+71139,7,2,1,7,NA,1,1,1,7,90,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11159.151566,11210.524757,1,102,4,4,0.5,6,6,2,2,0,1,25,1,2,1,3
+71140,7,2,1,26,NA,1,1,2,NA,NA,2,NA,2,2,2,NA,4,5,NA,2,2,2,2,2,2,2,2,2,2,35669.2076,36620.108921,2,94,15,15,5,3,3,0,0,0,1,41,2,3,1,NA
+71141,7,2,2,78,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,20131.904783,20903.590301,1,92,8,8,2.51,3,3,0,0,1,2,78,1,5,2,NA
+71142,7,1,1,8,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,1,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8943.919305,0,1,92,5,5,0.63,7,7,0,4,1,1,60,NA,NA,1,NA
+71143,7,2,2,53,NA,4,4,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19548.136896,19371.951409,1,90,15,15,5,2,2,0,0,0,1,57,2,4,1,5
+71144,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,22758.541444,24464.617143,1,98,7,7,1.03,7,7,0,4,0,2,20,1,3,5,NA
+71145,7,2,2,15,NA,1,1,1,15,191,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21062.314667,21467.226385,1,94,10,10,2.94,4,4,0,2,0,2,52,1,5,2,NA
+71146,7,2,1,34,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,130589.073376,141489.20172,2,102,8,6,2.57,2,1,0,0,0,1,34,1,4,5,NA
+71147,7,2,2,11,NA,4,4,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8757.841043,8910.615224,2,100,13,13,NA,4,4,0,2,0,2,28,1,2,6,NA
+71148,7,2,1,0,0,4,4,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6433.441277,6898.375971,2,97,1,1,0,5,5,3,0,0,2,23,1,2,1,3
+71149,7,2,1,12,NA,5,7,2,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5504.178541,5957.59682,1,99,15,15,4.47,4,4,0,2,0,2,52,2,5,1,5
+71150,7,2,1,8,NA,4,4,2,8,100,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14125.862146,14295.209168,1,97,5,5,0.91,4,4,0,3,0,2,44,1,4,5,NA
+71151,7,2,2,8,NA,4,4,1,8,102,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11334.095519,11753.9565,2,96,5,5,0.67,6,6,1,2,1,1,34,1,4,1,4
+71152,7,2,1,80,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,1,2,1,2,2,1,2,2,NA,18812.694081,19206.027387,1,102,14,14,4.59,3,3,0,0,1,2,46,1,4,1,1
+71153,7,2,2,7,NA,4,4,2,7,94,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6655.097829,7106.52929,2,99,15,15,4.9,7,7,1,4,0,2,53,1,5,1,5
+71154,7,2,2,11,NA,5,6,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10699.45895,11230.540406,1,97,15,15,2.33,7,7,2,4,0,2,40,2,5,1,4
+71155,7,2,1,41,NA,3,3,2,NA,NA,2,NA,2,2,5,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,117676.178911,119449.245993,2,99,14,14,5,1,1,0,0,0,1,41,2,5,5,NA
+71156,7,2,2,16,NA,1,1,2,16,194,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,21120.105603,21750.292661,1,98,6,6,1.98,2,2,0,1,0,2,37,1,4,3,NA
+71157,7,2,2,26,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,15967.106149,16195.487754,2,103,6,6,1.3,4,4,1,1,0,2,26,1,4,1,3
+71158,7,2,1,39,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,5,1,NA,1,2,1,1,2,1,1,2,2,3,16939.617906,17443.653216,3,91,14,14,3.58,4,4,1,1,0,1,39,2,5,1,5
+71159,7,2,2,37,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,97101.614214,100848.484003,3,92,15,15,5,4,4,2,0,0,1,38,1,5,1,5
+71160,7,2,2,3,NA,5,6,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7483.230909,7475.326886,2,96,7,7,2.27,3,3,1,0,0,1,34,2,5,1,5
+71161,7,2,1,45,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,18178.365056,18317.23991,1,94,6,6,2.05,2,2,0,1,0,1,45,1,2,5,NA
+71162,7,2,1,13,NA,5,7,1,13,164,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14831.338089,14976.576871,1,98,3,3,0.43,4,4,0,1,0,2,39,1,2,5,NA
+71163,7,2,1,11,NA,3,3,1,11,135,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,49922.147265,52289.098209,1,98,6,6,1.11,5,5,0,2,1,2,37,1,1,1,1
+71164,7,2,1,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,129656.862785,1,101,14,14,3.25,4,4,0,1,0,1,48,1,4,1,2
+71165,7,2,2,0,4,4,4,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4128.726485,4546.845595,2,93,5,5,1.05,3,3,1,0,0,2,29,1,3,5,NA
+71166,7,2,1,55,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,NA,32720.69734,33802.428047,1,95,2,2,0.67,1,1,0,0,0,1,55,1,3,3,NA
+71167,7,2,2,19,NA,5,7,2,19,231,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,91797.787708,94488.443358,1,95,5,5,1.3,3,3,0,0,1,2,19,1,3,NA,NA
+71168,7,1,1,79,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,7,1,NA,1,2,2,NA,NA,NA,NA,NA,NA,NA,74473.849242,0,2,98,NA,NA,NA,2,2,0,0,2,1,79,1,7,1,NA
+71169,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,121588.761604,120347.630506,1,91,10,10,3.78,3,3,0,0,2,1,62,1,5,1,5
+71170,7,1,1,23,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,106185.516032,0,2,96,5,5,2.02,1,1,0,0,0,1,23,1,4,5,NA
+71171,7,2,2,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12331.419303,13281.948926,2,95,6,6,1.65,2,2,0,0,2,1,62,1,1,1,3
+71172,7,2,2,42,NA,4,4,1,NA,NA,2,NA,2,2,5,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,25774.834017,25516.02368,1,100,5,5,1.05,3,3,1,0,0,2,42,2,5,1,NA
+71173,7,2,2,5,NA,1,1,1,5,69,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,1,1,2,1,NA,NA,NA,NA,13560.780585,14415.696661,2,96,3,3,0.46,5,5,1,2,0,1,37,1,1,1,2
+71174,7,2,1,11,NA,3,3,1,11,141,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19272.757026,20113.595939,1,94,6,6,1.18,5,5,1,2,0,1,30,1,3,1,3
+71175,7,2,1,73,NA,2,2,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,16928.800715,17540.589716,1,90,9,9,3.97,2,2,0,0,1,1,73,1,4,1,5
+71176,7,2,1,62,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,7611.107768,7521.80097,2,97,4,4,1.47,1,1,0,0,1,1,62,1,4,3,NA
+71177,7,1,2,4,NA,2,2,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10308.095307,0,2,90,14,14,3.06,5,5,1,2,0,1,42,1,4,1,5
+71178,7,2,2,4,NA,2,2,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10308.095307,10747.298537,2,90,3,3,0.46,5,5,3,0,0,2,22,1,2,5,NA
+71179,7,1,2,32,NA,4,4,NA,NA,NA,2,NA,2,1,2,NA,5,1,3,1,2,2,1,2,2,NA,NA,NA,NA,27303.803575,0,1,96,7,7,2.23,3,3,1,0,0,1,29,2,5,1,5
+71180,7,2,1,57,NA,4,4,2,NA,NA,2,NA,2,2,2,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,12517.592486,12477.667198,1,96,10,10,1.8,7,7,1,1,0,1,57,2,1,1,3
+71181,7,2,1,19,NA,4,4,1,19,235,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,17606.165994,17558.40257,2,101,6,1,0.23,3,1,0,0,0,1,21,1,4,5,NA
+71182,7,2,2,47,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,20084.755052,20500.648257,1,99,15,8,2.7,4,3,0,2,0,1,49,1,4,6,NA
+71183,7,2,1,38,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,107347.639721,117795.71535,3,92,6,6,1.17,4,4,0,2,0,2,30,1,2,1,4
+71184,7,2,1,64,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,12579.986433,13271.133625,1,92,14,14,5,1,1,0,0,1,1,64,1,5,3,NA
+71185,7,2,1,29,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,50647.682308,56120.478778,2,96,7,7,2.38,2,2,0,0,0,1,29,1,3,1,4
+71186,7,2,1,1,17,1,1,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,6,6,1.25,4,4,1,0,1,1,46,1,2,6,NA
+71187,7,2,2,63,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,3,NA,1,2,2,1,2,2,1,2,2,1,9609.522554,10094.833809,3,91,2,2,0.72,1,1,0,0,1,2,63,1,1,3,NA
+71188,7,2,2,1,14,4,4,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,7710.515686,2,100,5,5,0.94,4,4,2,0,0,2,33,1,4,6,NA
+71189,7,2,1,51,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,144353.133634,150786.620773,1,94,15,15,5,3,3,0,1,0,2,43,1,5,1,5
+71190,7,2,2,12,NA,4,4,1,12,150,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12327.773112,12176.001893,2,95,1,1,0.18,4,4,2,1,0,2,38,1,2,5,NA
+71191,7,2,2,15,NA,4,4,2,16,192,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11711.384457,11558.024533,2,95,8,8,1.61,6,6,1,3,0,2,48,1,3,5,NA
+71192,7,2,1,1,23,2,2,2,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13002.944731,13931.716845,2,91,9,9,2.6,4,4,1,1,0,2,31,2,4,1,5
+71193,7,2,2,7,NA,3,3,2,7,85,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,19880.837381,19616.828143,1,101,6,6,0.87,6,6,2,2,0,2,23,1,4,6,NA
+71194,7,2,2,61,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,11696.973403,11982.125462,2,101,4,4,0.85,4,4,1,0,1,2,61,1,4,3,NA
+71195,7,2,2,36,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,16663.714937,17273.763859,2,93,15,15,5,3,3,1,0,0,1,41,2,5,1,5
+71196,7,2,2,18,NA,5,6,1,18,223,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,1,1,2,2,1,5668.184078,5913.178809,2,92,10,8,2.01,7,4,1,1,1,2,27,2,3,1,3
+71197,7,2,1,36,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15867.258653,16587.349339,3,91,5,5,1.07,4,4,0,2,0,2,36,1,5,1,4
+71198,7,2,2,11,NA,4,4,1,11,138,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11195.065587,11726.17681,2,96,7,7,1.33,6,6,0,3,1,1,74,1,1,1,NA
+71199,7,2,2,49,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21857.756498,23340.233721,2,97,7,7,1.92,3,3,0,1,0,1,57,1,4,1,4
+71200,7,2,1,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,151766.599459,151581.541662,3,91,15,15,5,1,1,0,0,0,1,51,1,5,5,NA
+71201,7,2,2,57,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,17852.668137,18572.420627,3,91,6,6,1.77,2,2,0,0,0,2,57,2,1,1,1
+71202,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,65706.229298,75664.626338,1,101,7,7,2.64,2,2,0,0,2,1,80,1,1,1,3
+71203,7,2,2,63,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,10391.563983,10953.658293,3,90,14,14,4.96,2,2,0,0,2,1,68,1,3,1,5
+71204,7,2,2,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,46606.430863,46728.795934,2,102,14,14,3.25,5,5,2,0,0,1,27,1,5,1,5
+71205,7,2,2,12,NA,3,3,2,12,146,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,132630.209478,135755.422092,1,97,14,14,3.36,4,4,0,2,0,2,49,1,5,1,5
+71206,7,2,1,29,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,9938.495618,10209.075521,1,93,15,6,2.3,6,1,0,0,0,1,34,2,5,5,NA
+71207,7,1,1,7,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10229.206765,0,1,96,14,14,2.96,5,5,0,3,0,1,46,NA,NA,1,5
+71208,7,2,1,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16905.961576,17805.493573,2,94,10,10,4.76,2,2,0,0,0,1,32,1,5,1,5
+71209,7,2,2,2,NA,1,1,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,10099.930724,10530.26456,2,96,6,6,0.87,6,6,1,3,0,1,46,2,1,1,1
+71210,7,2,1,0,0,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12909.068713,12685.898973,2,92,1,1,0.22,3,3,1,0,0,1,22,1,4,6,NA
+71211,7,2,2,32,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23038.68441,23821.989403,1,92,6,6,1.92,2,2,0,0,0,2,33,2,4,5,NA
+71212,7,2,2,65,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,49568.196121,50175.172049,1,101,3,3,1.24,1,1,0,0,1,2,65,1,2,2,NA
+71213,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,65897.669973,68436.247366,1,99,77,77,NA,3,3,0,0,0,1,42,1,4,6,NA
+71214,7,2,2,11,NA,1,1,1,11,138,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,14414.529053,14932.182215,2,96,6,6,0.87,6,6,1,3,0,1,46,2,1,1,1
+71215,7,2,1,60,NA,3,3,2,NA,NA,2,NA,2,1,77,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,19328.482066,19868.466665,3,90,77,77,NA,1,1,0,0,1,1,60,2,5,5,NA
+71216,7,2,1,46,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,20197.354438,20310.389983,2,96,8,8,3.4,2,2,0,0,0,1,46,2,4,1,4
+71217,7,2,1,28,NA,1,1,1,NA,NA,2,NA,2,7,5,NA,3,5,NA,2,2,2,2,2,2,1,2,2,1,47487.549895,48753.51505,1,102,7,7,1.89,3,3,0,0,0,1,53,2,1,1,1
+71218,7,2,1,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,87891.395784,92007.216086,2,99,15,15,5,1,1,0,0,0,1,33,1,5,5,NA
+71219,7,2,1,60,NA,4,4,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7915.816068,7977.736071,2,93,6,6,1.13,4,4,0,0,2,1,60,2,3,1,3
+71220,7,2,1,4,NA,4,4,1,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11920.911192,13144.753907,2,96,14,14,3.58,4,4,2,0,0,1,36,1,4,1,5
+71221,7,2,1,1,20,1,1,1,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13305.770449,13726.956753,3,92,5,5,0.68,6,6,3,0,0,2,19,1,4,NA,NA
+71222,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,191547.714427,193526.009858,2,91,15,10,5,2,1,0,0,0,2,55,1,5,6,NA
+71223,7,2,2,25,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,30275.274308,30320.430859,2,101,3,2,0.82,2,1,0,0,0,2,25,1,4,5,NA
+71224,7,2,2,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,44636.780791,46200.180609,2,91,6,6,1.26,5,5,0,1,2,2,80,1,4,2,NA
+71225,7,2,1,0,1,1,1,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6298.658963,6412.943673,2,94,77,77,NA,4,4,2,0,0,2,27,2,3,1,3
+71226,7,2,2,0,7,3,3,1,NA,7,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7272.728291,7471.815482,1,98,13,13,NA,5,5,2,1,0,1,31,1,3,1,3
+71227,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13209.159597,13930.540942,2,95,6,6,1.08,4,4,1,1,0,1,39,1,4,1,4
+71228,7,2,2,49,NA,1,1,2,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,31273.071103,31436.157508,1,90,12,12,NA,5,5,0,1,0,2,49,2,1,1,NA
+71229,7,2,1,48,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,1,1,2,1,1,2,1,3,12066.381592,12177.318898,1,103,4,4,0.82,3,3,0,0,0,1,48,2,4,1,1
+71230,7,1,1,30,NA,1,1,NA,NA,NA,2,NA,2,2,4,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,34887.439952,0,2,94,4,4,0.72,4,4,1,1,0,1,30,2,1,1,3
+71231,7,2,1,52,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,17796.910402,18163.842064,1,103,2,2,0.63,1,1,0,0,0,1,52,1,3,4,NA
+71232,7,2,2,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,32041.645327,32131.786508,1,94,2,2,0.73,1,1,0,0,0,2,55,1,3,3,NA
+71233,7,2,1,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12267.215138,12511.113657,2,102,2,2,0.36,4,4,1,2,0,2,36,1,3,5,NA
+71234,7,2,2,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,154825.466557,157902.106304,1,91,7,7,2.92,2,2,0,0,1,2,47,1,5,5,NA
+71235,7,2,1,9,NA,3,3,1,9,115,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38712.032122,41122.784973,3,91,15,15,5,6,6,1,3,0,2,40,1,5,1,5
+71236,7,2,2,2,NA,4,4,2,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7338.212404,7527.624117,1,93,7,7,2.16,3,3,1,0,0,2,28,2,2,1,5
+71237,7,2,2,43,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,35469.911999,36868.395052,2,91,12,13,NA,3,1,0,0,1,1,52,1,4,3,NA
+71238,7,2,2,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,20186.483875,20343.011032,1,99,13,13,NA,4,4,0,2,0,1,55,NA,NA,1,4
+71239,7,2,1,48,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,1,148090.195644,148420.972197,1,98,5,5,1.79,1,1,0,0,0,1,48,1,1,2,NA
+71240,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,6512.729795,7017.196255,1,93,2,2,0.69,1,1,0,0,1,1,80,1,5,2,NA
+71241,7,2,2,0,9,4,4,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4588.59937,4638.701468,2,95,10,10,3.82,3,3,1,0,0,1,25,1,4,1,4
+71242,7,2,1,48,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,19436.026093,19746.342802,2,97,9,9,1.45,7,7,1,2,2,2,45,1,3,5,NA
+71243,7,2,1,17,NA,4,4,1,18,216,2,NA,2,1,5,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19163.050164,19648.623212,2,102,14,14,4.48,3,3,0,2,0,1,41,1,3,4,NA
+71244,7,2,2,64,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,118437.327505,122585.585802,1,90,15,15,5,1,1,0,0,1,2,64,1,5,3,NA
+71245,7,2,1,62,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,7654.035132,8195.014907,3,90,9,9,2.6,4,4,0,0,1,1,62,2,4,1,5
+71246,7,2,1,14,NA,1,1,1,14,178,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23389.620035,24913.232835,1,91,14,14,3.9,4,4,0,1,0,1,41,1,2,1,4
+71247,7,2,1,13,NA,4,4,1,13,162,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,NA,NA,NA,1,2,2,1,14650.502937,14679.468181,2,102,14,14,3.25,5,5,1,1,0,2,32,1,4,1,3
+71248,7,2,1,4,NA,5,6,1,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10123.286306,10422.822776,1,100,15,15,5,3,3,1,0,0,2,28,2,5,1,5
+71249,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,17420.978407,17335.115714,2,97,3,3,0.82,2,2,0,0,0,1,24,1,3,5,NA
+71250,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,20486.987447,22351.0228,2,101,3,1,0,4,1,0,2,0,1,39,1,1,6,NA
+71251,7,1,1,60,NA,4,4,NA,NA,NA,2,NA,2,1,99,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,12848.137255,0,1,101,15,15,5,2,2,0,0,2,1,60,2,5,1,NA
+71252,7,2,2,41,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,4,1,2,2,2,2,1,2,2,1,2,2,2,25778.164795,25912.595732,2,90,2,2,0.25,5,5,0,1,0,2,41,2,4,1,NA
+71253,7,1,2,47,NA,3,3,NA,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,125799.478905,0,1,100,15,15,4.63,5,5,0,0,0,1,51,1,5,1,3
+71254,7,2,2,50,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10964.859884,13217.672684,3,90,77,77,NA,3,3,0,1,0,1,54,2,3,1,3
+71255,7,2,2,2,NA,3,3,1,2,35,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14950.402914,15888.087777,1,102,5,1,0.21,5,4,1,1,0,2,24,1,4,5,NA
+71256,7,2,2,7,NA,4,4,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7428.928475,8424.338415,3,91,1,1,0.07,6,6,2,3,0,2,30,1,2,3,NA
+71257,7,2,1,7,NA,4,4,1,7,90,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8714.559478,8887.823591,2,96,7,7,1.04,7,7,0,4,0,2,37,1,3,3,NA
+71258,7,2,2,19,NA,2,2,2,19,232,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,15442.648697,17482.235263,3,90,10,8,4.3,2,1,0,0,0,1,33,1,3,6,NA
+71259,7,2,2,23,NA,5,6,2,NA,NA,1,2,1,1,NA,NA,3,5,2,1,2,2,1,2,2,1,2,2,1,16844.740449,19586.242825,3,91,99,1,0.28,3,1,0,0,0,2,23,1,3,5,NA
+71260,7,2,2,14,NA,1,1,1,14,171,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20347.899985,21072.708732,3,92,15,15,3.15,7,7,0,4,0,2,35,2,3,3,NA
+71261,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,1,3,NA,1,5,NA,2,2,2,1,2,2,1,2,2,2,24004.6026,24129.784561,2,91,6,6,0.93,5,5,1,2,0,2,50,2,1,5,NA
+71262,7,2,1,15,NA,3,3,2,15,181,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,61479.689958,61628.148021,2,100,15,15,4.5,6,6,0,4,0,1,45,1,5,1,5
+71263,7,2,1,47,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,22685.373982,23664.393091,1,98,1,1,0,4,4,0,3,0,1,47,1,5,3,NA
+71264,7,2,2,20,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,30253.427014,30121.660039,2,90,15,15,4.2,5,5,1,0,0,2,50,NA,NA,6,NA
+71265,7,2,2,15,NA,4,4,2,15,187,NA,NA,1,1,NA,10,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7825.55935,7975.961244,3,90,15,15,5,5,5,0,1,1,2,61,1,5,2,NA
+71266,7,2,2,68,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,117131.838201,119452.245796,1,94,14,14,5,2,2,0,0,2,1,74,1,4,1,4
+71267,7,2,2,41,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,20001.392001,20614.835005,1,100,8,8,2.62,3,3,0,1,0,1,41,2,5,1,5
+71268,7,2,1,5,NA,3,3,2,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,26500.001625,29898.299515,2,91,7,7,1.29,6,6,2,2,0,1,33,2,3,6,NA
+71269,7,1,1,33,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,12556.207754,0,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+71270,7,2,2,15,NA,2,2,2,15,185,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17381.663677,18792.085501,1,90,7,7,2.1,3,3,0,2,0,2,37,1,3,5,NA
+71271,7,2,1,57,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,31872.125984,31404.451666,2,96,6,6,1.12,4,4,0,1,0,1,57,2,1,1,4
+71272,7,2,1,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,77440.662578,92128.223811,2,93,8,8,3.3,2,2,0,0,0,2,26,1,4,1,5
+71273,7,2,1,11,NA,1,1,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,13933.628196,2,98,6,6,1.9,2,2,0,1,0,2,34,1,4,3,NA
+71274,7,2,2,28,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,6,2,1,2,2,1,2,2,1,2,2,1,49473.624024,50829.110777,3,91,14,14,5,2,2,0,0,0,1,32,1,4,6,NA
+71275,7,2,2,12,NA,4,4,1,12,148,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,20473.346601,20523.769333,2,102,15,15,3.82,5,5,1,2,0,1,34,1,3,1,4
+71276,7,2,2,0,5,3,3,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17070.097848,16606.436082,1,101,7,7,1.79,4,4,1,0,0,2,30,1,4,1,4
+71277,7,2,2,4,NA,1,1,1,4,52,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15457.736897,17065.756351,2,98,2,2,0.27,4,4,2,1,0,2,32,2,2,5,NA
+71278,7,2,1,69,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7101.739553,7379.502561,1,96,99,99,NA,1,1,0,0,1,1,69,1,2,1,NA
+71279,7,2,1,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,27356.080541,27285.808403,1,98,6,6,1.11,5,5,1,2,0,2,32,1,2,1,2
+71280,7,2,2,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,95778.224595,101717.815372,1,98,8,8,2.46,3,3,1,0,0,1,29,1,4,6,NA
+71281,7,2,1,2,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7667.509064,7761.032365,2,91,2,2,0.41,3,3,1,1,0,2,30,1,3,5,NA
+71282,7,2,2,25,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,12426.473257,13266.565637,2,92,14,7,3.4,2,1,0,0,0,1,26,NA,NA,5,NA
+71283,7,2,2,0,1,2,2,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,8168.833251,8141.91987,2,91,5,5,1.05,3,3,2,0,0,2,26,2,3,4,NA
+71284,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,10049.7347,10691.470743,2,90,2,2,0.67,2,2,0,0,1,2,64,1,5,5,NA
+71285,7,2,1,10,NA,1,1,1,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13927.458372,14258.502552,2,98,5,5,1.07,4,4,0,1,0,1,52,2,1,1,3
+71286,7,2,2,56,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,22969.116046,23497.145655,2,93,6,6,2.69,1,1,0,0,0,2,56,2,4,3,NA
+71287,7,1,2,3,NA,3,3,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,26966.264969,0,1,98,4,4,0.66,4,4,2,0,0,2,22,1,4,6,NA
+71288,7,2,1,68,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,140586.349952,144513.945685,2,91,15,15,5,2,2,0,0,2,1,68,1,5,1,5
+71289,7,2,2,32,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,27375.405353,27906.494528,1,94,5,5,0.95,4,4,1,2,0,2,32,1,4,3,NA
+71290,7,2,2,10,NA,2,2,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12737.089292,13281.887291,1,94,14,14,3.4,5,5,0,3,0,2,41,1,4,1,4
+71291,7,2,1,50,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,182279.501656,183739.903765,1,100,6,6,1.98,2,2,0,0,0,1,50,1,5,4,NA
+71292,7,2,2,36,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,28747.860416,30448.398533,1,99,10,10,3.13,4,4,0,2,0,1,35,1,4,1,5
+71293,7,2,1,3,NA,2,2,2,3,41,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,13353.801759,13870.061432,1,93,6,6,0.99,5,5,1,0,0,1,28,2,2,5,NA
+71294,7,2,1,16,NA,4,4,1,16,201,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19163.050164,19648.623212,2,102,14,14,4.48,3,3,0,2,0,1,41,1,3,4,NA
+71295,7,2,1,25,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,110218.970616,129453.540645,1,93,7,7,3.21,1,1,0,0,0,1,25,1,4,5,NA
+71296,7,2,2,32,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,27367.658704,28808.672115,1,91,4,4,0.81,4,4,1,1,0,1,32,1,4,6,NA
+71297,7,2,1,19,NA,4,4,1,19,230,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12147.046136,12703.852077,2,100,4,4,0.91,3,3,0,0,0,2,49,1,2,1,2
+71298,7,2,2,7,NA,5,6,2,7,90,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10699.45895,11403.206057,1,97,14,14,2.29,7,7,1,2,2,1,40,2,1,1,1
+71299,7,2,1,2,NA,4,4,1,2,26,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,11283.202594,2,101,4,4,1.22,2,2,1,0,0,2,25,1,4,5,NA
+71300,7,2,2,35,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,12381.032047,12845.540957,1,102,15,15,4.59,4,4,1,1,0,1,35,1,5,1,5
+71301,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,44417.237618,45651.906489,1,102,1,1,0.24,3,2,0,0,1,2,50,1,3,3,NA
+71302,7,2,2,56,NA,4,4,1,NA,NA,2,NA,2,2,6,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,18146.994087,18265.36374,2,93,4,4,1.29,2,2,0,1,0,2,56,2,3,4,NA
+71303,7,2,2,4,NA,4,4,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9707.610673,10138.677842,2,93,5,5,0.92,4,4,1,1,0,1,27,2,2,5,NA
+71304,7,2,1,1,19,1,1,2,NA,19,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,11972.170914,12351.142913,1,97,8,8,1.45,6,6,2,2,0,2,36,2,2,1,1
+71305,7,2,1,7,NA,1,1,1,7,89,NA,NA,1,1,NA,0,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,14820.807433,15055.338709,2,102,7,7,1.89,3,3,0,1,0,1,41,2,2,6,NA
+71306,7,2,2,52,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,12441.719186,12605.354834,2,100,15,15,5,3,3,0,1,0,1,58,2,5,1,5
+71307,7,2,1,58,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,132969.642582,132807.505002,2,91,5,5,1.39,2,2,0,0,0,1,58,1,4,3,NA
+71308,7,2,2,69,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,8493.33267,8821.144988,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+71309,7,2,2,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,NA,25964.813959,27606.791932,2,101,NA,77,NA,2,1,0,0,0,1,55,1,2,3,NA
+71310,7,2,2,67,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,11879.290971,12409.688606,2,96,6,6,2.04,2,2,0,0,1,2,67,1,4,2,NA
+71311,7,2,2,80,NA,2,2,1,NA,NA,2,NA,2,1,9,NA,2,1,NA,2,2,2,1,2,2,2,2,2,NA,21810.940874,23452.513609,2,93,8,8,2.17,4,4,0,0,3,1,80,2,2,1,2
+71312,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15214.43631,2,100,8,8,2.67,3,3,0,0,1,1,61,1,3,1,4
+71313,7,2,1,52,NA,4,4,2,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,19374.410926,19463.695548,1,96,77,77,NA,4,4,0,0,0,1,52,2,5,1,5
+71314,7,2,1,51,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,30839.213846,30386.695922,1,92,4,4,0.74,4,4,1,1,0,1,51,2,1,1,1
+71315,7,2,1,44,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,105141.812429,112387.793787,1,98,6,6,1.11,5,5,0,2,1,2,37,1,1,1,1
+71316,7,2,1,57,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,100418.893093,106630.269812,2,100,10,10,3.13,4,4,0,0,1,2,53,1,2,1,2
+71317,7,2,1,0,1,4,4,2,NA,2,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5848.582979,6109.207769,2,97,4,4,0.57,5,5,1,3,0,2,33,1,3,5,NA
+71318,7,2,2,2,NA,4,4,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6984.912286,7371.360851,2,93,10,10,2.26,6,6,2,0,0,1,34,1,4,1,4
+71319,7,2,2,2,NA,3,3,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,33502.281129,33942.512387,1,91,15,15,5,4,4,1,1,0,1,29,1,4,6,NA
+71320,7,1,1,2,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,10273.602479,0,1,92,12,12,NA,4,4,1,1,0,1,33,2,4,1,4
+71321,7,2,2,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,24713.281483,24036.937705,1,92,14,14,4.96,2,2,0,0,0,1,25,1,4,5,NA
+71322,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,20949.647122,21006.826162,2,91,4,4,0.84,3,3,1,0,0,2,21,1,4,1,2
+71323,7,2,1,9,NA,5,6,2,9,117,NA,NA,2,2,1,3,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,5855.595238,6345.238788,1,91,14,14,4.32,3,3,0,2,0,2,37,2,5,1,NA
+71324,7,2,1,35,NA,2,2,2,NA,NA,2,NA,2,2,5,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,38923.140296,40970.697433,1,93,9,9,2.46,4,4,0,2,0,1,35,2,1,1,1
+71325,7,2,2,3,NA,3,3,2,3,42,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24600.429016,26143.360672,1,91,6,6,1.07,6,6,3,1,0,2,27,1,4,6,NA
+71326,7,2,1,6,NA,4,4,2,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8655.162127,8668.652185,2,95,6,6,0.86,6,6,0,4,0,2,32,1,4,6,NA
+71327,7,2,1,3,NA,1,1,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16775.083123,16797.750213,2,98,2,2,0.27,4,4,2,0,0,2,20,2,2,6,NA
+71328,7,2,2,54,NA,2,2,1,NA,NA,2,NA,2,1,4,NA,4,3,NA,2,2,2,1,2,2,2,2,2,2,26226.50904,26977.257389,2,93,7,7,1.74,4,4,1,0,1,2,24,NA,NA,4,NA
+71329,7,2,1,8,NA,3,3,2,8,100,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,63513.013195,68899.034203,2,101,7,7,1.57,4,4,0,2,0,2,28,1,3,6,NA
+71330,7,2,1,39,NA,5,6,1,NA,NA,2,NA,2,1,3,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,9585.652672,9712.791327,2,92,10,6,1.12,7,4,1,1,1,2,27,2,3,1,3
+71331,7,2,2,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,9767.083234,9561.595244,3,92,10,10,2.82,4,4,2,0,0,1,26,2,3,1,3
+71332,7,2,2,10,NA,1,1,1,10,129,NA,NA,1,1,NA,4,NA,NA,NA,2,1,1,1,2,1,1,2,2,1,20495.125801,20710.596821,3,92,6,6,0.96,5,5,2,1,0,2,26,2,1,1,1
+71333,7,2,2,30,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,52521.960331,51104.807504,1,92,10,10,4.63,2,2,0,0,0,1,35,2,5,1,4
+71334,7,2,1,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,15682.233511,17550.107712,1,98,6,6,1.9,2,2,0,0,2,1,80,1,1,1,2
+71335,7,1,1,61,NA,2,2,NA,NA,NA,2,NA,2,1,6,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,6449.12882,0,2,93,77,77,NA,3,3,0,0,3,1,61,2,1,1,1
+71336,7,2,1,45,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14695.245859,15160.543049,2,92,15,15,5,3,3,0,1,0,1,45,2,4,1,4
+71337,7,2,1,7,NA,3,3,2,7,87,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64268.100156,67147.933534,1,98,15,15,4.07,5,5,0,3,0,1,38,1,2,1,4
+71338,7,2,2,8,NA,4,4,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11195.065587,11638.702248,2,96,2,2,0.43,3,3,0,2,0,2,50,1,2,5,NA
+71339,7,2,2,69,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,39030.893313,39804.103933,1,91,5,5,1.2,3,3,0,0,1,1,58,1,2,1,2
+71340,7,2,2,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,24919.497762,26574.647337,1,95,5,5,1.1,3,3,0,0,1,2,63,1,4,1,5
+71341,7,2,1,58,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,14897.510053,14959.811939,1,101,15,15,5,3,3,0,0,1,1,58,2,4,1,5
+71342,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,46965.818538,52174.805072,1,101,7,7,2.64,2,2,0,0,2,1,80,1,1,1,3
+71343,7,2,2,29,NA,3,3,2,NA,NA,2,NA,2,1,6,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,105134.853452,122679.602456,2,99,14,14,5,1,1,0,0,0,2,29,2,5,5,NA
+71344,7,2,1,65,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,28953.774534,29107.622897,1,98,4,4,1,3,3,0,1,1,1,65,1,2,1,NA
+71345,7,1,1,60,NA,1,1,NA,NA,NA,2,NA,2,2,77,NA,2,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,12845.115724,0,1,100,4,4,0.78,4,4,0,0,1,1,33,2,1,1,1
+71346,7,2,2,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,NA,44856.466004,46390.551109,2,94,12,9,5,2,1,0,0,1,2,74,1,5,3,NA
+71347,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,32461.799549,32422.216998,1,95,6,2,0.81,2,1,0,0,0,1,53,1,2,6,NA
+71348,7,2,1,56,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,25118.469449,26051.81361,2,98,6,6,1.4,3,3,0,1,0,1,56,1,2,1,2
+71349,7,1,1,78,NA,5,6,NA,NA,NA,2,NA,2,1,6,NA,1,2,NA,1,2,1,1,2,2,NA,NA,NA,NA,9748.579573,0,3,90,8,8,1.85,5,5,0,0,1,2,25,1,5,5,NA
+71350,7,2,2,6,NA,4,4,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9502.76472,9802.874785,1,96,3,3,0.93,2,2,0,1,0,2,40,1,5,5,NA
+71351,7,2,2,52,NA,5,6,1,NA,NA,2,NA,2,1,8,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,11876.875273,12162.823626,2,103,15,15,5,3,3,0,0,0,2,52,2,4,1,5
+71352,7,2,2,10,NA,5,6,2,10,130,NA,NA,2,1,3,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9227.090107,9685.088635,2,100,5,5,0.89,4,4,0,1,0,2,40,2,3,1,3
+71353,7,2,2,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,36067.495928,37024.300659,1,95,3,3,1.29,1,1,0,0,1,2,76,1,3,2,NA
+71354,7,2,1,50,NA,1,1,1,NA,NA,1,1,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,37557.946192,37666.079092,2,102,7,7,3.49,4,1,0,0,1,1,63,NA,NA,5,NA
+71355,7,2,2,20,NA,5,6,1,NA,NA,2,NA,2,1,4,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,16026.446928,16774.880842,1,94,14,14,2.78,6,5,0,2,1,1,61,1,4,1,5
+71356,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,129867.826953,131085.811251,1,101,9,9,2.6,4,4,0,1,2,2,63,1,4,1,4
+71357,7,2,1,29,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15408.94893,15333.002917,1,99,7,7,2.38,2,2,0,0,0,2,27,1,5,1,5
+71358,7,2,2,1,22,2,2,1,NA,23,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,7815.664341,8308.38945,2,103,5,5,0.65,6,6,1,0,1,2,61,2,1,2,NA
+71359,7,2,1,41,NA,2,2,2,NA,NA,2,NA,2,7,77,NA,1,1,NA,2,2,2,2,2,2,NA,NA,NA,NA,31640.296506,33247.715312,2,94,1,1,0.01,7,7,1,3,0,1,41,2,1,1,1
+71360,7,2,2,25,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,2,1,2,2,2,2,2,2,2,NA,NA,NA,NA,39426.061521,43773.817687,2,94,4,4,0.81,4,4,2,0,0,1,26,2,2,1,2
+71361,7,2,2,55,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,17852.668137,17947.072019,3,91,7,7,2.58,2,2,0,0,0,2,55,2,5,3,NA
+71362,7,2,1,23,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,25815.880139,26503.609729,2,101,2,1,0.05,2,1,0,0,0,1,24,1,4,5,NA
+71363,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,2,1,2,2,NA,NA,NA,1,2,2,1,16165.066826,16696.869727,2,96,NA,NA,NA,4,4,0,0,1,1,67,2,3,1,2
+71364,7,2,1,13,NA,4,4,1,13,157,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11666.009872,12200.765691,2,100,14,4,0.43,7,7,1,3,1,2,62,1,3,5,NA
+71365,7,2,1,22,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21763.209029,22385.504537,2,92,4,4,1.38,4,1,0,0,0,1,21,1,4,5,NA
+71366,7,2,2,20,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,114492.825466,119073.624167,2,101,3,1,0.06,3,1,0,0,0,2,20,2,4,5,NA
+71367,7,2,1,7,NA,2,2,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13533.281742,13475.903543,1,100,10,10,2.91,4,4,1,1,0,1,32,1,5,1,5
+71368,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,82363.088109,88909.58429,1,90,14,14,3.93,3,3,1,0,0,1,35,1,2,1,5
+71369,7,2,2,3,NA,5,6,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3842.794137,4026.588867,1,93,6,6,1.15,5,5,1,0,2,2,70,NA,NA,1,NA
+71370,7,2,1,9,NA,3,3,2,9,114,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,21087.869274,22686.932895,1,101,1,1,0.1,4,4,1,1,0,2,52,1,4,3,NA
+71371,7,2,2,63,NA,5,7,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,28759.144922,29766.431764,3,90,7,7,2.51,2,2,0,0,2,1,62,2,3,1,4
+71372,7,2,1,37,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,1,6,NA,2,2,2,2,2,2,2,2,2,2,51543.062078,51154.050295,3,92,3,3,0.51,5,5,1,2,0,2,34,2,1,6,NA
+71373,7,2,1,1,15,1,1,1,NA,15,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9925.934568,9762.398236,2,92,5,5,1.08,3,3,1,0,0,2,30,2,3,1,2
+71374,7,2,2,52,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,12059.495297,12169.751033,1,102,15,15,3.82,5,5,1,1,0,1,29,1,4,1,4
+71375,7,2,1,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,70819.746399,73506.573727,1,98,6,6,1.98,2,2,0,0,2,2,70,1,4,1,5
+71376,7,2,1,3,NA,1,1,1,3,39,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18754.85406,20094.472571,2,102,14,14,3.8,4,4,2,0,0,2,41,2,4,1,5
+71377,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,27199.141352,28737.286192,1,98,77,77,NA,2,2,0,0,2,1,80,1,5,1,5
+71378,7,2,1,5,NA,3,3,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39061.897809,44649.899401,1,95,15,15,3.62,7,7,2,4,0,1,59,1,5,1,2
+71379,7,2,2,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,27351.473517,27893.312251,2,94,2,2,0.83,1,1,0,0,1,2,60,1,5,5,NA
+71380,7,1,2,80,NA,4,4,NA,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,15914.916287,0,2,99,5,5,1.59,2,2,0,0,1,2,80,1,3,2,NA
+71381,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,1,2,2,3,12765.378725,13670.003215,2,90,14,14,4.32,3,3,0,1,0,1,48,2,4,1,5
+71382,7,2,2,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,54095.581484,61529.339683,2,94,9,9,3.97,2,2,0,0,2,1,80,1,5,1,5
+71383,7,2,2,3,NA,5,6,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,2,NA,NA,NA,NA,5060.292252,5371.954509,1,90,8,8,1.43,7,7,2,0,0,1,23,2,4,1,3
+71384,7,2,2,7,NA,1,1,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15962.145468,16285.000268,3,92,7,7,1.49,5,5,0,2,1,2,62,1,4,2,NA
+71385,7,2,2,6,NA,3,3,2,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,28723.999699,28637.704803,1,97,6,6,1.03,6,6,2,2,0,2,38,1,5,1,4
+71386,7,2,2,1,23,1,1,1,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14326.094268,14518.763259,3,92,14,14,3.47,4,4,1,1,0,1,44,1,3,1,5
+71387,7,2,2,3,NA,4,4,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10437.988787,11378.89676,2,97,NA,99,NA,7,6,2,1,1,2,56,1,3,5,NA
+71388,7,2,1,42,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,49060.272708,48340.388834,1,92,7,7,1.48,5,5,0,1,0,1,42,1,5,1,4
+71389,7,2,2,1,21,2,2,1,NA,22,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11443.671453,12634.120381,1,100,15,15,4.34,4,4,2,0,0,2,35,1,5,1,5
+71390,7,2,1,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,30626.145273,33111.125584,2,103,7,7,2.64,2,2,0,0,1,1,54,1,5,5,NA
+71391,7,2,1,11,NA,3,3,1,11,137,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,38712.032122,41122.784973,3,91,15,15,5,6,6,1,3,0,2,40,1,5,1,5
+71392,7,2,2,43,NA,2,2,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,35485.230645,37305.51435,1,94,7,7,1.74,4,4,0,2,0,1,44,1,5,1,5
+71393,7,2,1,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,108410.783716,113500.095101,1,91,15,7,3.58,3,1,0,0,0,1,27,1,3,6,NA
+71394,7,1,1,78,NA,5,6,NA,NA,NA,2,NA,2,1,5,NA,3,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,12320.168636,0,2,92,4,4,1.09,2,2,0,0,2,1,78,2,3,1,NA
+71395,7,2,1,30,NA,2,2,2,NA,NA,2,NA,2,2,6,NA,1,4,NA,2,2,2,2,2,2,2,2,2,2,27605.196104,27396.850962,2,99,12,7,3.31,5,1,0,1,0,1,30,2,2,4,NA
+71396,7,2,2,3,NA,4,4,2,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10936.097083,12221.030117,2,95,2,2,0.42,3,3,2,0,0,1,25,1,3,5,NA
+71397,7,2,1,24,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,4,NA,1,2,2,1,2,2,1,2,2,1,23484.626749,26526.417464,2,96,14,14,5,1,1,0,0,0,1,24,1,4,4,NA
+71398,7,2,1,13,NA,4,4,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11788.330261,12582.159913,2,95,6,6,0.97,6,6,2,2,0,1,37,1,3,1,4
+71399,7,2,1,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,103893.364631,104494.238956,2,95,9,9,2.22,5,5,1,0,0,1,55,1,4,1,5
+71400,7,1,1,18,NA,5,6,NA,NA,NA,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,7669.677276,0,2,95,3,3,0.99,2,2,0,0,0,1,18,1,3,NA,NA
+71401,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,31785.728924,32871.467684,1,101,4,4,1.22,2,2,0,0,1,1,63,1,2,1,2
+71402,7,2,1,0,3,3,3,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21055.122405,20691.125102,1,93,15,15,4.47,4,4,2,0,0,1,31,1,5,1,5
+71403,7,2,2,30,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,31335.13799,31552.004994,1,95,5,5,0.92,5,5,1,2,0,2,30,1,4,1,4
+71404,7,2,1,18,NA,4,4,1,18,219,2,NA,1,1,NA,66,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13276.485807,15665.287637,2,100,99,99,NA,3,3,0,0,0,1,46,1,9,3,NA
+71405,7,2,1,63,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,6910.118936,7233.371983,2,95,4,4,1.77,1,1,0,0,1,1,63,1,2,3,NA
+71406,7,2,2,8,NA,4,4,1,8,106,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8558.832746,8898.001102,2,96,3,3,0.38,5,5,1,2,0,2,30,1,3,5,NA
+71407,7,2,2,49,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,20418.635225,20918.390367,2,95,14,14,5,2,2,0,0,0,1,44,1,3,1,4
+71408,7,2,2,19,NA,2,2,2,19,238,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,16995.403684,17639.03984,2,97,2,2,0.27,3,3,2,0,0,2,19,1,3,NA,NA
+71409,7,2,1,41,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,116464.874823,116165.700541,2,94,14,14,2.83,6,6,0,4,0,2,38,1,2,1,2
+71410,7,2,2,15,NA,3,3,2,15,182,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,103007.696238,104941.393061,1,101,15,15,5,4,4,0,2,0,1,43,1,4,1,5
+71411,7,2,1,8,NA,4,4,1,8,103,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,NA,9261.557132,9782.87535,2,100,1,1,0.08,5,5,1,2,0,2,19,1,3,NA,NA
+71412,7,2,2,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,35269.9609,35902.08788,2,96,14,14,3.58,4,4,2,0,0,1,36,1,4,1,5
+71413,7,2,1,40,NA,2,2,1,NA,NA,2,NA,2,2,77,NA,4,6,NA,2,2,2,1,2,2,1,2,2,2,28726.575428,28964.259011,2,100,3,3,0.76,3,3,1,0,0,2,31,2,1,6,NA
+71414,7,2,1,17,NA,1,1,1,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24228.858782,24355.020132,2,102,77,77,NA,4,4,0,1,0,1,47,1,2,1,3
+71415,7,2,1,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,78529.577822,86568.047729,1,98,7,7,1,7,7,2,2,0,2,34,1,4,3,NA
+71416,7,2,2,39,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,16411.593279,16445.104385,2,103,15,15,5,2,2,0,0,0,2,39,2,5,5,NA
+71417,7,2,1,64,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,12279.19827,12375.250021,2,102,6,6,2.04,2,2,0,0,1,1,64,1,3,1,4
+71418,7,2,2,7,NA,5,6,2,7,90,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10699.45895,11230.540406,1,97,15,15,4.77,4,4,1,1,0,2,40,1,5,1,5
+71419,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,NA,NA,NA,NA,74517.751389,77393.175383,2,94,15,15,4.59,4,4,1,1,0,2,37,1,5,1,5
+71420,7,2,2,54,NA,1,1,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,2,2,2,1,2,2,2,2,2,2,23953.14388,24078.057488,1,90,12,12,NA,4,4,0,0,0,1,54,2,4,1,2
+71421,7,2,1,3,NA,3,3,1,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,32621.433667,37288.094364,2,101,3,3,0.3,7,7,1,2,0,2,50,1,2,4,NA
+71422,7,2,2,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,77778.949308,80709.488833,1,101,14,14,4.21,4,4,1,1,0,2,37,1,5,1,5
+71423,7,2,1,27,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,12540.575493,12881.998163,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+71424,7,2,1,19,NA,3,3,1,19,236,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,110478.18082,109645.964567,2,101,1,1,0.09,2,1,0,0,0,1,19,1,4,NA,NA
+71425,7,2,2,13,NA,3,3,2,13,167,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,35589.982806,42898.287648,1,101,6,6,1.31,3,3,0,2,0,1,43,1,3,4,NA
+71426,7,2,1,3,NA,4,4,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9016.053035,9035.668246,2,100,3,3,0.31,7,7,3,2,0,2,28,1,3,1,3
+71427,7,2,2,39,NA,5,6,1,NA,NA,2,NA,2,2,1,NA,5,1,2,1,2,1,1,2,1,NA,NA,NA,NA,15951.963269,17051.924396,3,91,14,14,3.58,4,4,1,1,0,1,39,2,5,1,5
+71428,7,2,1,35,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,99741.609501,104268.100538,1,94,6,6,1.57,3,3,0,1,0,2,28,1,4,1,4
+71429,7,2,2,9,NA,4,4,2,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8579.490652,8729.153641,2,97,3,3,0.4,6,6,2,3,0,2,25,1,2,5,NA
+71430,7,2,2,65,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,1,10468.473646,11728.156896,2,90,7,7,1.61,4,4,1,1,1,2,65,1,3,2,NA
+71431,7,2,2,2,NA,4,4,1,2,32,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7382.686927,8048.181894,2,100,3,3,0.27,7,7,2,1,0,2,41,1,2,5,NA
+71432,7,2,2,13,NA,1,1,1,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,19329.26314,19883.967368,1,103,14,14,2.96,5,5,1,2,0,1,34,1,4,1,5
+71433,7,2,1,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,19020.83925,19736.003798,2,99,6,6,1.13,4,4,1,1,0,1,33,1,3,6,NA
+71434,7,2,1,17,NA,5,6,2,17,214,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9202.202094,9789.088627,1,90,15,15,5,5,5,0,2,0,1,47,2,5,1,5
+71435,7,2,1,4,NA,5,6,2,4,49,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6564.381324,7362.671865,2,90,77,77,NA,4,3,1,0,0,2,30,2,2,5,NA
+71436,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,11355.3308,11862.334174,1,96,9,9,4.13,2,2,0,0,1,2,55,1,4,5,NA
+71437,7,1,2,3,NA,4,4,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,9707.610673,0,2,93,1,1,0.2,2,2,1,0,0,2,33,2,3,5,NA
+71438,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,13549.492282,14020.967918,2,93,12,12,NA,4,4,0,0,2,1,72,1,2,1,4
+71439,7,2,2,3,NA,3,3,2,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,64475.568487,69419.338511,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+71440,7,2,1,10,NA,1,1,1,10,124,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12665.770043,13116.669484,1,100,9,9,2.02,6,6,0,3,1,2,39,1,4,1,5
+71441,7,2,2,12,NA,2,2,2,12,153,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,14437.97544,16344.869867,2,90,3,3,0.38,5,5,0,4,0,2,33,2,2,5,NA
+71442,7,2,1,1,12,3,3,1,NA,12,NA,NA,2,2,1,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,21380.815125,22997.240081,1,103,15,15,5,3,3,1,0,0,1,26,2,5,1,5
+71443,7,2,1,7,NA,1,1,2,7,94,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,12477.812875,12553.43469,2,94,4,4,0.63,6,6,1,2,0,2,36,2,3,1,1
+71444,7,2,2,0,3,5,7,2,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6399.50062,6586.636465,1,101,2,2,0.33,4,4,2,1,0,2,26,1,4,5,NA
+71445,7,2,1,2,NA,2,2,1,2,30,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,12005.116852,12547.788444,3,92,6,6,0.86,7,7,1,4,0,2,36,2,1,1,1
+71446,7,2,2,11,NA,1,1,1,11,135,NA,NA,2,2,3,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,16986.005478,17733.622754,2,102,4,4,0.57,5,5,0,3,0,1,41,2,1,1,2
+71447,7,2,2,1,19,4,4,2,NA,20,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7348.24433,8211.623817,2,95,2,2,0.33,2,2,1,0,0,2,21,1,1,5,NA
+71448,7,2,2,6,NA,4,4,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9453.111053,10094.338553,1,100,6,6,1.39,4,4,0,3,0,2,29,1,4,5,NA
+71449,7,2,2,40,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,3,2,1,2,2,1,2,2,1,2,2,1,128187.954928,128313.829811,1,99,12,7,3.81,2,1,0,0,0,2,40,1,4,3,NA
+71450,7,2,2,34,NA,3,3,1,NA,NA,2,NA,2,2,2,NA,4,1,2,2,2,2,2,2,2,NA,NA,NA,NA,66218.994273,67969.524045,2,93,7,7,1.52,4,4,1,1,0,1,44,2,4,1,NA
+71451,7,2,2,51,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,24217.957803,24014.890408,2,94,4,4,1.56,2,1,0,0,0,2,51,1,2,6,NA
+71452,7,2,1,36,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,96897.480702,107123.014093,2,91,15,15,5,4,4,2,0,0,2,33,1,5,1,5
+71453,7,2,1,14,NA,5,6,1,14,171,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11657.164593,12175.606972,1,92,9,9,2.88,3,3,0,2,0,1,50,2,5,3,NA
+71454,7,2,2,8,NA,3,3,1,8,106,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,18417.272091,18465.044105,1,94,5,5,1.04,4,4,0,2,0,2,29,1,3,1,3
+71455,7,2,1,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,NA,13838.08267,16302.45001,1,94,3,3,1.16,1,1,0,0,1,1,70,1,3,5,NA
+71456,7,2,1,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,59473.789098,72577.011806,3,92,4,1,0.27,5,1,0,0,0,2,57,1,4,1,2
+71457,7,2,2,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,23325.73926,22687.369215,1,101,2,2,0.68,1,1,0,0,0,2,53,1,4,2,NA
+71458,7,2,1,5,NA,5,6,1,5,66,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,1,NA,NA,NA,NA,8838.066777,9670.229845,3,92,77,77,NA,7,7,2,4,1,1,62,NA,NA,1,NA
+71459,7,2,2,14,NA,3,3,2,14,176,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,93307.64449,95903.481223,2,94,15,15,5,3,3,0,1,0,1,49,1,3,1,1
+71460,7,2,2,47,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,19075.861607,19022.257361,1,96,15,15,5,4,4,1,1,0,1,50,1,3,1,4
+71461,7,2,1,7,NA,4,4,1,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13423.881856,13521.226684,2,101,8,8,2.43,3,3,0,1,0,1,35,1,4,6,NA
+71462,7,2,1,7,NA,4,4,2,7,91,NA,NA,2,1,1,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10424.657432,11237.830079,1,93,6,6,1.35,3,3,0,1,0,1,32,2,4,1,4
+71463,7,2,1,0,4,1,1,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6298.658963,6651.880632,2,94,15,15,3.33,6,6,1,2,0,2,20,1,3,1,NA
+71464,7,2,2,3,NA,1,1,2,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13366.393396,13791.68675,2,94,5,5,1.07,4,4,2,0,0,1,37,2,1,1,1
+71465,7,2,2,26,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,18070.666316,19871.407536,1,99,6,6,2.75,1,1,0,0,0,2,26,2,5,4,NA
+71466,7,2,1,2,NA,2,2,1,2,33,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,11727.291842,11865.933582,2,91,2,2,0.19,5,5,3,0,0,1,24,2,1,1,3
+71467,7,2,1,48,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,141134.499671,148176.982862,2,101,8,8,2.81,3,3,0,2,0,1,48,1,3,3,NA
+71468,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,17191.889135,17295.278265,2,93,2,2,0.75,1,1,0,0,0,2,50,1,3,3,NA
+71469,7,2,1,12,NA,4,4,2,12,155,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9313.795042,9381.627752,1,96,77,77,NA,7,7,1,3,0,1,56,1,3,1,4
+71470,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,52209.836905,58077.47757,1,98,8,8,3.48,2,2,0,0,2,1,80,1,3,1,2
+71471,7,2,1,10,NA,3,3,2,10,123,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,44777.275016,47565.734765,1,91,7,7,1.88,4,4,1,2,0,2,43,1,5,4,NA
+71472,7,2,1,32,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,16058.989596,15830.0816,2,97,3,3,0.33,6,6,2,0,0,2,32,1,2,1,3
+71473,7,2,2,38,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,34007.843648,34076.908664,2,98,10,10,4.76,2,2,0,0,0,1,42,1,2,6,NA
+71474,7,2,1,25,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,18509.151292,19027.688747,2,95,2,2,0.42,3,3,2,0,0,1,25,1,3,5,NA
+71475,7,2,2,12,NA,3,3,1,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39616.634313,47751.80094,2,101,3,3,0.59,4,3,0,2,0,1,39,1,1,6,NA
+71476,7,2,2,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,35375.447072,38057.027004,1,97,8,8,2.51,3,3,0,1,0,1,35,1,3,1,4
+71477,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,12842.559946,13702.031196,2,95,13,13,NA,2,2,0,0,2,2,80,1,1,1,NA
+71478,7,2,1,43,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,6,NA,1,2,2,1,2,2,1,2,2,1,35406.972937,35535.728875,2,98,7,7,1.53,5,5,0,0,0,2,48,1,3,5,NA
+71479,7,2,2,15,NA,5,6,2,15,190,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,12224.9472,12547.183925,1,97,14,14,2.72,7,7,0,2,0,1,40,1,5,1,5
+71480,7,2,2,5,NA,4,4,2,5,65,NA,NA,2,1,2,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10544.002566,11127.362026,1,91,7,7,1.49,5,5,3,0,0,2,38,2,4,1,4
+71481,7,2,2,26,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,50915.06085,56529.78018,3,92,7,7,1.65,4,4,1,1,0,1,27,1,3,1,3
+71482,7,2,2,40,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,19075.861607,18884.31701,1,96,8,8,2,4,4,1,2,0,2,40,1,4,5,NA
+71483,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,49191.372812,61149.379277,3,91,7,7,2.45,2,2,0,0,2,1,80,1,2,1,2
+71484,7,1,1,39,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,113827.590402,0,2,91,7,7,1.89,3,3,0,0,2,2,69,NA,NA,1,4
+71485,7,1,1,18,NA,5,6,NA,NA,NA,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,6666.045669,0,3,90,8,8,1.85,5,5,0,0,1,2,25,1,5,5,NA
+71486,7,2,2,11,NA,4,4,2,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8549.049441,9128.952244,2,99,6,6,1.73,3,3,1,1,1,2,60,1,4,3,NA
+71487,7,2,2,13,NA,5,6,1,13,159,NA,NA,2,2,4,7,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,6145.01663,6410.621394,2,92,6,6,1.3,4,4,0,1,0,2,48,2,3,1,3
+71488,7,2,2,41,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,23409.362971,23966.406748,2,96,5,5,1.08,3,3,0,1,0,2,41,1,3,1,NA
+71489,7,2,2,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,23545.494186,22594.243077,2,99,8,8,3.47,2,2,0,0,1,2,74,1,5,2,NA
+71490,7,2,2,11,NA,1,1,1,11,133,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13490.527555,13974.998066,2,96,5,5,0.68,6,6,0,3,2,1,60,2,1,1,1
+71491,7,2,1,12,NA,3,3,1,13,156,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,23588.786918,23619.012758,1,94,7,7,1.29,6,6,1,3,0,1,38,1,3,1,2
+71492,7,2,2,51,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,32041.645327,31772.976371,3,91,7,7,1.1,7,7,0,4,0,1,40,1,4,1,3
+71493,7,2,1,14,NA,1,1,1,15,180,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22768.423624,22944.003607,2,98,8,8,3.06,2,2,0,1,0,2,56,1,3,3,NA
+71494,7,2,1,29,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,17191.065623,18600.361918,1,100,5,5,1.79,2,1,0,0,0,1,27,NA,NA,5,NA
+71495,7,2,2,28,NA,2,2,2,NA,NA,2,NA,2,1,6,NA,3,6,2,1,2,2,1,2,2,1,2,2,1,43200.700326,51577.05558,1,97,5,5,1.04,4,4,1,1,0,1,32,1,3,6,NA
+71496,7,2,1,65,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,1,4,NA,2,2,2,2,2,2,1,2,2,2,6564.099986,6927.048144,2,95,12,3,1.07,4,1,0,0,1,1,65,2,1,4,NA
+71497,7,2,2,71,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,NA,27602.403077,28546.401551,1,94,2,2,0.55,2,2,0,0,2,2,75,1,1,3,NA
+71498,7,2,2,5,NA,4,4,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10389.292229,10850.629517,2,95,4,4,0.65,4,4,1,2,0,2,27,1,3,5,NA
+71499,7,2,1,16,NA,4,4,2,16,197,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11834.781205,12063.950506,2,90,15,15,5,4,4,1,1,0,1,53,2,5,1,5
+71500,7,2,1,6,NA,1,1,1,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13927.458372,14007.413517,2,98,15,15,4.97,5,5,0,3,0,1,39,1,5,1,5
+71501,7,2,2,2,NA,3,3,2,2,29,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,50995.241584,52601.79766,2,91,14,14,4.12,4,4,2,0,0,1,35,1,5,1,5
+71502,7,2,1,16,NA,1,1,1,16,193,NA,NA,1,1,NA,8,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,19570.996814,19477.677478,2,100,4,4,0.81,4,4,0,2,0,1,56,1,4,1,2
+71503,7,2,1,30,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21200.922169,24170.169783,2,99,9,9,4.92,1,1,0,0,0,1,30,1,4,5,NA
+71504,7,2,2,16,NA,1,1,1,16,200,NA,NA,2,2,4,10,NA,NA,NA,2,2,2,1,2,2,1,2,2,1,22753.900764,24458.613732,1,100,2,2,0.35,4,4,0,1,0,2,40,2,2,5,NA
+71505,7,2,1,33,NA,2,2,2,NA,NA,2,NA,2,1,3,NA,3,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,43108.74283,42989.380022,2,91,7,7,2.64,2,2,0,1,0,1,33,2,3,1,NA
+71506,7,2,2,0,2,5,7,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9148.090461,9086.623516,1,92,9,9,3.14,3,3,1,0,0,2,30,1,5,1,5
+71507,7,2,1,1,15,1,1,2,NA,16,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11160.282155,11957.436882,2,97,2,2,0.27,3,3,2,0,0,2,19,1,3,NA,NA
+71508,7,2,1,1,20,4,4,2,NA,21,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10232.679671,11283.202594,2,101,2,2,0.48,2,2,1,0,0,2,19,1,3,NA,NA
+71509,7,2,2,60,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,3,2,NA,1,2,1,1,2,1,1,2,1,3,12627.660237,14547.347393,2,101,99,99,NA,2,2,0,0,1,2,60,2,3,2,NA
+71510,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,1,2,1,2,2,1,2,2,NA,46372.402053,52744.849017,1,90,5,5,1.05,3,3,0,0,3,2,60,1,5,77,NA
+71511,7,2,1,64,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,1,NA,1,2,2,NA,NA,NA,1,2,2,1,11842.156092,12450.236093,2,96,NA,NA,NA,3,3,0,0,2,1,64,2,4,1,NA
+71512,7,2,1,18,NA,2,2,1,18,222,2,NA,2,2,2,13,NA,NA,NA,2,2,2,2,2,2,2,2,2,2,18206.126374,18280.234909,2,93,4,4,0.82,4,4,0,0,0,1,51,2,3,1,3
+71513,7,2,1,18,NA,2,2,1,18,217,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,2,2,2,1,2,2,1,17555.907575,17627.369376,2,93,6,6,1.39,4,4,0,0,0,1,53,2,3,1,3
+71514,7,2,2,1,15,2,2,2,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9955.153132,10089.038145,2,94,77,77,NA,4,4,2,0,0,2,32,2,4,1,4
+71515,7,2,1,55,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27735.830485,32770.478954,2,91,14,14,4.19,3,3,0,1,0,1,55,2,3,1,5
+71516,7,2,1,23,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,79607.896323,82775.96099,2,92,6,6,2.75,1,1,0,0,0,1,23,1,5,5,NA
+71517,7,2,2,56,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,15521.115746,15563.161752,1,96,2,2,0.4,3,3,0,0,0,2,56,1,3,3,NA
+71518,7,2,2,6,NA,5,6,1,6,75,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5139.061504,5511.809249,2,103,77,77,NA,5,5,0,2,0,2,39,2,5,1,5
+71519,7,2,1,12,NA,4,4,2,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11085.075029,10992.519505,1,93,7,7,1.97,4,4,1,2,0,2,33,1,4,3,NA
+71520,7,2,2,2,NA,2,2,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10099.930724,10736.663476,2,96,1,1,0.06,5,5,2,1,0,1,27,2,3,1,4
+71521,7,2,1,18,NA,4,4,2,18,222,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,13416.172328,13513.882801,1,96,15,15,5,4,4,0,1,0,1,42,2,4,1,4
+71522,7,2,2,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,41983.304745,42669.243011,1,95,5,5,1.1,3,3,0,0,1,2,63,1,4,1,5
+71523,7,2,1,2,NA,4,4,2,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6441.733603,6707.906886,1,91,7,7,1.49,5,5,3,0,0,2,38,2,4,1,4
+71524,7,2,2,16,NA,5,6,1,16,199,NA,NA,2,2,2,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8391.252153,8753.945484,1,92,12,12,NA,7,7,1,2,1,2,45,2,3,1,3
+71525,7,2,2,70,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,72295.614975,73067.691445,1,98,6,6,1.98,2,2,0,0,2,2,70,1,4,1,5
+71526,7,2,2,39,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,17978.142628,18083.929198,1,91,15,15,5,5,5,0,3,0,1,40,1,5,1,5
+71527,7,2,2,54,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,32032.578233,33220.140308,1,91,4,4,0.86,3,3,1,0,0,2,54,1,4,3,NA
+71528,7,2,2,30,NA,4,4,2,NA,NA,2,NA,2,1,4,NA,5,5,2,1,2,2,1,2,2,NA,NA,NA,NA,26462.874679,26479.317455,2,99,15,15,4.34,4,4,0,0,0,1,59,2,4,1,5
+71529,7,2,1,33,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,26972.787983,26588.312559,2,96,10,10,4.76,2,2,0,0,0,2,26,1,5,1,4
+71530,7,2,1,68,NA,1,1,1,NA,NA,1,1,2,1,9,NA,4,1,NA,2,2,2,1,2,2,1,2,2,2,11568.876339,11794.347884,1,102,77,77,NA,2,2,0,0,2,1,68,2,4,1,1
+71531,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,109181.566304,112308.582503,2,91,15,2,0.72,7,1,0,0,1,1,49,NA,NA,5,NA
+71532,7,2,1,21,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,42077.383821,44759.048785,1,102,6,6,1.34,4,4,0,1,0,2,48,2,3,1,1
+71533,7,2,2,38,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,2,1,2,2,1,2,2,NA,NA,NA,NA,31646.000316,42635.226522,1,93,1,1,0,2,2,0,1,0,2,38,1,4,3,NA
+71534,7,2,1,76,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,15844.527135,16703.540642,1,95,6,6,2.04,2,2,0,0,2,2,67,1,1,2,NA
+71535,7,2,2,46,NA,2,2,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,32606.880052,33604.492246,2,93,14,14,3.25,4,4,0,2,0,2,46,2,5,1,4
+71536,7,2,2,44,NA,3,3,2,NA,NA,2,NA,2,1,5,NA,5,3,1,1,2,2,1,2,2,NA,NA,NA,NA,26763.110196,27429.212861,1,100,3,3,0.92,1,1,0,0,0,2,44,2,5,3,NA
+71537,7,2,1,11,NA,4,4,1,11,135,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13423.881856,14179.490667,2,101,4,4,1.02,2,2,0,1,0,2,30,1,2,77,NA
+71538,7,2,2,54,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,1,21143.964074,20565.30403,1,100,5,5,0.85,5,5,0,2,0,2,54,1,2,2,NA
+71539,7,2,2,16,NA,5,6,1,16,195,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,4445.888073,4534.01329,1,103,77,77,NA,6,6,0,2,2,1,70,NA,NA,1,1
+71540,7,2,2,57,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,17364.980275,17214.230108,2,93,8,8,1.67,5,5,1,1,0,2,31,1,4,5,NA
+71541,7,2,2,8,NA,1,1,2,8,104,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,1,2,2,NA,15225.935813,15373.8033,2,94,5,5,1.08,3,3,0,1,0,2,37,2,2,4,NA
+71542,7,2,2,67,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,99831.393624,101809.075589,2,94,15,15,5,2,2,0,0,2,2,67,1,5,1,NA
+71543,7,2,2,10,NA,1,1,1,11,132,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,1,12789.411811,13899.276526,1,102,4,4,0.67,4,4,0,1,0,1,23,2,4,5,NA
+71544,7,2,1,49,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,140129.484883,1,98,10,10,3.04,4,4,0,2,0,2,47,1,4,1,3
+71545,7,2,1,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,39915.513053,42616.161803,2,98,9,9,4.01,2,2,0,0,0,1,27,1,5,1,4
+71546,7,2,1,9,NA,4,4,2,9,117,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6377.235034,7094.374704,2,90,6,6,0.84,6,6,1,3,1,2,43,1,2,5,NA
+71547,7,2,2,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,NA,NA,NA,NA,61710.107686,63275.181919,1,98,5,3,0.9,3,1,0,0,0,2,21,1,4,5,NA
+71548,7,2,2,13,NA,1,1,1,14,168,NA,NA,1,1,NA,7,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,26325.414456,26852.811114,3,92,3,3,0.51,5,5,1,2,0,2,34,2,1,6,NA
+71549,7,2,1,80,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,7912.12564,8378.94011,2,99,5,5,1.88,1,1,0,0,1,1,80,1,1,2,NA
+71550,7,2,2,0,3,3,3,2,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10692.488346,10402.056617,1,98,4,4,1.01,3,3,1,0,0,1,23,1,2,6,NA
+71551,7,2,1,3,NA,3,3,2,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,39061.897809,44649.899401,1,95,15,15,3.62,7,7,2,4,0,1,59,1,5,1,2
+71552,7,2,1,65,NA,2,2,2,NA,NA,2,NA,2,1,9,NA,2,6,NA,2,2,2,2,2,2,1,2,2,2,8609.250304,9380.869295,2,90,4,4,1.02,2,2,0,0,2,2,75,2,1,6,NA
+71553,7,2,1,2,NA,4,4,2,3,36,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4455.468915,4730.507566,3,90,3,3,0.37,5,5,2,2,0,2,36,2,4,4,NA
+71554,7,2,2,33,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,25558.459243,25637.043034,1,101,3,3,0.44,5,5,0,3,0,1,35,1,3,1,4
+71555,7,2,1,60,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,14488.953694,14771.336069,3,92,6,6,1.65,2,2,0,0,1,1,60,1,3,1,4
+71556,7,2,1,0,2,1,1,1,NA,3,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6876.075003,7261.67751,1,100,4,4,0.56,5,5,3,0,0,2,28,2,2,6,NA
+71557,7,2,1,6,NA,5,7,1,6,76,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13614.165673,13762.118902,1,95,14,14,3.04,6,6,0,4,0,1,56,1,5,1,4
+71558,7,2,2,12,NA,4,4,2,12,145,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12581.940435,12644.353117,2,97,6,6,0.92,7,7,1,4,0,2,29,1,3,5,NA
+71559,7,2,2,51,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,2,5,NA,2,2,2,2,2,2,1,2,2,2,17054.056149,20556.446647,2,90,2,2,0.3,3,3,0,1,0,2,51,2,2,5,NA
+71560,7,2,1,80,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,14979.892428,17964.055881,1,92,5,5,1.45,2,2,0,0,2,1,80,1,2,1,3
+71561,7,2,2,40,NA,5,6,1,NA,NA,2,NA,2,2,4,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,12544.244874,13057.037707,1,102,15,15,5,4,4,0,2,0,2,40,2,5,1,4
+71562,7,2,2,0,8,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4543.931297,5004.098497,1,96,7,7,2.23,3,3,1,0,0,1,29,2,5,1,5
+71563,7,2,1,4,NA,2,2,1,4,58,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,15745.774489,15931.923312,2,91,6,6,0.93,5,5,1,2,0,1,34,1,2,1,3
+71564,7,2,1,25,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,27374.067425,29791.861332,1,98,2,2,0.36,5,5,3,0,0,1,25,1,3,1,3
+71565,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,142639.05444,145244.474771,1,100,8,8,2.97,2,2,0,0,0,1,24,1,5,1,5
+71566,7,2,1,48,NA,5,6,2,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19184.316833,20543.822351,1,97,15,15,5,3,3,0,1,0,2,45,2,5,1,5
+71567,7,2,1,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,6,NA,1,2,2,1,2,2,1,2,2,1,114838.671743,123195.718665,1,91,15,3,0.92,2,1,0,0,0,1,30,1,5,6,NA
+71568,7,2,1,13,NA,1,1,1,13,159,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,NA,NA,NA,1,2,2,1,22768.423624,22766.421142,3,92,7,7,1.49,5,5,0,2,1,2,62,1,4,2,NA
+71569,7,2,1,56,NA,1,1,2,NA,NA,2,NA,2,2,77,NA,1,1,NA,2,2,2,1,2,2,2,2,2,2,22446.308035,22116.943066,2,94,6,4,1.38,2,1,0,0,0,1,40,2,3,1,NA
+71570,7,2,1,3,NA,2,2,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,17458.543556,17482.134163,2,91,5,5,1.05,3,3,2,0,0,2,26,2,3,4,NA
+71571,7,2,1,60,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,10717.375231,11136.552864,2,101,14,14,5,2,2,0,0,1,1,60,1,3,1,3
+71572,7,2,1,8,NA,3,3,1,8,104,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,54897.892683,57357.850008,2,98,14,14,3.58,4,4,0,2,0,1,36,1,3,1,4
+71573,7,2,2,11,NA,3,3,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,39810.933651,39282.261038,2,95,15,15,4.34,4,4,0,2,0,2,37,1,4,1,4
+71574,7,2,2,31,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,3,1,2,2,2,2,2,2,2,2,2,2,2,35464.8385,36323.14329,2,96,6,6,1.25,4,4,1,1,0,1,31,2,3,1,3
+71575,7,2,2,66,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,16420.864787,17817.127844,2,102,3,3,0.76,3,3,0,1,1,2,66,1,2,3,NA
+71576,7,2,2,0,9,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8359.077295,8583.668456,3,92,5,5,0.68,6,6,3,0,0,2,19,1,4,NA,NA
+71577,7,2,1,47,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17787.524589,17894.667705,2,100,4,4,1.02,2,2,0,0,1,1,79,1,1,2,NA
+71578,7,2,1,41,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,126789.52929,152250.956405,1,101,8,8,1.85,5,5,0,3,0,1,41,1,3,1,4
+71579,7,2,1,0,9,1,1,1,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,6910.953528,6911.08091,2,96,3,3,0.59,3,3,1,0,0,2,28,2,1,77,NA
+71580,7,2,2,50,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,19969.163208,20694.024637,2,93,8,8,2.57,3,3,0,0,1,1,59,2,3,1,3
+71581,7,2,1,36,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,51543.062078,57043.574316,3,92,10,10,2.82,4,4,0,1,1,1,36,1,3,1,5
+71582,7,2,1,29,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,3,6,NA,2,2,2,2,2,2,2,2,1,2,39084.166385,40378.039385,1,97,4,4,0.72,5,5,2,1,0,2,33,2,1,6,NA
+71583,7,2,1,53,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19374.410926,19463.695548,1,96,12,12,NA,3,3,0,0,2,1,77,NA,NA,6,NA
+71584,7,2,2,58,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21171.165283,21533.12194,1,100,15,15,5,3,3,0,0,1,1,69,1,5,1,4
+71585,7,2,2,39,NA,2,2,1,NA,NA,2,NA,2,2,4,NA,4,1,2,1,2,2,1,2,2,2,2,2,2,36904.965687,36815.84758,2,93,8,8,2,4,4,1,1,0,1,50,2,4,1,4
+71586,7,2,2,7,NA,5,7,1,7,87,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7252.281896,7644.510498,2,92,6,6,1.7,2,2,0,1,0,2,32,2,4,3,NA
+71587,7,2,2,9,NA,1,1,1,9,116,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17053.854294,17379.519997,3,92,8,8,2.17,4,4,0,2,0,1,40,2,2,1,4
+71588,7,2,2,12,NA,3,3,2,12,152,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,86497.469217,90071.968674,1,91,14,14,2.44,7,7,2,4,0,1,33,1,5,1,5
+71589,7,2,1,4,NA,3,3,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,30883.231636,34843.624635,1,95,5,5,0.92,5,5,1,2,0,2,30,1,4,1,4
+71590,7,2,1,0,3,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5777.934266,5882.770795,2,103,9,9,2.6,4,4,2,0,0,2,35,1,4,1,3
+71591,7,2,2,55,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,38954.135779,39992.589933,1,91,4,3,0.82,3,2,0,0,0,2,22,1,5,6,NA
+71592,7,2,2,8,NA,1,1,2,8,103,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,1,2,2,2,2,2,2,14300.71869,14671.891945,2,94,9,9,2.29,5,5,2,1,0,2,33,2,3,1,1
+71593,7,2,1,45,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,26215.80546,26132.189255,1,92,9,7,1.74,7,4,2,1,0,1,45,1,4,2,NA
+71594,7,2,1,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,91704.59836,93129.802737,1,93,15,14,5,6,1,0,0,0,1,23,1,5,5,NA
+71595,7,2,2,56,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,207590.346266,205849.702763,1,92,15,15,5,2,2,0,0,0,2,56,1,4,1,5
+71596,7,2,2,19,NA,1,1,1,19,237,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,NA,NA,NA,NA,26325.414456,27702.295836,3,92,5,5,0.68,6,6,3,0,0,2,19,1,4,NA,NA
+71597,7,2,2,13,NA,3,3,2,13,158,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,29885.567338,31265.78413,1,94,7,7,0.94,7,7,1,4,0,2,46,2,5,1,5
+71598,7,2,2,27,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,1,1,2,2,1,2,2,1,2,2,1,77792.702831,79765.659277,1,102,14,14,4.32,3,3,1,0,0,1,25,1,4,1,4
+71599,7,2,1,59,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,105379.391148,106074.259408,1,93,15,15,3.92,5,5,0,1,0,2,54,1,5,1,5
+71600,7,2,1,1,14,1,1,1,NA,14,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,12493.910388,13386.323284,2,98,1,1,0.13,4,4,2,0,0,2,52,1,2,4,NA
+71601,7,2,1,6,NA,5,7,2,6,81,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9502.15317,9616.069144,2,97,5,5,0.84,5,5,0,2,0,2,33,1,4,1,3
+71602,7,2,2,9,NA,3,3,1,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17685.703081,17770.107744,1,98,6,6,0.81,6,6,0,4,0,2,34,NA,NA,1,2
+71603,7,2,2,16,NA,4,4,2,16,201,NA,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10484.6104,10912.740054,2,99,13,13,NA,3,3,1,1,0,2,36,NA,NA,5,NA
+71604,7,2,1,49,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,31640.296506,34765.415986,2,94,4,4,0.81,3,3,0,1,0,1,49,2,3,1,3
+71605,7,2,2,38,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,64581.191728,64779.757488,2,94,9,5,1.84,2,1,0,0,0,2,38,1,4,6,NA
+71606,7,2,1,13,NA,5,6,1,13,163,NA,NA,2,1,3,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9048.093498,9416.694257,1,100,8,8,2.62,3,3,0,1,0,1,41,2,5,1,5
+71607,7,2,2,8,NA,1,1,1,8,104,NA,NA,2,2,2,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,NA,16986.005478,17733.622754,2,102,4,4,0.57,5,5,0,3,0,1,41,2,1,1,2
+71608,7,2,1,10,NA,4,4,1,10,125,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10138.00454,10211.52145,1,100,8,8,1.61,6,6,1,3,0,1,29,1,5,6,NA
+71609,7,2,2,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,21640.010524,20970.872814,1,93,6,6,0.83,6,6,3,1,0,1,37,NA,NA,1,3
+71610,7,2,1,16,NA,1,1,1,16,200,NA,NA,2,2,2,8,NA,NA,NA,2,2,2,2,2,2,2,2,1,2,22203.024273,23172.92708,1,100,99,99,NA,7,7,2,3,0,2,35,2,1,1,NA
+71611,7,2,2,15,NA,3,3,2,15,191,NA,NA,1,1,NA,9,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,103007.696238,104941.393061,1,101,14,14,3.25,4,4,0,1,0,1,48,1,4,1,2
+71612,7,2,2,4,NA,2,2,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11429.37307,11583.084593,2,90,2,2,0.54,2,2,1,0,0,2,32,2,2,4,NA
+71613,7,2,1,75,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,12824.368043,13581.00423,2,101,9,9,4.08,2,2,0,0,1,1,75,1,1,2,NA
+71614,7,2,1,4,NA,4,4,1,4,50,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10040.033098,11070.778245,1,100,14,14,3.47,4,4,2,0,0,1,34,1,5,1,5
+71615,7,2,1,41,NA,5,6,1,NA,NA,2,NA,2,1,7,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15952.616949,16443.31736,2,93,15,15,5,3,3,1,0,0,1,41,2,5,1,5
+71616,7,2,2,3,NA,2,2,2,3,46,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,13490.92482,14894.343037,1,90,2,2,0.56,2,2,1,0,0,2,27,1,3,5,NA
+71617,7,2,1,2,NA,2,2,2,2,27,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9237.934626,9250.417252,2,90,3,3,0.7,3,3,1,1,0,2,25,1,1,1,NA
+71618,7,2,1,4,NA,4,4,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7604.054172,7918.254694,2,99,6,6,1.03,6,6,3,0,0,1,33,1,3,6,NA
+71619,7,2,1,55,NA,5,6,2,NA,NA,2,NA,2,1,2,NA,4,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11690.444016,12095.591726,3,90,3,3,0.75,3,3,0,0,0,1,55,2,4,1,3
+71620,7,2,1,65,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,1,NA,1,2,1,1,2,1,1,2,1,3,7289.557268,7804.776102,3,90,77,77,NA,2,2,0,0,1,1,65,2,3,1,5
+71621,7,2,2,12,NA,1,1,1,12,152,NA,NA,2,2,4,6,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,26325.414456,27702.295836,3,92,4,4,0.46,7,7,1,2,0,2,31,2,2,1,1
+71622,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,40157.007559,44610.827766,2,98,5,5,1.63,2,2,0,0,2,1,80,1,3,1,3
+71623,7,2,1,12,NA,4,4,2,12,144,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8364.097643,9212.617312,2,90,6,6,1.03,6,6,3,1,0,1,45,2,2,1,2
+71624,7,2,2,18,NA,5,6,1,18,219,2,NA,2,2,2,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,10767.566937,11183.935292,2,91,15,15,4.63,7,7,1,2,0,1,36,2,4,1,3
+71625,7,2,1,39,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,18353.275855,20139.588201,1,91,4,4,0.76,4,4,0,2,0,2,44,1,4,6,NA
+71626,7,2,1,59,NA,2,2,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,1,2,2,1,2,2,2,2,2,2,30839.213846,31462.493685,1,92,10,10,2.93,4,4,1,0,0,2,55,1,4,1,4
+71627,7,2,1,19,NA,5,6,2,19,236,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,9099.599144,9725.105491,1,90,9,9,2.6,4,4,0,1,0,2,49,2,2,1,5
+71628,7,2,2,53,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,3,4,NA,1,2,2,1,2,2,1,2,2,1,28349.668436,29178.127765,1,102,5,5,1.56,2,2,0,0,0,2,53,1,3,4,NA
+71629,7,2,2,16,NA,4,4,1,16,193,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,20473.346601,20523.769333,2,102,14,14,4.05,3,3,0,1,0,1,18,1,2,NA,NA
+71630,7,2,1,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6121.794646,6421.491158,1,102,4,4,0.61,5,5,2,2,0,2,27,2,2,5,NA
+71631,7,2,1,22,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,37970.860743,38488.432875,2,92,NA,3,0.92,5,1,0,0,0,1,22,1,5,5,NA
+71632,7,2,1,18,NA,4,4,1,18,223,2,NA,1,1,NA,12,NA,NA,NA,1,2,2,NA,NA,NA,1,2,2,1,13276.485807,13885.0639,2,100,NA,NA,NA,4,4,1,0,0,2,38,NA,NA,77,NA
+71633,7,2,2,64,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,1,2,1,1,2,1,1,2,1,NA,11838.431472,12356.62484,2,92,3,3,0.4,6,6,0,1,2,1,78,2,1,1,1
+71634,7,2,2,21,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,36850.868456,37875.214466,2,103,5,5,1.2,3,3,0,0,2,1,66,2,2,1,2
+71635,7,2,2,42,NA,4,4,2,NA,NA,2,NA,2,1,8,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,22513.236051,21981.065205,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+71636,7,2,1,9,NA,4,4,1,9,111,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10410.106675,10390.534388,2,96,4,4,0.57,5,5,0,3,0,2,26,1,2,5,NA
+71637,7,2,1,14,NA,3,3,1,14,173,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,95925.820151,96188.020601,1,92,8,8,3.17,2,2,0,1,0,2,35,1,2,77,NA
+71638,7,2,1,23,NA,4,4,1,NA,NA,1,2,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,25815.880139,26503.609729,2,101,99,13,NA,2,1,0,0,0,1,24,1,4,5,NA
+71639,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,22109.546782,22635.660435,1,93,12,12,NA,3,3,0,1,0,2,48,1,3,5,NA
+71640,7,2,2,51,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,15497.844354,15720.409191,1,99,14,14,5,2,1,0,0,0,2,51,1,5,1,NA
+71641,7,2,2,7,NA,3,3,2,7,95,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,73810.484644,74865.697805,1,91,15,15,5,4,4,1,1,0,1,38,1,5,1,5
+71642,7,1,2,3,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,15358.480588,0,1,102,2,2,0.31,4,4,1,2,0,2,25,1,2,4,NA
+71643,7,2,1,31,NA,2,2,1,NA,NA,1,2,2,1,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,53303.690379,53390.332272,1,100,8,8,3.17,2,2,0,0,0,1,31,2,4,1,5
+71644,7,2,2,80,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,45973.010529,51521.910389,1,91,7,7,2.68,2,2,0,0,2,1,80,1,4,1,4
+71645,7,2,1,7,NA,3,3,2,7,93,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,44777.275016,47565.734765,1,91,14,14,3.06,5,5,0,3,0,2,46,1,5,1,5
+71646,7,2,1,3,NA,1,1,1,3,44,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,16775.083123,16335.348923,2,98,3,3,0.33,7,7,2,3,0,1,40,2,1,1,1
+71647,7,2,2,80,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,16076.770364,16942.062244,1,90,14,14,5,2,2,0,0,1,1,58,1,5,5,NA
+71648,7,2,1,7,NA,1,1,1,7,91,NA,NA,1,1,NA,1,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,13533.281742,14131.961026,1,100,7,7,1.74,4,4,0,2,0,2,39,2,1,1,3
+71649,7,2,1,12,NA,5,6,2,12,154,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7057.977053,7861.480262,2,92,12,12,NA,7,7,2,4,0,1,54,2,2,1,5
+71650,7,2,1,60,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,7140.457792,7196.312698,2,101,7,7,1.3,5,5,2,0,1,2,50,1,4,1,3
+71651,7,2,2,46,NA,5,6,2,NA,NA,2,NA,2,2,6,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,19294.309,26319.879121,1,93,14,14,5,2,2,0,1,0,2,46,2,5,3,NA
+71652,7,2,1,5,NA,5,6,2,5,68,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,4858.407579,4952.635908,1,99,14,14,2.66,7,7,3,1,0,1,35,1,5,1,5
+71653,7,2,2,10,NA,5,6,1,10,124,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6779.975678,7239.998882,3,91,15,15,5,3,3,0,1,0,1,47,2,5,1,5
+71654,7,2,2,17,NA,3,3,1,17,213,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,49337.766842,51601.905979,2,103,15,15,3.44,7,7,0,1,2,2,79,1,3,2,NA
+71655,7,2,1,65,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,7323.703412,7380.991723,2,97,NA,99,NA,7,1,2,1,1,2,56,1,3,5,NA
+71656,7,2,1,58,NA,3,3,2,NA,NA,2,NA,2,1,9,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,163791.427718,171966.737289,1,93,15,15,5,2,2,0,0,0,1,58,2,5,1,5
+71657,7,2,2,49,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,2,2,2,1,2,2,1,2,2,1,30105.942022,31646.425257,1,96,8,8,2.17,4,4,0,0,2,1,80,NA,NA,1,NA
+71658,7,2,1,25,NA,1,1,2,NA,NA,2,NA,2,2,3,NA,2,6,NA,2,2,2,2,2,2,1,2,1,2,37987.561992,39245.132137,1,90,2,1,0.13,5,3,0,1,0,1,25,2,2,6,NA
+71659,7,2,2,33,NA,4,4,2,NA,NA,2,NA,2,2,3,NA,3,1,2,1,2,2,1,2,2,NA,NA,NA,NA,32799.237043,32564.866412,1,91,6,6,0.99,5,5,3,0,0,2,33,2,3,1,4
+71660,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,4,3,1,2,2,1,2,2,1,2,2,1,19498.713386,19652.836095,2,97,4,4,1.09,2,2,0,1,0,2,35,1,2,4,NA
+71661,7,2,1,8,NA,5,6,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,5651.170392,5934.27615,1,102,5,5,0.92,5,5,1,2,0,2,44,2,1,1,2
+71662,7,2,1,74,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,79733.665046,84684.628619,1,92,9,9,3.8,2,2,0,0,2,2,66,1,4,1,5
+71663,7,2,2,9,NA,4,4,1,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,1,1,2,1,1,2,2,1,11195.065587,11548.620784,2,96,77,77,NA,7,3,1,4,0,2,32,NA,NA,1,NA
+71664,7,2,1,4,NA,4,4,2,4,55,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6299.35077,6688.213305,3,90,3,3,0.37,5,5,2,2,0,2,36,2,4,4,NA
+71665,7,2,2,7,NA,4,4,1,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11334.095519,11753.9565,2,96,4,4,0.65,5,5,0,3,0,1,30,1,4,1,2
+71666,7,2,1,61,NA,4,4,2,NA,NA,1,1,1,1,NA,NA,5,6,NA,1,2,2,1,2,2,1,2,2,1,7017.945976,7072.842557,2,99,1,1,0.36,3,1,1,0,1,2,55,1,4,6,NA
+71667,7,2,2,9,NA,1,1,2,9,118,NA,NA,1,1,NA,4,NA,NA,NA,2,1,2,1,2,2,1,2,2,2,13231.432201,13706.598104,2,97,4,4,0.67,4,4,0,2,0,1,39,2,2,6,NA
+71668,7,2,2,12,NA,4,4,1,12,154,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12531.903464,13043.632492,2,100,9,9,2.46,4,4,1,1,1,2,59,1,3,1,3
+71669,7,2,1,0,7,5,6,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6918.643947,7208.455005,1,101,8,8,1.81,5,5,2,0,1,2,37,2,4,1,2
+71670,7,2,1,24,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14860.312419,14555.816778,3,90,15,15,4.34,4,4,0,0,1,1,65,1,3,1,4
+71671,7,2,1,65,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,125558.167126,127168.668278,3,91,7,7,2.89,2,2,0,0,2,2,64,1,4,1,4
+71672,7,2,2,18,NA,4,4,2,18,227,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11372.489138,11836.874523,1,99,14,14,3.67,4,4,1,0,0,2,49,1,3,1,3
+71673,7,2,2,9,NA,5,7,2,9,112,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7294.840846,7578.01532,1,93,15,15,5,5,5,1,2,0,2,40,1,5,1,5
+71674,7,2,1,10,NA,4,4,2,10,127,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,9502.15317,9484.287948,2,97,3,3,0.4,6,6,2,3,0,2,25,1,2,5,NA
+71675,7,2,2,73,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,66567.821082,76362.988288,3,91,7,7,2.92,2,2,0,0,2,1,74,1,3,1,3
+71676,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,37318.801462,40047.525745,1,98,8,8,3.48,2,2,0,0,2,1,80,1,3,1,2
+71677,7,2,1,35,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,29756.291619,30875.098449,2,101,5,5,1.19,3,3,1,0,0,2,32,1,4,1,3
+71678,7,2,2,70,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,98976.420245,102012.919253,2,101,15,15,5,2,2,0,0,2,1,73,1,5,1,5
+71679,7,2,2,27,NA,1,1,1,NA,NA,2,NA,2,2,5,NA,2,5,2,1,2,2,1,2,2,NA,NA,NA,NA,41537.508946,44104.799715,1,102,4,4,0.61,5,5,2,2,0,2,27,2,2,5,NA
+71680,7,2,1,55,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,28575.926692,28541.082411,3,92,4,3,0.52,5,4,0,0,0,2,57,1,4,1,2
+71681,7,2,2,35,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,1,1,2,2,1,2,2,NA,NA,NA,NA,68146.615091,70082.037538,2,99,15,15,5,3,3,1,0,0,1,43,1,5,1,5
+71682,7,2,1,69,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,7101.739553,7379.502561,2,100,5,5,1.56,2,2,0,0,2,1,69,1,2,1,3
+71683,7,2,2,1,17,4,4,1,NA,18,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8412.350508,9400.756791,1,100,5,5,1.05,3,3,1,0,0,2,42,2,5,1,NA
+71684,7,2,1,0,3,3,3,1,NA,4,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24509.975935,26238.985016,1,94,5,5,1.04,4,4,1,1,0,1,18,1,2,NA,NA
+71685,7,2,2,11,NA,4,4,2,11,140,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10994.192555,11605.838362,2,97,2,2,0.27,4,4,0,2,0,1,51,1,2,4,NA
+71686,7,2,1,31,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16505.268729,16996.380056,3,91,8,8,2.7,3,3,1,0,0,1,31,1,5,1,5
+71687,7,2,2,13,NA,5,6,2,13,157,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,6486.356303,6952.179218,1,91,7,7,1.57,4,4,0,3,0,2,38,2,2,3,NA
+71688,7,2,1,51,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,16628.326744,17325.680634,2,102,10,10,3.62,3,3,0,0,0,1,51,2,5,1,5
+71689,7,2,2,17,NA,4,4,1,17,210,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16659.324602,16974.753267,1,92,15,15,4.44,5,5,0,3,0,2,43,1,5,6,NA
+71690,7,2,1,2,NA,2,2,1,2,31,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,9382.177239,9806.283152,2,93,6,6,0.64,7,7,2,1,3,2,60,2,3,2,NA
+71691,7,2,2,76,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,62212.598767,64340.261278,1,91,10,10,4.3,2,2,0,0,2,1,78,1,4,1,4
+71692,7,2,1,8,NA,3,3,1,8,104,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22651.436723,23515.701302,3,92,7,7,0.81,7,7,2,4,0,1,40,NA,NA,1,4
+71693,7,2,2,4,NA,5,6,2,4,53,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7497.268293,8158.717681,1,101,10,10,3.67,3,3,1,0,0,1,36,2,5,1,5
+71694,7,2,1,0,6,5,6,1,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5024.464768,5303.683185,2,92,10,6,1.12,7,4,1,1,1,2,27,2,3,1,3
+71695,7,2,2,54,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,1,1,NA,1,2,2,1,2,1,1,2,2,1,14680.520497,14758.150245,3,91,6,6,1.34,4,4,0,2,0,1,52,2,3,1,1
+71696,7,1,2,58,NA,5,6,NA,NA,NA,2,NA,2,2,4,NA,1,2,NA,1,2,1,1,2,1,NA,NA,NA,NA,12649.084278,0,3,90,12,12,NA,4,4,0,0,0,2,58,2,1,2,NA
+71697,7,2,1,74,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,NA,15176.622228,16685.078243,1,101,4,4,1.16,2,2,0,0,2,1,74,1,1,1,2
+71698,7,2,2,46,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,127315.335607,133282.596235,1,91,14,14,4.03,4,4,0,2,0,1,52,1,4,1,5
+71699,7,2,2,15,NA,2,2,1,15,184,NA,NA,2,1,4,9,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,15809.066118,17342.845429,2,93,3,3,0.52,5,5,0,2,0,1,41,2,4,1,4
+71700,7,2,2,1,16,5,6,1,NA,17,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5610.22155,6105.185511,2,92,15,15,5,3,3,1,0,0,1,39,2,5,1,5
+71701,7,2,2,17,NA,3,3,1,17,210,2,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,113907.203714,124196.980527,1,94,8,8,1.67,5,5,1,2,0,1,52,1,4,1,4
+71702,7,2,2,70,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,2,NA,1,2,2,1,2,2,1,2,2,NA,12669.609493,13517.506264,2,98,99,99,NA,1,1,0,0,1,2,70,1,3,2,NA
+71703,7,2,1,53,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,NA,NA,NA,NA,26240.791307,26334.983911,1,90,4,4,1.34,1,1,0,0,0,1,53,1,4,6,NA
+71704,7,2,1,77,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,71070.181743,73766.510327,1,95,4,4,1.12,2,2,0,0,2,2,78,1,4,1,2
+71705,7,2,1,67,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,14488.953694,14771.336069,3,92,3,3,0.95,2,2,0,0,2,2,63,1,4,1,1
+71706,7,2,2,30,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,4,2,1,2,2,1,2,2,1,2,2,1,25423.189953,34604.094756,2,98,2,2,0.34,2,2,0,1,0,2,30,1,4,4,NA
+71707,7,2,2,7,NA,4,4,1,7,91,NA,NA,1,1,NA,2,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11195.065587,11638.702248,2,96,13,13,NA,4,4,1,1,0,2,40,1,3,77,NA
+71708,7,2,1,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,6612.194774,6663.917441,2,99,5,5,1.88,1,1,0,0,1,1,64,1,5,5,NA
+71709,7,2,2,45,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,40760.712736,41570.695949,1,98,3,3,0.73,2,2,0,0,0,1,49,1,2,1,2
+71710,7,2,1,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,8491.292032,8557.713588,1,96,15,15,5,2,2,0,0,2,1,68,1,3,1,4
+71711,7,2,1,3,NA,4,4,1,3,43,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10273.522239,11328.238204,1,100,14,6,1.85,3,2,1,0,0,1,33,1,5,5,NA
+71712,7,2,2,53,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,19927.035776,20217.558558,2,96,8,8,3.67,2,2,0,0,0,1,56,2,5,1,5
+71713,7,2,1,17,NA,5,6,2,17,213,2,NA,2,1,4,12,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,8965.57404,9581.867503,1,90,15,15,5,5,5,0,3,0,2,46,2,4,1,5
+71714,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,29470.441678,31861.649147,1,103,6,6,1.98,2,2,0,0,2,1,80,1,5,1,4
+71715,7,2,2,47,NA,4,4,2,NA,NA,2,NA,2,2,6,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,21969.841763,21566.078744,1,96,14,14,5,2,2,0,0,0,2,47,2,4,5,NA
+71716,7,2,2,21,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,14516.765165,13843.248577,3,90,15,15,4.89,5,5,0,0,0,2,57,2,3,1,3
+71717,7,2,2,27,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,5,2,1,2,2,1,2,2,1,2,2,1,23255.074483,22360.893796,2,98,4,4,1.29,2,2,0,1,0,2,27,1,2,5,NA
+71718,7,2,2,68,NA,4,4,2,NA,NA,2,NA,2,2,4,NA,4,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,9644.668529,10075.292662,1,93,3,3,1.1,1,1,0,0,1,2,68,2,4,1,NA
+71719,7,2,1,59,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,1,5,NA,1,2,2,1,2,2,1,2,2,1,26135.885159,26946.665552,2,101,2,2,0.74,1,1,0,0,0,1,59,1,1,5,NA
+71720,7,1,1,80,NA,3,3,NA,NA,NA,1,2,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,6882.452425,0,1,99,3,3,1.19,1,1,0,0,1,1,80,1,5,2,NA
+71721,7,2,2,11,NA,3,3,2,11,138,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,73810.484644,74865.697805,1,94,10,10,2.67,5,5,0,3,0,1,40,1,5,1,2
+71722,7,2,2,48,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,4,NA,1,2,2,1,2,2,1,2,2,1,19258.69251,18731.627868,2,99,12,3,1.16,6,1,0,0,0,2,57,1,5,2,NA
+71723,7,2,2,5,NA,5,6,2,6,72,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5520.445386,5614.569811,2,100,15,15,4.83,4,4,1,1,0,1,43,2,5,1,5
+71724,7,2,1,54,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,37557.946192,39249.822004,2,102,99,3,1.29,3,1,0,0,1,1,61,NA,NA,5,NA
+71725,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,9177.295801,9548.31812,2,92,15,3,0.92,3,1,0,0,0,2,25,1,5,5,NA
+71726,7,2,2,5,NA,4,4,2,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9268.093277,9507.318489,1,99,3,3,0.82,2,2,1,0,0,2,29,1,4,4,NA
+71727,7,1,2,11,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,5,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,8851.712341,0,1,92,5,5,0.63,7,7,0,4,1,1,60,NA,NA,1,NA
+71728,7,2,2,61,NA,2,2,1,NA,NA,2,NA,2,1,3,NA,5,1,NA,2,2,2,1,2,2,1,2,2,2,11291.029617,11762.265953,2,102,14,14,5,2,2,0,0,2,1,68,1,4,1,5
+71729,7,2,1,33,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,16214.132654,20271.082789,3,90,8,8,3.3,2,2,0,0,1,2,64,2,2,1,NA
+71730,7,2,2,40,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,1,3,2,2,2,2,2,2,2,1,2,2,2,33737.181071,33913.1176,2,91,99,99,NA,6,6,1,3,0,2,20,2,2,5,NA
+71731,7,1,2,24,NA,5,6,NA,NA,NA,2,NA,2,1,4,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,15265.136017,0,1,93,15,5,1.84,3,1,0,0,0,2,24,2,5,5,NA
+71732,7,2,1,63,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,1,6,NA,2,2,2,2,2,2,1,2,2,2,10596.142548,10856.489537,1,94,12,3,1.07,4,1,0,0,1,2,37,NA,NA,6,NA
+71733,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,1,2,NA,1,2,2,1,2,2,1,2,2,NA,24816.484998,26631.048773,1,91,3,3,1.33,1,1,0,0,1,1,80,1,1,2,NA
+71734,7,2,1,5,NA,4,4,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7311.663111,7613.781996,2,93,6,6,1.15,5,5,3,1,0,1,29,1,3,5,NA
+71735,7,2,2,67,NA,2,2,1,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,14204.126838,15368.918135,2,98,4,4,1.34,2,2,0,0,2,1,66,1,1,1,1
+71736,7,2,1,74,NA,3,3,1,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,1,2,1,2,2,1,2,2,NA,62359.83753,66231.994715,1,94,14,14,5,2,2,0,0,2,1,74,1,4,1,4
+71737,7,2,2,36,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,1,5,2,2,2,2,2,2,2,2,2,2,2,45655.090694,49537.803198,3,92,4,4,0.67,4,4,0,3,0,2,36,2,1,5,NA
+71738,7,1,2,80,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,NA,NA,NA,NA,47254.485787,0,1,90,8,8,4.21,1,1,0,0,1,2,80,1,4,2,NA
+71739,7,2,1,80,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,NA,13116.035678,14391.817492,2,91,4,4,1.02,2,2,0,0,2,1,80,1,4,1,2
+71740,7,2,2,20,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,NA,NA,NA,1,2,2,1,20443.961017,19438.354372,2,99,3,3,0.44,5,5,1,1,0,2,53,1,4,1,3
+71741,7,2,1,63,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,5,3,NA,2,2,2,1,2,2,2,2,2,2,6449.12882,6552.435629,2,93,3,3,0.9,1,1,0,0,1,1,63,2,5,3,NA
+71742,7,2,1,0,10,5,6,2,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,5441.212985,5743.59084,1,93,8,8,1.2,7,7,1,1,1,1,24,2,2,5,NA
+71743,7,2,2,0,4,1,1,1,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,2,2,2,NA,NA,NA,NA,8359.077295,8418.658174,3,92,6,6,1.06,5,5,2,0,0,2,54,2,1,77,NA
+71744,7,2,2,40,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,144726.059187,145423.66071,2,98,15,15,4.17,6,6,1,1,0,2,40,1,4,1,4
+71745,7,2,2,21,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,5,2,1,2,2,1,2,2,1,2,2,1,130601.953362,132156.64994,2,91,15,15,5,4,4,0,0,0,1,54,1,5,1,NA
+71746,7,2,2,18,NA,3,3,1,18,219,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,32725.110579,34226.88515,2,92,3,1,0.28,2,1,0,0,0,2,18,1,4,NA,NA
+71747,7,2,1,7,NA,5,7,1,7,88,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11800.806722,11886.381633,1,100,9,9,2.78,4,4,0,2,0,1,39,1,5,1,5
+71748,7,2,2,36,NA,1,1,2,NA,NA,2,NA,2,2,4,NA,3,6,2,2,2,2,2,2,2,2,2,1,2,32910.619435,32637.844845,1,90,2,1,0.17,5,2,0,1,0,1,25,2,2,6,NA
+71749,7,2,2,0,4,1,1,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7011.218293,6863.710472,2,97,6,6,1.84,2,2,1,0,0,2,27,1,4,5,NA
+71750,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,NA,19552.617734,21912.600615,2,92,4,4,1.12,2,2,0,0,1,2,80,1,5,2,NA
+71751,7,2,2,42,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,2,1,2,2,1,2,2,1,2,2,1,110070.015649,117535.388004,3,91,14,14,3.4,4,4,0,2,0,1,40,1,4,1,4
+71752,7,2,1,36,NA,1,1,1,NA,NA,2,NA,2,2,4,NA,2,1,NA,1,2,2,1,2,2,2,2,2,2,45660.210546,48177.324946,1,101,9,9,2.88,3,3,1,0,0,1,36,2,2,1,4
+71753,7,2,2,80,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,NA,33147.414266,37148.276517,2,94,14,14,5,2,2,0,0,1,2,80,1,4,2,NA
+71754,7,2,1,0,0,3,3,1,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20173.318836,21596.406788,2,103,15,15,5,4,4,2,0,0,1,36,2,4,1,5
+71755,7,2,1,22,NA,2,2,1,NA,NA,2,NA,2,2,3,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,38474.772527,42632.210531,2,93,7,3,0.9,3,1,0,0,0,1,25,2,4,5,NA
+71756,7,2,1,63,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,133262.624177,131902.330801,1,98,9,9,3.97,2,2,0,0,2,1,63,1,5,1,4
+71757,7,2,1,23,NA,5,6,1,NA,NA,2,NA,2,2,3,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,13254.861315,15747.113823,1,101,8,8,4.48,1,1,0,0,0,1,23,2,5,5,NA
+71758,7,2,2,24,NA,2,2,2,NA,NA,2,NA,2,1,3,NA,4,6,2,2,2,2,2,2,2,1,2,2,2,30253.427014,30121.660039,2,90,6,6,0.66,7,7,2,2,0,2,24,2,4,6,NA
+71759,7,2,1,16,NA,4,4,1,17,204,NA,NA,1,1,NA,10,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,17606.165994,17558.40257,2,101,8,8,2.7,3,3,0,1,0,1,53,1,4,1,2
+71760,7,2,2,60,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,14994.337564,16150.13007,1,100,8,8,2.36,3,3,1,0,1,2,60,1,3,3,NA
+71761,7,2,1,38,NA,1,1,1,NA,NA,2,NA,2,7,77,NA,2,1,NA,2,2,2,1,2,2,NA,NA,NA,NA,32907.512068,32659.148672,2,92,12,12,NA,7,7,0,1,2,2,64,2,1,2,NA
+71762,7,2,1,12,NA,3,3,1,12,155,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,30943.024697,32205.010072,1,101,4,4,0.58,6,6,0,4,0,2,41,1,3,5,NA
+71763,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,109309.268477,116308.99629,3,91,14,14,3.4,4,4,0,2,0,1,40,1,4,1,4
+71764,7,2,1,33,NA,5,6,1,NA,NA,2,NA,2,1,5,NA,4,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,20181.692021,21173.351412,1,92,12,12,NA,4,4,1,1,0,1,33,2,4,1,4
+71765,7,2,1,39,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,19144.719218,23354.203452,1,101,8,8,1.81,5,5,2,0,1,2,37,2,4,1,2
+71766,7,2,2,38,NA,2,2,1,NA,NA,2,NA,2,1,2,NA,3,1,3,2,2,2,2,2,2,NA,NA,NA,NA,40476.413979,41456.006766,2,93,5,5,0.87,4,4,1,1,0,1,41,2,5,1,3
+71767,7,2,1,38,NA,1,1,2,NA,NA,2,NA,1,1,NA,NA,5,3,NA,1,2,2,1,2,2,1,2,2,1,39133.405322,40210.578118,1,91,12,8,4.59,5,1,0,2,0,1,38,1,5,3,NA
+71768,7,2,2,7,NA,3,3,2,7,88,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,24070.467912,25563.654853,1,95,15,15,3.62,7,7,2,4,0,1,59,1,5,1,2
+71769,7,2,1,24,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,4,5,NA,2,2,2,2,2,2,2,2,2,2,35669.2076,36155.406423,2,94,14,8,3.06,5,2,0,0,0,1,24,2,4,5,NA
+71770,7,2,2,64,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,10687.292889,11164.469085,2,99,3,3,0.75,2,2,0,0,1,2,64,1,4,3,NA
+71771,7,2,1,3,NA,1,1,2,3,47,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18363.136017,19674.774959,1,91,4,4,0.86,3,3,1,0,0,2,54,1,4,3,NA
+71772,7,2,2,52,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,NA,NA,NA,NA,37518.850453,37204.255172,1,98,3,3,1.18,1,1,0,0,0,2,52,1,4,3,NA
+71773,7,2,1,53,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,4,3,NA,1,2,2,1,2,2,1,2,2,1,23775.734331,23918.947415,2,96,12,99,NA,2,1,0,0,1,1,53,1,4,3,NA
+71774,7,1,1,2,NA,1,1,NA,NA,NA,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,10412.950357,0,1,90,15,15,5,5,5,1,1,0,1,32,2,1,1,4
+71775,7,2,1,62,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,28216.191929,29365.059825,1,101,6,6,1.52,3,3,0,1,1,1,62,1,2,1,3
+71776,7,2,2,0,10,1,1,1,NA,11,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,5328.475628,5508.797375,1,103,13,13,NA,6,6,1,2,0,1,42,2,9,1,9
+71777,7,2,2,77,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,9807.668192,10541.248354,2,95,5,5,0.87,4,4,0,0,2,2,77,1,2,1,1
+71778,7,2,1,20,NA,2,2,2,NA,NA,2,NA,2,1,3,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,43798.832177,56306.768819,1,90,3,3,0.79,2,2,0,0,1,1,70,2,2,1,NA
+71779,7,2,1,19,NA,4,4,2,19,239,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11125.932433,11147.929312,1,96,6,6,1.21,4,4,0,2,0,2,41,1,4,4,NA
+71780,7,2,1,10,NA,4,4,2,10,128,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,14125.862146,14370.909235,1,97,15,15,5,4,4,0,2,0,1,48,1,5,1,5
+71781,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,17152.714252,16683.285229,1,102,12,12,NA,7,7,3,2,0,2,52,1,4,5,NA
+71782,7,2,1,5,NA,5,6,1,5,70,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,10498.222836,11004.769407,1,100,15,15,5,4,4,2,0,0,1,39,2,5,1,5
+71783,7,1,1,12,NA,5,6,NA,NA,NA,NA,NA,2,1,3,5,NA,NA,NA,1,1,1,1,2,1,NA,NA,NA,NA,6174.283826,0,2,92,77,77,NA,5,5,0,1,2,2,80,NA,NA,1,1
+71784,7,2,2,24,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,41018.498876,42180.331054,2,98,6,6,1.07,5,5,3,0,0,2,24,1,3,1,3
+71785,7,2,1,64,NA,4,4,1,NA,NA,1,1,1,1,NA,NA,2,3,NA,1,2,2,1,2,2,1,2,2,1,7101.739553,7433.956549,2,100,77,77,NA,1,1,0,0,1,1,64,1,2,3,NA
+71786,7,2,2,42,NA,5,7,1,NA,NA,2,NA,2,1,7,NA,5,4,2,1,2,2,1,2,2,1,2,2,1,18588.235275,19331.159141,2,96,15,15,5,3,3,0,2,0,2,42,2,5,4,NA
+71787,7,2,2,50,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,16859.368198,17492.963343,1,99,13,13,NA,4,4,1,0,0,2,26,1,4,4,NA
+71788,7,2,1,6,NA,1,1,1,6,82,NA,NA,1,1,NA,0,NA,NA,NA,2,1,1,2,2,1,NA,NA,NA,NA,14880.007592,15997.505807,3,92,4,4,0.66,4,4,0,1,0,1,52,2,1,1,1
+71789,7,2,2,50,NA,5,7,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,13149.417265,14101.663559,2,103,15,15,5,3,3,0,0,0,2,50,1,4,1,4
+71790,7,2,2,11,NA,5,7,1,11,139,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,10332.067017,11032.916236,1,100,9,9,2.22,5,5,0,3,0,2,52,1,4,1,4
+71791,7,2,1,18,NA,1,1,1,18,221,2,NA,1,1,NA,12,NA,NA,NA,2,2,2,1,2,2,1,2,2,2,32262.881978,32260.04446,2,102,8,8,2.01,4,4,0,0,0,2,48,2,4,3,NA
+71792,7,2,1,34,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,69548.324117,71540.223881,2,95,6,6,2.69,1,1,0,0,0,1,34,1,5,5,NA
+71793,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,170311.62251,168883.560827,3,91,15,15,5,2,2,0,0,0,2,57,1,5,1,5
+71794,7,2,1,4,NA,4,4,2,4,57,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8973.990262,9527.959827,2,101,7,7,1.3,5,5,2,0,1,2,50,1,4,1,3
+71795,7,2,2,8,NA,5,7,1,9,108,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,17706.623308,17924.842987,1,94,2,2,0.3,5,5,1,2,0,1,23,1,1,6,NA
+71796,7,2,2,45,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,2,NA,1,2,2,1,2,2,1,2,2,1,135834.019526,140154.312816,2,92,10,10,3.51,3,3,0,0,0,1,24,1,4,5,NA
+71797,7,2,1,80,NA,3,3,1,NA,NA,1,1,1,1,NA,NA,3,2,NA,1,2,2,NA,NA,NA,1,2,2,NA,26771.485907,29740.715741,2,100,NA,NA,NA,4,4,0,0,2,2,51,NA,NA,1,NA
+71798,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,8491.292032,8557.713588,1,96,15,15,5,2,2,0,0,2,2,62,1,4,1,2
+71799,7,2,1,59,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,151766.599459,151581.541662,3,91,14,1,0.41,2,1,0,0,0,1,47,NA,NA,5,NA
+71800,7,2,2,33,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,2,1,2,2,2,2,1,2,2,1,2,2,1,45655.090694,44423.220436,3,92,7,7,1.3,5,5,1,2,0,2,33,2,2,1,1
+71801,7,2,2,4,NA,1,1,1,4,56,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17887.570772,19748.358154,1,92,10,10,3.04,4,4,1,1,0,1,32,1,3,1,2
+71802,7,2,1,53,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,NA,1,2,2,1,2,2,1,2,2,1,27250.100481,27216.872857,1,99,6,3,0.92,2,1,0,0,0,2,50,1,3,6,NA
+71803,7,2,2,52,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,16063.886913,15924.431895,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+71804,7,2,2,9,NA,1,1,1,9,110,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,13616.85154,13950.045541,1,102,6,6,0.96,5,5,0,2,0,1,32,2,2,1,3
+71805,7,2,1,22,NA,5,6,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,1,2,2,1,14313.345971,14977.822328,3,91,7,7,1.33,6,6,0,0,2,2,51,2,5,1,5
+71806,7,2,2,12,NA,4,4,1,12,147,NA,NA,1,1,NA,6,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12412.374308,12473.945857,2,96,4,4,0.57,6,6,0,3,0,2,29,1,3,4,NA
+71807,7,2,1,12,NA,2,2,1,12,147,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,2,2,2,2,2,2,2,20560.901695,20667.963739,2,96,7,7,1.57,4,4,0,2,0,1,40,2,2,1,5
+71808,7,2,1,12,NA,1,1,1,12,147,NA,NA,1,1,NA,5,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,24228.858782,24355.020132,2,102,7,7,1.53,5,5,0,3,0,1,43,2,2,1,4
+71809,7,2,1,5,NA,4,4,1,5,65,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,14467.4421,14643.906573,2,101,4,4,1.22,2,2,1,0,0,2,31,1,4,77,NA
+71810,7,2,1,33,NA,2,2,2,NA,NA,2,NA,2,2,2,NA,3,1,NA,2,2,2,2,2,2,2,2,2,2,34887.439952,34624.133414,2,94,14,4,1.47,5,1,0,0,0,1,24,2,4,5,NA
+71811,7,2,2,53,NA,5,6,2,NA,NA,2,NA,2,1,99,NA,1,3,NA,1,2,1,1,2,2,1,1,1,3,14813.321679,14891.653673,2,94,77,77,NA,6,6,2,0,0,2,18,1,3,NA,NA
+71812,7,2,1,3,NA,2,2,1,3,38,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,11179.43727,11533.315753,2,93,14,14,2.91,6,6,2,0,1,2,74,NA,NA,2,NA
+71813,7,2,1,36,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17091.959624,18613.193853,1,90,15,15,5,4,4,2,0,0,1,36,1,5,1,5
+71814,7,2,1,3,NA,1,1,1,3,45,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,20874.345556,22365.354744,3,92,14,14,3.25,4,4,2,0,0,2,33,1,5,1,5
+71815,7,2,1,0,0,2,2,2,NA,1,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,2,2,2,NA,NA,NA,NA,4857.494088,5095.295928,2,90,4,4,0.57,5,5,1,0,2,2,80,2,1,2,NA
+71816,7,2,1,2,NA,1,1,1,2,34,NA,NA,1,1,NA,NA,NA,NA,NA,2,1,2,1,2,2,NA,NA,NA,NA,14457.854197,14219.651494,1,92,6,6,1.34,4,4,1,0,0,1,25,2,3,1,3
+71817,7,2,1,8,NA,4,4,1,8,103,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8294.996898,8761.908989,2,100,8,8,1.1,7,7,3,3,0,2,58,1,3,5,NA
+71818,7,2,1,8,NA,1,1,1,8,105,NA,NA,1,1,NA,2,NA,NA,NA,2,1,2,2,2,2,1,2,2,1,11036.458246,10927.552283,1,102,13,13,NA,6,6,1,2,0,2,36,2,4,6,NA
+71819,7,2,2,25,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,4,1,2,2,2,2,1,2,2,1,2,1,2,51600.2972,52672.714014,1,101,9,9,2.88,3,3,1,0,0,1,36,2,2,1,4
+71820,7,2,1,47,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,138834.18124,139448.476692,1,100,15,15,5,5,5,0,3,0,1,47,1,5,1,5
+71821,7,2,2,50,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,NA,NA,NA,NA,16181.169973,16286.716901,2,100,6,6,2.04,2,2,0,0,0,2,50,1,2,1,3
+71822,7,2,2,19,NA,4,4,1,19,229,2,NA,1,1,NA,15,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,18163.985724,18749.311901,2,101,2,1,0.32,2,1,0,0,0,2,19,1,4,NA,NA
+71823,7,2,2,4,NA,3,3,1,4,51,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,87448.870731,96516.512941,2,94,14,14,4.71,3,3,1,0,0,1,35,1,5,1,5
+71824,7,2,1,48,NA,2,2,2,NA,NA,2,NA,2,2,3,NA,5,1,NA,2,2,2,1,2,2,2,2,2,2,44123.284536,45145.647683,2,91,3,3,0.73,3,3,0,0,0,2,22,2,2,5,NA
+71825,7,2,2,53,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,102322.335011,107871.941405,2,100,10,10,3.13,4,4,0,0,1,2,53,1,2,1,2
+71826,7,2,2,77,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,2,2,NA,1,2,2,1,2,2,1,2,2,NA,30880.887565,31700.101057,1,98,1,1,0.04,1,1,0,0,1,2,77,1,2,2,NA
+71827,7,2,1,14,NA,5,6,1,14,169,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7669.677276,8194.5967,2,92,15,15,4.59,4,4,0,2,0,2,48,1,5,1,5
+71828,7,2,2,49,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,34954.173075,38933.293222,2,98,7,7,1.97,4,4,0,1,0,1,40,1,3,1,3
+71829,7,2,1,57,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,4,NA,1,2,2,1,2,2,1,2,2,1,23857.322871,24256.958876,2,103,2,2,0.46,2,2,0,0,0,1,57,1,2,4,NA
+71830,7,2,2,34,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,3,6,2,2,2,2,2,2,2,NA,NA,NA,NA,34898.504426,34609.253559,1,100,8,3,0.68,6,3,1,0,0,1,33,2,3,6,NA
+71831,7,2,2,41,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,3,1,2,1,2,2,1,2,2,1,2,2,1,33767.584626,40865.10406,2,102,14,14,2.44,7,7,0,2,1,2,71,1,3,3,NA
+71832,7,2,2,49,NA,1,1,2,NA,NA,2,NA,2,1,6,NA,1,3,NA,2,2,2,1,2,2,2,2,2,2,40880.818805,41857.641766,1,101,5,5,0.51,7,7,0,3,2,1,75,2,1,1,1
+71833,7,2,2,30,NA,5,6,2,NA,NA,2,NA,2,2,2,NA,5,1,2,1,2,1,1,2,2,1,2,2,1,20963.809917,22126.306943,1,93,10,10,4.76,2,2,0,0,0,1,29,2,5,1,5
+71834,7,2,2,0,5,4,4,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3861.876549,4016.370213,1,96,8,8,1.61,6,6,3,0,0,1,33,2,5,1,4
+71835,7,2,2,17,NA,4,4,2,17,207,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,11133.192774,11654.909373,3,91,2,2,0.25,4,4,0,2,0,2,35,1,3,5,NA
+71836,7,2,1,65,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,6036.688933,6083.909812,2,99,15,15,5,2,2,0,0,2,1,65,1,4,1,5
+71837,7,2,2,13,NA,2,2,2,13,161,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13824.001771,14551.102227,2,90,12,12,NA,4,4,0,2,0,2,38,2,4,1,4
+71838,7,2,2,10,NA,4,4,2,10,126,NA,NA,1,1,NA,4,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,7814.742747,8106.808519,2,95,4,4,0.65,4,4,1,2,0,2,27,1,3,5,NA
+71839,7,2,2,57,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,160743.928829,165029.101567,1,95,8,6,2.04,4,2,0,1,0,2,57,1,5,5,NA
+71840,7,2,2,11,NA,2,2,2,11,134,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,13450.921832,14026.252281,1,90,6,6,0.81,6,6,0,3,0,2,45,1,4,1,2
+71841,7,2,1,45,NA,2,2,1,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,28726.575428,29281.498535,2,100,14,14,3.36,4,4,1,1,0,1,45,2,5,1,2
+71842,7,2,1,6,NA,2,2,2,7,84,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,18107.947773,18211.90239,1,97,7,7,2.2,3,3,0,1,0,1,34,2,3,1,4
+71843,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,11507.810748,11454.924313,2,99,13,13,NA,6,6,2,1,0,2,31,1,4,6,NA
+71844,7,2,2,43,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,1,1,2,1,2,2,1,2,2,1,2,2,1,19943.783243,19397.969296,2,95,2,2,0.4,2,2,0,0,0,2,43,1,1,1,NA
+71845,7,2,1,8,NA,5,7,2,8,97,NA,NA,1,1,NA,1,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,8246.426933,10295.491756,1,99,10,10,3.99,3,3,0,1,0,1,36,2,2,6,NA
+71846,7,2,1,72,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,NA,15429.860615,16015.253437,1,98,12,12,NA,3,3,0,0,2,1,72,1,5,1,3
+71847,7,2,1,37,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,94644.050918,104631.781207,2,91,15,15,5,3,3,1,0,0,1,37,1,5,1,5
+71848,7,2,1,26,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,10559.047286,11105.574109,2,92,8,6,2.75,2,1,0,0,0,1,26,2,5,5,NA
+71849,7,2,2,56,NA,2,2,2,NA,NA,2,NA,2,1,7,NA,3,4,NA,2,2,2,2,2,2,1,2,2,2,21097.069797,24201.517172,2,90,3,3,1.1,1,1,0,0,0,2,56,2,3,4,NA
+71850,7,2,2,6,NA,4,4,1,7,84,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8437.316833,8584.499702,2,96,4,4,0.4,7,7,3,2,0,2,25,1,2,5,NA
+71851,7,2,1,17,NA,1,1,1,17,213,2,NA,2,2,3,11,NA,NA,NA,2,2,2,2,2,2,1,2,2,1,29234.272259,28953.402615,3,92,4,4,0.67,4,4,0,3,0,2,36,2,1,5,NA
+71852,7,2,1,19,NA,5,7,1,19,232,2,NA,1,1,NA,13,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24231.355333,25219.610889,2,100,5,5,1.3,3,3,0,1,0,2,46,1,3,2,NA
+71853,7,2,1,14,NA,4,4,1,14,169,NA,NA,1,1,NA,7,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,12046.265019,11945.683979,1,102,7,7,1.57,4,4,0,2,0,2,33,1,4,1,4
+71854,7,2,2,0,7,4,4,2,NA,8,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3756.765605,3760.183196,1,99,4,4,0.53,7,7,3,1,0,2,26,1,1,5,NA
+71855,7,2,2,62,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,1,60351.409248,61337.452183,2,101,3,3,0.98,2,2,0,0,2,1,62,1,4,1,3
+71856,7,2,2,32,NA,5,6,2,NA,NA,2,NA,2,2,3,NA,5,1,2,1,2,2,1,2,2,1,2,2,1,16369.916397,16695.550655,1,101,10,10,3.67,3,3,1,0,0,1,36,2,5,1,5
+71857,7,2,1,39,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,78529.577822,81088.445647,1,98,15,15,5,5,5,0,3,0,2,41,1,5,6,NA
+71858,7,2,1,27,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,NA,NA,NA,1,2,2,1,33510.443506,34234.256724,1,98,4,4,0.89,3,3,0,0,1,2,55,1,5,1,NA
+71859,7,2,2,0,9,4,4,2,NA,10,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,NA,NA,NA,NA,NA,NA,NA,3516.231705,3777.543312,2,99,2,2,0.19,7,7,3,1,0,2,43,1,2,4,NA
+71860,7,2,1,28,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,16436.212192,16355.203111,1,99,12,12,NA,2,2,0,0,0,1,28,1,5,5,NA
+71861,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,1,2,2,1,11862.436765,15907.964192,1,90,3,3,1.07,1,1,0,0,1,2,68,1,2,5,NA
+71862,7,2,2,54,NA,5,6,1,NA,NA,2,NA,2,2,6,NA,1,4,NA,1,1,2,1,2,2,NA,NA,NA,NA,10489.35334,11245.538838,3,91,14,14,2.5,6,6,1,1,1,2,37,2,2,1,5
+71863,7,2,1,38,NA,3,3,2,NA,NA,1,2,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,67281.364849,72381.052566,2,100,15,15,5,3,3,0,1,0,1,38,1,4,1,4
+71864,7,2,1,18,NA,2,2,2,18,221,2,NA,1,1,NA,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,16033.31661,16386.200415,2,90,8,8,2.01,4,4,0,0,1,2,67,2,4,2,NA
+71865,7,2,2,1,23,4,4,2,NA,24,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6247.52442,6810.692829,1,99,7,7,1.06,7,7,3,1,0,1,38,1,4,6,NA
+71866,7,2,1,32,NA,1,1,1,NA,NA,2,NA,2,2,3,NA,4,3,NA,2,2,2,1,2,2,2,2,2,2,37080.526463,37974.333878,2,103,12,77,NA,2,1,0,0,0,1,46,2,4,1,NA
+71867,7,2,2,26,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,5,5,2,1,2,2,1,2,2,1,2,2,1,11696.173591,12753.148801,1,93,10,10,3.09,4,4,0,0,1,2,41,NA,NA,1,NA
+71868,7,2,1,43,NA,1,1,1,NA,NA,2,NA,2,1,6,NA,3,1,NA,2,2,2,2,2,2,1,2,2,2,35406.972937,38657.357615,3,92,9,9,2.46,4,4,0,2,0,1,43,2,3,1,4
+71869,7,2,1,69,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,130234.912635,128905.524968,1,95,8,8,2.7,3,3,0,1,2,1,69,1,5,1,3
+71870,7,2,2,41,NA,3,3,1,NA,NA,2,NA,2,1,5,NA,2,3,2,1,2,2,1,2,2,1,2,2,1,26595.398371,26621.513872,1,94,3,3,0.93,2,2,0,0,0,2,41,2,2,3,NA
+71871,7,2,2,43,NA,5,6,2,NA,NA,2,NA,2,1,6,NA,3,3,2,1,2,1,1,2,1,1,2,1,NA,18255.735511,18352.270791,2,91,12,12,NA,5,5,1,1,0,1,39,NA,NA,1,NA
+71872,7,2,1,77,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,NA,12468.859946,13204.521198,2,96,6,6,1.77,2,2,0,0,2,1,77,1,2,1,2
+71873,7,2,2,20,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,4,6,2,1,2,2,1,2,2,1,2,2,1,122726.905904,130163.310429,1,101,8,6,2.69,2,1,0,0,0,2,20,1,4,6,NA
+71874,7,2,1,24,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,14385.653726,15564.966804,2,101,8,4,1.7,2,1,0,0,0,1,24,2,5,5,NA
+71875,7,2,1,42,NA,4,4,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,23766.023166,23781.059132,1,91,15,15,5,6,6,1,2,0,2,42,2,5,1,5
+71876,7,2,1,14,NA,1,1,1,14,177,NA,NA,1,1,NA,8,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,22621.505951,24307.488585,1,92,4,4,0.65,4,4,0,1,0,1,47,2,2,1,3
+71877,7,2,1,72,NA,2,2,1,NA,NA,2,NA,2,2,2,NA,2,1,NA,2,2,2,2,2,2,1,2,1,NA,14336.984082,15039.787037,2,100,99,99,NA,6,6,1,1,2,1,37,2,3,1,3
+71878,7,2,1,35,NA,2,2,1,NA,NA,2,NA,2,1,3,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,39943.378263,40565.140919,2,93,7,7,1.56,4,4,1,1,0,1,35,2,4,1,4
+71879,7,2,1,24,NA,4,4,1,NA,NA,2,NA,1,1,NA,NA,4,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,25815.880139,26556.735732,2,101,2,2,0.51,2,1,0,0,0,1,24,1,4,5,NA
+71880,7,2,1,46,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,21158.364877,21285.812242,1,96,12,12,NA,2,2,0,0,0,1,46,1,4,1,5
+71881,7,2,1,20,NA,5,6,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,13370.868197,14159.618266,1,97,15,15,5,4,4,0,0,0,1,51,2,5,1,5
+71882,7,2,2,60,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,2,1,NA,1,2,2,1,2,2,1,2,2,1,12331.419303,13379.957577,2,95,3,3,0.75,2,2,0,0,2,1,60,1,2,1,2
+71883,7,2,1,42,NA,5,6,2,NA,NA,2,NA,2,2,5,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,17210.953493,17934.928395,1,91,77,77,NA,4,4,1,1,0,1,42,2,5,1,5
+71884,7,2,1,49,NA,5,6,1,NA,NA,2,NA,2,2,5,NA,1,1,NA,1,2,1,1,2,1,NA,NA,NA,NA,11601.882948,11708.549693,2,92,77,77,NA,4,4,0,0,0,1,27,2,2,5,NA
+71885,7,2,1,35,NA,1,1,2,NA,NA,2,NA,2,2,5,NA,2,6,NA,2,2,2,1,2,2,2,2,2,2,31045.881083,33019.807379,2,97,4,4,0.6,6,6,2,2,0,1,35,2,2,6,NA
+71886,7,2,1,61,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,5,NA,1,2,2,1,2,2,1,2,2,1,6612.194774,6870.810722,2,99,6,6,2.28,1,1,0,0,1,1,61,1,3,5,NA
+71887,7,2,2,68,NA,2,2,2,NA,NA,2,NA,2,1,8,NA,1,1,NA,1,2,2,NA,NA,NA,1,2,2,1,12689.611047,13462.268549,1,90,4,4,1.12,2,2,0,0,2,1,68,2,4,1,1
+71888,7,2,2,67,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,3,3,NA,1,2,2,1,2,2,1,2,2,1,10346.035773,10764.448363,1,99,2,2,0.31,4,4,1,0,1,2,67,1,3,3,NA
+71889,7,2,2,5,NA,5,7,1,5,61,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7483.230909,8143.441843,2,96,15,15,5,4,4,1,1,0,2,35,2,5,1,5
+71890,7,1,2,31,NA,3,3,NA,NA,NA,2,NA,1,1,NA,NA,3,5,3,1,2,2,1,2,2,NA,NA,NA,NA,76271.00266,0,3,91,8,8,3.4,2,2,1,0,0,2,31,1,3,5,NA
+71891,7,2,2,54,NA,1,1,1,NA,NA,2,NA,2,1,7,NA,4,1,NA,2,2,2,2,2,2,2,2,2,2,30976.631116,32561.666417,2,102,9,9,3.24,3,3,0,0,0,1,54,2,4,1,4
+71892,7,2,1,0,3,4,4,2,NA,5,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,6327.979262,6425.104835,1,90,6,6,1.92,2,2,1,0,0,2,51,2,1,5,NA
+71893,7,2,2,3,NA,5,7,2,3,40,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,8173.816615,8894.95474,1,97,15,15,5,3,3,1,0,0,1,40,1,3,1,5
+71894,7,2,1,11,NA,2,2,2,11,143,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,11113.498573,11364.131177,1,94,14,14,3.4,5,5,0,3,0,2,41,1,4,1,4
+71895,7,2,1,31,NA,5,6,1,NA,NA,2,NA,2,2,2,NA,5,1,NA,1,2,2,1,2,2,1,2,2,3,17165.91562,17929.203991,2,96,15,6,2.3,3,1,0,0,0,1,31,2,5,1,NA
+71896,7,2,1,4,NA,4,4,2,4,59,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,9304.437652,9588.632035,2,97,14,14,3.91,4,4,1,1,0,1,38,1,4,1,5
+71897,7,2,2,68,NA,4,4,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,12331.419303,12882.003985,2,95,77,77,NA,2,2,0,0,2,1,68,1,4,1,4
+71898,7,2,2,65,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,15207.312407,15896.113669,1,92,9,9,3.97,2,2,0,0,2,2,65,1,4,1,4
+71899,7,2,2,3,NA,3,3,1,3,37,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,66833.888628,73763.947124,2,98,7,7,1.61,4,4,1,1,0,1,43,NA,NA,6,NA
+71900,7,1,2,26,NA,2,2,NA,NA,NA,2,NA,1,1,NA,NA,5,5,3,1,2,2,1,2,2,NA,NA,NA,NA,55675.708832,0,1,93,3,2,0.46,2,1,0,0,0,2,26,1,5,5,NA
+71901,7,2,2,48,NA,5,7,2,NA,NA,2,NA,1,1,NA,NA,4,1,NA,1,2,2,1,2,2,1,2,2,1,30442.30641,31779.541767,1,101,3,3,0.88,2,2,0,0,0,1,56,1,2,1,4
+71902,7,2,2,67,NA,5,6,2,NA,NA,2,NA,2,1,8,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,11494.286549,11937.924974,2,94,8,8,3.4,2,2,0,0,2,1,80,1,3,1,5
+71903,7,2,2,6,NA,4,4,1,6,73,NA,NA,1,1,NA,0,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,11076.064101,11514.984987,2,102,2,2,0.36,4,4,1,2,0,2,36,1,3,5,NA
+71904,7,2,2,30,NA,5,6,1,NA,NA,2,NA,2,1,6,NA,4,5,2,1,2,2,1,2,1,NA,NA,NA,NA,11032.714892,11055.242776,2,92,5,5,0.64,7,7,1,2,1,1,66,2,1,1,3
+71905,7,1,2,8,NA,5,6,NA,NA,NA,NA,NA,1,1,NA,3,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,7405.452085,0,1,95,6,6,1.34,4,4,0,2,0,2,32,2,3,2,NA
+71906,7,2,2,4,NA,5,6,2,4,54,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,3788.132941,4021.443194,3,90,77,77,NA,7,7,1,2,0,1,41,2,3,6,NA
+71907,7,2,1,80,NA,3,3,2,NA,NA,1,1,1,1,NA,NA,3,1,NA,1,2,2,1,2,2,1,2,2,NA,47098.572584,50542.386793,1,95,9,9,4.08,2,2,0,0,2,1,80,1,3,1,NA
+71908,7,2,2,66,NA,3,3,1,NA,NA,2,NA,1,1,NA,NA,5,2,NA,1,2,2,1,2,2,1,2,2,1,93265.413087,94789.216803,2,98,10,10,4.55,2,2,0,0,1,2,66,1,5,2,NA
+71909,7,2,1,28,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,2,5,NA,1,2,2,1,2,2,NA,NA,NA,NA,37911.437415,38428.199561,2,103,2,2,0.46,2,2,0,0,0,1,57,1,2,4,NA
+71910,7,2,2,0,5,3,3,2,NA,6,NA,NA,1,1,NA,NA,NA,NA,NA,1,1,2,1,2,2,NA,NA,NA,NA,17151.556324,17621.071345,1,98,14,14,3.37,5,5,1,2,0,1,27,1,5,1,5
+71911,7,2,1,27,NA,1,1,1,NA,NA,2,NA,1,1,NA,NA,5,1,NA,1,2,2,1,2,2,1,2,2,1,42165.369652,43039.787442,2,102,14,14,3.25,5,5,2,0,0,1,27,1,5,1,5
+71912,7,2,1,40,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,1,1,NA,1,2,2,1,2,2,1,2,2,1,19633.637051,20770.138122,1,98,6,6,1.73,3,3,0,1,0,2,39,1,4,1,1
+71913,7,2,2,18,NA,5,6,1,18,226,2,NA,2,1,4,11,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,7382.152016,8028.485773,1,94,14,14,2.78,6,5,0,2,1,1,61,1,4,1,5
+71914,7,2,2,10,NA,3,3,2,10,131,NA,NA,1,1,NA,5,NA,NA,NA,1,1,2,1,2,2,1,2,2,1,60197.256541,63931.531988,2,94,14,14,2.63,6,6,1,3,0,1,39,1,4,1,4
+71915,7,2,1,60,NA,3,3,2,NA,NA,2,NA,1,1,NA,NA,5,5,NA,1,2,2,1,2,2,1,2,2,1,88961.259215,91446.591982,3,90,10,10,5,1,1,0,0,1,1,60,1,5,5,NA
+71916,7,2,1,16,NA,3,3,1,16,198,NA,NA,1,1,NA,9,NA,NA,NA,1,2,2,1,2,2,1,2,2,1,24446.632088,24751.360191,1,94,4,4,0.79,3,3,0,1,0,1,49,1,2,3,NA
diff --git a/pandas/io/tests/data/DRXFCD_G.XPT b/pandas/io/tests/data/DRXFCD_G.XPT
new file mode 100644
index 0000000000000..15de11e8f9f49
Binary files /dev/null and b/pandas/io/tests/data/DRXFCD_G.XPT differ
diff --git a/pandas/io/tests/data/DRXFCD_G.csv b/pandas/io/tests/data/DRXFCD_G.csv
new file mode 100644
index 0000000000000..3fceacd1273bd
--- /dev/null
+++ b/pandas/io/tests/data/DRXFCD_G.csv
@@ -0,0 +1,7619 @@
+"DRXFDCD","DRXFCSD","DRXFCLD"
+1.1e+07,"MILK, HUMAN","Milk, human"
+11100000,"MILK, NFS","Milk, NFS"
+11111000,"MILK, COW'S, FLUID, WHOLE","Milk, cow's, fluid, whole"
+11111100,"MILK, COW'S, FLUID, WHOLE, LOW SODIUM","Milk, cow's, fluid, whole, low-sodium"
+11111150,"MILK, CALCIUM FORTIFIED, WHOLE, COW'S, FLUID","Milk, calcium fortified, cow's, fluid, whole"
+11111160,"MILK, CALCIUM FORTIFIED, COW'S, FLUID, 1% FAT","Milk, calcium fortified, cow's, fluid, 1% fat"
+11111170,"MILK, CALCIUM FORTIFIED, SKIM/NONFAT, COW, FLUID","Milk, calcium fortified, cow's, fluid, skim or nonfat"
+11112110,"MILK, COW'S, FLUID, 2% FAT","Milk, cow's, fluid, 2% fat"
+11112120,"MILK, COW'S, FLUID, ACIDOPHILUS, 1% FAT","Milk, cow's, fluid, acidophilus, 1% fat"
+11112130,"MILK, COW'S, FLUID, ACIDOPHILUS, 2% FAT","Milk, cow's, fluid, acidophilus, 2% fat"
+11112210,"MILK, COW'S, FLUID, 1% FAT","Milk, cow's, fluid, 1% fat"
+11113000,"MILK, COW'S, FLUID, SKIM OR NONFAT","Milk, cow's, fluid, skim or nonfat, 0.5% or less butterfat"
+11114300,"MILK, LOW LACTOSE, 1% FAT","Milk, cow's, fluid, lactose reduced, 1% fat"
+11114310,"MILK, LOW LACTOSE, 1% FAT, FORTIFIED WITH CALCIUM","Milk, cow's, fluid, lactose reduced, 1% fat, fortified with calcium"
+11114320,"MILK, LOW LACTOSE, NONFAT","Milk, cow's, fluid, lactose reduced, nonfat"
+11114321,"MILK, LOW LACTOSE, NONFAT, W/ CALCIUM","Milk, cow's, fluid, lactose reduced, nonfat, fortified with calcium"
+11114330,"MILK, COW'S FL LACTOSE REDUCED 2% FAT (LACTAID)","Milk, cow's, fluid, lactose reduced, 2% fat"
+11114350,"MILK, COW'S, FLUID, LACTOSE REDUCED, WHOLE","Milk, cow's, fluid, lactose reduced, whole"
+11115000,"BUTTERMILK, FLUID (INCLUDE KEFIR MILK)","Buttermilk, fluid, nonfat"
+11115100,"BUTTERMILK, FLUID, 1% FAT","Buttermilk, fluid, 1% fat"
+11115200,"BUTTERMILK, FLUID, 2% FAT","Buttermilk, fluid, 2% fat"
+11115300,"BUTTERMILK, FLUID, WHOLE","Buttermilk, fluid, whole"
+11116000,"MILK, GOAT'S, FLUID, WHOLE","Milk, goat's, fluid, whole"
+11120000,"MILK, DRY, RECONSTITUTED, NFS","Milk, dry, reconstituted, NFS"
+11121100,"MILK, DRY, RECONSTITUTED, WHOLE","Milk, dry, reconstituted, whole"
+11121210,"MILK, DRY, RECONSTITUTED, LOWFAT","Milk, dry, reconstituted, lowfat"
+11121300,"MILK, DRY, RECONSTITUTED, NONFAT","Milk, dry, reconstituted, nonfat"
+11210050,"MILK, EVAPORATED, NS AS TO FAT CONTENT","Milk, evaporated, NS as to fat content (formerly NS as to dilution, used in coffee or tea, assume undiluted)"
+11211050,"MILK, EVAPORATED, WHOLE","Milk, evaporated, whole (formerly NS as to dilution, used in coffee or tea)"
+11211400,"MILK, EVAPORATED, 2% FAT","Milk, evaporated, 2% fat (formerly NS as to dilution)"
+11212050,"MILK, EVAPORATED, SKIM","Milk, evaporated, skim (formerly NS as to dilution, used in coffee or tea)"
+11220000,"MILK, CONDENSED, SWEETENED","Milk, condensed, sweetened (formerly NS as to dilution)"
+11320000,"MILK, SOY, READY-TO-DRINK, NOT BABY","Milk, soy, ready-to-drink, not baby's"
+11320100,"MILK, SOY, LIGHT, READY-TO-DRINK, NOT BABY'S","Milk, soy, light, ready-to-drink, not baby's"
+11320200,"MILK, SOY, NONFAT, READY-TO-DRINK, NOT BABY'S","Milk, soy, nonfat, ready-to-drink, not baby's"
+11321000,"MILK, SOY, READY-TO-DRINK, NOT BABY'S, CHOCOLATE","Milk, soy, ready-to-drink, not baby's, chocolate"
+11321100,"MILK, SOY, LIGHT, READY-TO-DRINK, NOT BABY'S, CHOCOLATE","Milk, soy, light, ready-to-drink, not baby's, chocolate"
+11321200,"MILK, SOY, NONFAT, READY-TO-DRINK, NOT BABY'S, CHOCOLATE","Milk, soy, nonfat, ready-to-drink, not baby's, chocolate"
+11340000,"MILK,IMITATION,FLUID,NONSOY,SWEETENED,NOT CHOCOLATE","Milk, imitation, fluid, non-soy, sweetened, flavors other than chocolate"
+11350000,"MILK, ALMOND, READY-TO-DRINK","Milk, almond, ready-to-drink"
+11350010,"MILK, ALMOND, READY-TO-DRINK, CHOCOLATE","Milk, almond, ready-to-drink, chocolate"
+11410000,"YOGURT, NS AS TO TYPE OF MILK/FLAVOR","Yogurt, NS as to type of milk or flavor"
+11411010,"YOGURT, PLAIN, NS AS TO TYPE OF MILK","Yogurt, plain, NS as to type of milk"
+11411100,"YOGURT, PLAIN, WHOLE MILK","Yogurt, plain, whole milk"
+11411200,"YOGURT, PLAIN, LOWFAT MILK","Yogurt, plain, lowfat milk"
+11411300,"YOGURT, PLAIN, NONFAT MILK","Yogurt, plain, nonfat milk"
+11420000,"YOGURT, VANILLA, LEMON, COFFEE, NS AS TO MILK TYPE","Yogurt, vanilla, lemon, or coffee flavor, NS as to type of milk"
+11421000,"YOGURT, VANILLA, LEMON, COFFEE, WHOLE MILK","Yogurt, vanilla, lemon, or coffee flavor, whole milk"
+11422000,"YOGURT, VANILLA, LEMON, COFFEE, LOWFAT MILK","Yogurt, vanilla, lemon, maple, or coffee flavor, lowfat milk"
+11422100,"YOGURT, VANILLA, LEMON, COFFEE, LOWFAT MILK, LOW CAL SWTNR","Yogurt, vanilla, lemon, maple, or coffee flavor, lowfat milk, sweetened with low calorie sweetener"
+11423000,"YOGURT, VANILLA, LEMON, COFFEE, NONFAT MILK","Yogurt, vanilla, lemon, maple, or coffee flavor, nonfat milk"
+11424000,"YOGURT, VANILLA, LEMON, COFFEE, NONFAT MILK, LOW CAL SWEET","Yogurt, vanilla, lemon, maple, or coffee flavor, nonfat milk, sweetened with low calorie sweetener"
+11425000,"YOGURT, CHOCOLATE, NS AS TO TYPE OF MILK","Yogurt, chocolate, NS as to type of milk"
+11426000,"YOGURT, CHOCOLATE, WHOLE MILK","Yogurt, chocolate, whole milk"
+11427000,"YOGURT, CHOCOLATE, NONFAT MILK","Yogurt, chocolate, nonfat milk"
+11430000,"YOGURT, FRUIT VARIETY, NS AS TO MILK TYPE","Yogurt, fruit variety, NS as to type of milk"
+11431000,"YOGURT, FRUIT VARIETY, WHOLE MILK","Yogurt, fruit variety, whole milk"
+11432000,"YOGURT, FRUIT VARIETY, LOWFAT MILK","Yogurt, fruit variety, lowfat milk"
+11432500,"YOGURT, FRUIT VARIETY, LOWFAT MILK, W/ LOW CAL SWEETENER","Yogurt, fruit variety, lowfat milk, sweetened with low-calorie sweetener"
+11433000,"YOGURT, FRUIT VARIETY, NONFAT MILK","Yogurt, fruit variety, nonfat milk"
+11433500,"YOGURT, FRUITED, NONFAT MILK, LOW CAL SWEETENER","Yogurt, fruit variety, nonfat milk, sweetened with low-calorie sweetener"
+11446000,"FRUIT AND LOWFAT YOGURT PARFAIT","Fruit and lowfat yogurt parfait"
+11459990,"YOGURT, FROZEN, NS AS TO FLAVOR, NS TO TYPE OF MILK","Yogurt, frozen, NS as to flavor, NS as to type of milk"
+11460000,"YOGURT, FROZEN, NOT CHOCOLATE, TYPE OF MILK NS","Yogurt, frozen, flavors other than chocolate, NS as to type of milk"
+11460100,"YOGURT, FROZEN, CHOCOLATE, TYPE OF MILK NS","Yogurt, frozen, chocolate, NS as to type of milk"
+11460150,"YOGURT, FROZEN, NS AS TO FLAVOR, LOWFAT MILK","Yogurt, frozen, NS as to flavor, lowfat milk"
+11460160,"YOGURT, FROZEN, CHOCOLATE, LOWFAT MILK","Yogurt, frozen, chocolate, lowfat milk"
+11460170,"YOGURT, FROZEN, NOT CHOCOLATE, LOWFAT MILK","Yogurt, frozen, flavors other than chocolate, lowfat milk"
+11460190,"YOGURT, FROZEN, NS AS TO FLAVOR, NONFAT MILK","Yogurt, frozen, NS as to flavor, nonfat milk"
+11460200,"YOGURT, FROZEN, CHOCOLATE, NONFAT MILK","Yogurt, frozen, chocolate, nonfat milk"
+11460250,"YOGURT,FROZEN,NOT CHOCOLATE,W/ SORBET/SORBET-COATED","Yogurt, frozen, flavors other than chocolate, with sorbet or sorbet-coated"
+11460300,"YOGURT, FROZEN, NOT CHOCOLATE, NONFAT MILK","Yogurt, frozen, flavors other than chocolate, nonfat milk"
+11460400,"YOGURT,FRZ,CHOCOLATE,NONFAT MILK,W/ LOW-CAL SWEET","Yogurt, frozen, chocolate, nonfat milk, with low-calorie sweetener"
+11460410,"YOGURT,FRZ,NOT CHOC,NONFAT MILK,W/ LOW-CAL SWEET","Yogurt, frozen, flavors other than chocolate, nonfat milk, with low-calorie sweetener"
+11460420,"YOGURT, FROZEN, NS AS TO FLAVOR, WHOLE MILK","Yogurt, frozen, NS as to flavor, whole milk"
+11460430,"YOGURT, FROZEN, CHOCOLATE, WHOLE MILK","Yogurt, frozen, chocolate, whole milk"
+11460440,"YOGURT, FROZEN, NOT CHOCOLATE, WHOLE MILK","Yogurt, frozen, flavors other than chocolate, whole milk"
+11461000,"YOGURT, FROZEN, CHOCOLATE-COATED","Yogurt, frozen, chocolate-coated"
+11461200,"YOGURT, FROZEN, SANDWICH","Yogurt, frozen, sandwich"
+11461250,"YOGURT, FROZEN, CONE, CHOCOLATE","Yogurt, frozen, cone, chocolate"
+11461260,"YOGURT, FROZEN, CONE, NOT CHOCOLATE","Yogurt, frozen, cone, flavors other than chocolate"
+11461270,"YOGURT, FROZEN, CONE, NOT CHOCOLATE, LOWFAT MILK","Yogurt, frozen, cone, flavors other than chocolate, lowfat milk"
+11461280,"YOGURT, FROZ, CONE, CHOCOLATE, LOWFAT MILK","Yogurt, frozen, cone, chocolate, lowfat milk"
+11480010,"YOGURT, WHOLE MILK, BF","Yogurt, whole milk, baby food"
+11480020,"YOGURT, WHOLE MILK, BF, W/FRUIT& MULTIGRAIN CEREAL,NFS","Yogurt, whole milk, baby food, with fruit and multigrain cereal puree, NFS"
+11480030,"YOGURT, WHOLE MILK, BF, W/FRUIT&MULTIGRAIN CEREAL + IRON","Yogurt, whole milk, baby food, with fruit and multigrain cereal puree, plus iron"
+11480040,"YOGURT, WHOLE MILK, BF, W/FRUIT&MULTIGRAIN CEREAL + DHA","Yogurt, whole milk, baby food, with fruit and multigrain cereal puree, plus DHA"
+11511000,"MILK, CHOCOLATE, NFS","Milk, chocolate, NFS"
+11511100,"MILK, CHOCOLATE, WHOLE MILK BASED","Milk, chocolate, whole milk-based"
+11511200,"MILK, CHOCOLATE, RED FAT, 2%","Milk, chocolate, reduced fat milk-based, 2% (formerly ""lowfat"")"
+11511300,"MILK, CHOCOLATE, SKIM MILK BASED","Milk, chocolate, skim milk-based"
+11511400,"MILK, CHOCOLATE, LOWFAT MILK BASED","Milk, chocolate, lowfat milk-based"
+11512000,"COCOA,HOT CHOCOLATE,NOT FROM DRY MIX, W/WHOLE MILK","Cocoa, hot chocolate, not from dry mix, made with whole milk"
+11512500,"HOT CHOCOLATE, P.R., MADE W/ WHOLE MILK","Hot chocolate, Puerto Rican style, made with whole milk"
+11512510,"HOT CHOCOLATE, P.R., MADE W/ LOW FAT MILK","Hot chocolate, Puerto Rican style, made with low fat milk"
+11513000,"COCOA & SUGAR MIXTURE, MILK ADDED, NS TYPE MILK","Cocoa and sugar mixture, milk added, NS as to type of milk"
+11513100,"COCOA & SUGAR MIXTURE, WHOLE MILK ADDED","Cocoa and sugar mixture, whole milk added"
+11513150,"COCOA & SUGAR MIXTURE, REDUCED FAT MILK ADDED","Cocoa and sugar mixture, reduced fat milk added"
+11513200,"COCOA & SUGAR MIXTURE, LOWFAT MILK ADDED","Cocoa and sugar mixture, lowfat milk added"
+11513300,"COCOA & SUGAR MIXTURE, SKIM MILK ADDED","Cocoa and sugar mixture, skim milk added"
+11513350,"COCOA AND SUGAR MIXTURE, REDUCED SUGAR, MILK ADDED, NS TYPE","Cocoa and sugar mixture, reduced sugar, milk added, NS as to type of milk"
+11513355,"COCOA AND SUGAR MIXTURE, REDUCED SUGAR, WHOLE MILK ADDED","Cocoa and sugar mixture, reduced sugar, whole milk added"
+11513360,"COCOA AND SUGAR MIXTURE, REDUCED SUGAR, REDUCED FAT MILK ADD","Cocoa and sugar mixture, reduced sugar, reduced fat milk added"
+11513365,"COCOA AND SUGAR MIXTURE, REDUCED SUGAR, LOWFAT MILK ADDED","Cocoa and sugar mixture, reduced sugar, lowfat milk added"
+11513370,"COCOA AND SUGAR MIXTURE, REDUCED SUGAR, SKIM MILK ADDED","Cocoa and sugar mixture, reduced sugar, skim milk added"
+11513400,"CHOCOLATE SYRUP, MILK ADDED, NS AS TO TYPE OF MILK","Chocolate syrup, milk added, NS as to type of milk"
+11513500,"CHOCOLATE SYRUP, WHOLE MILK ADDED","Chocolate syrup, whole milk added"
+11513550,"CHOCOLATE SYRUP, RED FAT MILK ADDED","Chocolate syrup, reduced fat milk added"
+11513600,"CHOCOLATE SYRUP, LOWFAT MILK ADDED","Chocolate syrup, lowfat milk added"
+11513700,"CHOCOLATE SYRUP, SKIM MILK ADDED","Chocolate syrup, skim milk added"
+11514100,"COCOA, SUGAR, & DRY MILK MIXTURE, WATER ADDED","Cocoa, sugar, and dry milk mixture, water added"
+11514300,"COCOA W/ NF DRY MILK, LO CAL SWEETENER, WATER ADDED","Cocoa with nonfat dry milk and low calorie sweetener, mixture, water added"
+11514500,"COCOA W/ WHEY, LO CAL SWEETNR, FORTIFD, WATER ADDED","Cocoa, whey, and low calorie sweetener, mixture, fortified, water added"
+11515100,"COCOA & SUGAR W/ MILK, FORTIFIED, PUERTO RICAN","Cocoa and sugar mixture fortified with vitamins and minerals, milk added, NS as to type of milk, Puerto Rican style"
+11516000,"COCOA, WHEY, LO CAL SWEETNER MIX, LOWFAT MILK ADDED","Cocoa, whey, and low-calorie sweetener mixture, lowfat milk added"
+11518050,"MILK BEV W/NF DRY MILK, LO CAL SWEET,WATER,NOT CHOC","Milk beverage with nonfat dry milk and low calorie sweetener, water added, flavors other than chocolate"
+11519000,"MILK BEVERAGE, NOT CHOCOLATE, W/ WHOLE MILK","Milk beverage, made with whole milk, flavors other than chocolate"
+11519040,"MILK, FLAVORS OTHER THAN CHOCOLATE, NFS","Milk, flavors other than chocolate, NFS"
+11519050,"MILK, NOT CHOCOLATE, WHOLE MILK BASED","Milk, flavors other than chocolate, whole milk-based"
+11519105,"MILK, FLAVORS OTHER THAN CHOCOLATE, REDUCED FAT MILK-BASED","Milk, flavors other than chocolate, reduced fat milk-based"
+11519200,"MILK, FLAVORS OTHER THAN CHOCOLATE, LOWFAT MILK-BASED","Milk, flavors other than chocolate, lowfat milk-based"
+11519205,"MILK, FLAVORS OTHER THAN CHOCOLATE, SKIM-MILK BASED","Milk, flavors other than chocolate, skim-milk based"
+11520000,"MILK, MALTED, UNFORTIFIED, FLAVOR NS","Milk, malted, unfortified, NS as to flavor, made with milk"
+11521000,"MILK, MALTED, UNFORTIFIED, CHOCOLATE FLAVOR","Milk, malted, unfortified, chocolate, made with milk"
+11522000,"MILK, MALTED, UNFORTIFIED, NATURAL FLAVOR","Milk, malted, unfortified, natural flavor, made with milk"
+11525000,"MILK,MALTED,FORTIFIED,NATURAL FLAVOR (INCL OVALTINE","Milk, malted, fortified, natural flavor, made with milk"
+11526000,"MILK, MALTED, FORTIFIED, CHOCOLATE (INCL OVALTINE)","Milk, malted, fortified, chocolate, made with milk"
+11527000,"MILK, MALTED, FORTIFIED, (INCL OVALTINE)","Milk, malted, fortified, NS as to flavor, made with milk"
+11531000,"EGGNOG, MADE W/ WHOLE MILK (INCLUDE EGG NOG, NFS)","Eggnog, made with whole milk"
+11531500,"EGGNOG, MADE W/ 2% REDUCED FAT MILK","Eggnog, made with 2% reduced fat milk (formerly eggnog, made with ""2% lowfat"" milk)"
+11541000,"MILK SHAKE, NS AS TO FLAVOR OR TYPE","Milk shake, NS as to flavor or type"
+11541100,"MILK SHAKE,HOMEMADE/ FOUNTAIN-TYPE, NS AS TO FLAVOR","Milk shake, homemade or fountain-type, NS as to flavor"
+11541110,"MILK SHAKE, HOMEMADE OR FOUNTAIN-TYPE, CHOCOLATE","Milk shake, homemade or fountain-type, chocolate"
+11541120,"MILK SHAKE, HOMEMADE/FOUNTAIN-TYPE, NOT CHOCOLATE","Milk shake, homemade or fountain-type, flavors other than chocolate"
+11541400,"MILK SHAKE WITH MALT (INCL MALTED MILK W/ICE CREAM)","Milk shake with malt"
+11541500,"MILK SHAKE, MADE W/ SKIM MILK, CHOCOLATE","Milk shake, made with skim milk, chocolate"
+11541510,"MILK SHAKE,MADE W/ SKIM MILK, NOT CHOCOLATE","Milk shake, made with skim milk, flavors other than chocolate"
+11542000,"CARRY-OUT MILK SHAKE, NS AS TO FLAVOR","Carry-out milk shake, NS as to flavor"
+11542100,"CARRY-OUT MILK SHAKE, CHOCOLATE","Carry-out milk shake, chocolate"
+11542200,"CARRY-OUT MILK SHAKE, NOT CHOCOLATE","Carry-out milk shake, flavors other than chocolate"
+11551050,"MILK FRUIT DRINK (INCL LICUADO)","Milk fruit drink"
+11552200,"ORANGE JULIUS","Orange Julius"
+11553000,"FRUIT SMOOTHIE DRINK, W/ FRUIT OR JUICE & DAIRY PRODUCTS","Fruit smoothie drink, made with fruit or fruit juice and dairy products"
+11553100,"FRUIT SMOOTHIE DRINK, NFS","Fruit smoothie drink, NFS"
+11560000,"CHOC-FLAVORED DRINK, WHEY-&MILK-BASED(INCL YOO-HOO)","Chocolate-flavored drink, whey- and milk-based"
+11560020,"MILK DRINK, WHEY&MILK-BASE, NOT CHOC (INCL YOO-HOO)","Flavored milk drink, whey- and milk-based, flavors other than chocolate"
+11561000,"CAFE CON LECHE","Cafe con leche"
+11561010,"CAFE CON LECHE PREPARED W/ SUGAR","Cafe con leche prepared with sugar"
+11710000,"INFANT FORMULA, NFS","Infant formula, NFS"
+11710050,"SIMILAC EXPERT CARE ALIMENTUM, INFANT FORMULA, NS AS TO FORM","Similac Expert Care Alimentum, infant formula, NS as to form"
+11710051,"SIMILAC EXPERT CARE ALIMENTUM, INFANT FORMULA, READY-TO-FEED","Similac Expert Care Alimentum, infant formula, ready-to-feed"
+11710053,"SIMILAC EXPERT CARE ALIMENTUM,INF FORM,PREP FR PDR,WATER NFS","Similac Expert Care Alimentum, infant formula, prepared from powder, made with water, NFS"
+11710054,"SIMILAC EXPERT CARE ALIMENTUM,INF FORM,PREP FR PDR,TAP WATER","Similac Expert Care Alimentum, infant formula, prepared from powder, made with tap water"
+11710055,"SIMILAC EXPERT CARE ALIMENTUM, INF FORM, FR PDR, BTL WATER","Similac Expert Care Alimentum, infant formula, prepared from powder, made with plain bottled water"
+11710056,"SIMILAC EXPERT CARE ALIMENTUM,INF FORM,PREP FR PDR,BABY WATR","Similac Expert Care Alimentum, infant formula, prepared from powder, made with baby water"
+11710350,"SIMILAC ADVANCE, INFANT FORMULA, NS AS TO FORM","Similac Advance, infant formula, NS as to form"
+11710351,"SIMILAC ADVANCE, INFANT FORMULA, READY-TO-FEED","Similac Advance, infant formula, ready-to-feed"
+11710352,"SIMILAC ADVANCE, INF FORMULA, PREP FRM LIQ CONC, W/WATER,NFS","Similac Advance, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710353,"SIMILAC ADVANCE, INFANT FORMULA, PREP FRM PDR, W/WATER NFS","Similac Advance, infant formula, prepared from powder, made with water, NFS"
+11710354,"SIMILAC ADVANCE, INF FORMULA, PREP FRM LIQ CONC, W/TAP WATER","Similac Advance, infant formula, prepared from liquid concentrate, made with tap water"
+11710355,"SIMILAC ADVANCE, INF FORMULA, PREP FRM LIQ CONC, W/BOT WATER","Similac Advance, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710356,"SIMILAC ADVANCE, INF FORMULA, PREP FR LIQ CONC, W/ BABY WATR","Similac Advance, infant formula, prepared from liquid concentrate, made with baby water"
+11710357,"SIMILAC ADVANCE, INFANT FORMULA, PREP FRM PDR, W/TAP WATER","Similac Advance, infant formula, prepared from powder, made with tap water"
+11710358,"SIMILAC ADVANCE, INFANT FORMULA, PREP FRM PDR, W/BOT WATER","Similac Advance, infant formula, prepared from powder, made with plain bottled water"
+11710359,"SIMILAC ADVANCE, INFANT FORMULA, PREP FRM PDR, W/BABY WATER","Similac Advance, infant formula, prepared from powder, made with baby water"
+11710360,"SIMILAC ADVANCE ORGANIC, INFANT FORMULA, NS AS TO FORM","Similac Advance Organic, infant formula, NS as to form"
+11710361,"SIMILAC ADVANCE ORGANIC, INFANT FORMULA, READY-TO-FEED","Similac Advance Organic, infant formula, ready-to-feed"
+11710363,"SIMILAC ADVANCE ORGANIC,INF FORM,PREP FR PDR,W/WATER,NFS","Similac Advance Organic, infant formula, prepared from powder, made with water, NFS"
+11710367,"SIMILAC ADVANCE ORGANIC,INF FORM,PREP FR PDR,W/TAP WATER","Similac Advance Organic, infant formula, prepared from powder, made with tap water"
+11710368,"SIMILAC ADVANCE ORGANIC,INF FORM,PREP FR PDR,W/BOT WATER","Similac Advance Organic, infant formula, prepared from powder, made with plain bottled water"
+11710369,"SIMILAC ADVANCE ORGANIC,INF FORM,PREP FR PDR,W/BABY WATER","Similac Advance Organic, infant formula, prepared from powder, made with baby water"
+11710370,"SIMILAC SENSITIVE, INFANT FORMULA, NS AS TO FORM","Similac Sensitive, infant formula, NS as to form"
+11710371,"SIMILAC SENSITIVE, INFANT FORMULA, READY-TO-FEED","Similac Sensitive, infant formula, ready-to-feed"
+11710372,"SIMILAC SENSITIVE, INF FORM, PREP FRM LIQ CONC, W/WATER,NFS","Similac Sensitive, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710373,"SIMILAC SENSITIVE, INF FORM, PREP FRM PDR, W/ WATER,NFS","Similac Sensitive, infant formula, prepared from powder, made with water, NFS"
+11710374,"SIMILAC SENSITIVE, INF FORM, PREP FRM LIQ CONC, W/TAP WATER","Similac Sensitive, infant formula, prepared from liquid concentrate, made with tap water"
+11710375,"SIMILAC SENSITIVE, INF FORM, PREP FRM LIQ CONC, W/BOT WATER","Similac Sensitive, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710376,"SIMILAC SENSITIVE, INF FORM, PREP FRM LIQ CONC, W/BABY WATER","Similac Sensitive, infant formula, prepared from liquid concentrate, made with baby water"
+11710377,"SIMILAC SENSITIVE, INF FORM, PREP FRM PDR, W/TAP WATER","Similac Sensitive, infant formula, prepared from powder, made with tap water"
+11710378,"SIMILAC SENSITIVE, INF FORM, PREP FRM PDR, W/ BOT WATER","Similac Sensitive, infant formula, prepared from powder, made with plain bottled water"
+11710379,"SIMILAC SENSITIVE, INF FORM, PREP FRM PDR, W/ BABY WATER","Similac Sensitive, infant formula, prepared from powder, made with baby water"
+11710380,"SIMILAC SENSITIVE FOR SPIT-UP, INFANT FORMULA, NS AS TO FORM","Similac Sensitive for Spit-Up, infant formula, NS as to form"
+11710381,"SIMILAC SENSITIVE FOR SPIT-UP, INFANT FORMULA, READY-TO-FEED","Similac Sensitive for Spit-Up, infant formula, ready-to-feed"
+11710383,"SIMILAC SENSITIVE SPIT-UP,INF FORM, FR PDR, W/ WATER, NFS","Similac Sensitive for Spit-Up, infant formula, prepared from powder, made with water, NFS"
+11710387,"SIMILAC SENSITIVE SPIT-UP,INF FORM,PREP FR PDR,W/TAP WATER","Similac Sensitive for Spit-Up, infant formula, prepared from powder, made with tap water"
+11710388,"SIMILAC SENSITIVE SPIT-UP,INF FORM,PREP FR PDR,W/BOT WATER","Similac Sensitive for Spit-Up, infant formula, prepared from powder, made with plain bottled water"
+11710389,"SIMILAC SENSITIVE SPIT-UP,INF FORM,PREP FR PDR,W/BABY WATER","Similac Sensitive for Spit-Up, infant formula, prepared from powder, made with baby water"
+11710470,"SIMILAC EXPERT CARE NEOSURE, INFANT FORMULA, NS AS TO FORM","Similac Expert Care NeoSure, infant formula, NS as to form"
+11710471,"SIMILAC EXPERT CARE NEOSURE, INFANT FORMULA, READY-TO-FEED","Similac Expert Care NeoSure, infant formula, ready-to-feed"
+11710473,"SIMILAC EXPERT CARE NEOSURE,INF FORM,PREP FR PDR,W/WATER,NFS","Similac Expert Care NeoSure, infant formula, prepared from powder, made with water, NFS"
+11710477,"SIMILAC EXPERT CARE NEOSURE,INF FORM,PREP FR PDR,W/TAP WATER","Similac Expert Care NeoSure, infant formula, prepared from powder, made with tap water"
+11710478,"SIMILAC EXPERT CARE NEOSURE,INF FORM,PREP FR PDR,W/BOT WATER","Similac Expert Care NeoSure, infant formula, prepared from powder, made with plain bottled water"
+11710479,"SIMILAC EXPERT CARE NEOSURE,INF FORM,PREP FR PDR,W/BABY WAT","Similac Expert Care NeoSure, infant formula, prepared from powder, made with baby water"
+11710480,"SIMILAC GO AND GROW, INFANT FORMULA, NS AS TO FORM","Similac Go and Grow, infant formula, NS as to form"
+11710481,"SIMILAC GO AND GROW,INF FORM,PREP FR PDR,W/WATER,NFS","Similac Go and Grow, infant formula, prepared from powder, made with water, NFS"
+11710482,"SIMILAC GO AND GROW,INF FORM,PREP FR PDR,W/TAP WATER","Similac Go and Grow, infant formula, prepared from powder, made with tap water"
+11710483,"SIMILAC GO AND GROW,INF FORM,PREP FR PDR,W/BOT WATER","Similac Go and Grow, infant formula, prepared from powder, made with plain bottled water"
+11710484,"SIMILAC GO AND GROW,INF FORM,PREP FR PDR,W/BABY WATER","Similac Go and Grow, infant formula, prepared from powder, made with baby water"
+11710620,"ENFAMIL PREMIUM NEWBORN, INFANT FORMULA, NS AS TO FORM","Enfamil PREMIUM Newborn, infant formula, NS as to form"
+11710621,"ENFAMIL PREMIUM NEWBORN, INFANT FORMULA, READY-TO-FEED","Enfamil PREMIUM Newborn, infant formula, ready-to-feed"
+11710626,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRO PDR, WATER NFS","Enfamil PREMIUM Newborn, infant formula, prepared from powder, made with water, NFS"
+11710627,"ENFAMIL PREMIUM NEWBORN, INFANT FORMULA, PREP FRM PDR,TAP","Enfamil PREMIUM Newborn, infant formula, prepared from powder, made with tap water"
+11710628,"ENFAMIL PREMIUM NEWBORN, INF FORM, PREP FRM PDR,BOTTLE WATER","Enfamil PREMIUM Newborn, infant formula, prepared from powder, made with plain bottled water"
+11710629,"ENFAMIL PREMIUM NEWBORN, INFANT FORMULA, PREP FRM PDR, BABY","Enfamil PREMIUM Newborn, infant formula, prepared from powder, made with baby water"
+11710630,"ENFAMIL PREMIUM INFANT, INFANT FORMULA, NS AS TO FORM","Enfamil PREMIUM Infant, infant formula, NS as to form"
+11710631,"ENFAMIL PREMIUM INFANT, INFANT FORMULA, READY-TO-FEED","Enfamil PREMIUM Infant, infant formula, ready-to-feed"
+11710632,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM LIQ CONC,WATER NF","Enfamil PREMIUM Infant, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710633,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM LIQ CONC,TAP WATE","Enfamil PREMIUM Infant, infant formula, prepared from liquid concentrate, made with tap water"
+11710634,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM LIQ CONC,BOT WATE","Enfamil PREMIUM Infant, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710635,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM LIQ CONC, BABY","Enfamil PREMIUM Infant, infant formula, prepared from liquid concentrate, made with baby water"
+11710636,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM PDR, WATER NFS","Enfamil PREMIUM Infant, infant formula, prepared from powder, made with water, NFS"
+11710637,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM PDR, TAP WATER","Enfamil PREMIUM Infant, infant formula, prepared from powder, made with tap water"
+11710638,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM PDR, BOT WATER","Enfamil PREMIUM Infant, infant formula, prepared from powder, made with plain bottled water"
+11710639,"ENFAMIL PREMIUM INFANT, INF FORM, PREP FRM PDR, BABY WATER","Enfamil PREMIUM Infant, infant formula, prepared from powder, made with baby water"
+11710640,"ENFAMIL PREMIUM LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil PREMIUM LIPIL, infant formula, NS as to form"
+11710642,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR LIQ CONC,W/WATER,NFS","Enfamil PREMIUM LIPIL, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710643,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR PDR,W/WATER,NFS","Enfamil PREMIUM LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710644,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR LIQ CONC,W/TAP WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from liquid concentrate, made with tap water"
+11710645,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR LIQ CONC,W/BOT WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710646,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR LIQ CONC,W/BABY WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from liquid concentrate, made with baby water"
+11710647,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR PDR,W/TAP WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from powder, made with tap water"
+11710648,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR PDR,W/BOT WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710649,"ENFAMIL PREMIUM LIPIL,INF FORM,PREP FR PDR,W/BABY WATER","Enfamil PREMIUM LIPIL, infant formula, prepared from powder, made with baby water"
+11710650,"ENFAMIL LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil LIPIL, infant formula, NS as to form"
+11710651,"ENFAMIL LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil LIPIL, infant formula, ready-to-feed"
+11710652,"ENFAMIL LIPIL, INFANT FORMULA, PREP FR LIQ CONC, W/WATER,NFS","Enfamil LIPIL, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710653,"ENFAMIL LIPIL, INFANT FORMULA, PREP FRM PDR, W/WATER,NFS","Enfamil LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710654,"ENFAMIL LIPIL, INFANT FORMULA, PREP FR LIQ CONC, W/TAP WATER","Enfamil LIPIL, infant formula, prepared from liquid concentrate, made with tap water"
+11710655,"ENFAMIL LIPIL, INFANT FORMULA, PREP FR LIQ CONC, W/BOT WATER","Enfamil LIPIL, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710656,"ENFAMIL LIPIL, INFANT FORMULA, PREP FR LIQ CONC, W/BABY WAT","Enfamil LIPIL, infant formula, prepared from liquid concentrate, made with baby water"
+11710657,"ENFAMIL LIPIL, INFANT FORMULA, PREP FRM PDR, W/TAP WATER","Enfamil LIPIL, infant formula, prepared from powder, made with tap water"
+11710658,"ENFAMIL LIPIL, INFANT FORMULA, PREP FRM PDR, W/BOT WATER","Enfamil LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710659,"ENFAMIL LIPIL, INFANT FORMULA, PREP FRM PDR, W/BABY WATER","Enfamil LIPIL, infant formula, prepared from powder, made with baby water"
+11710660,"ENFAMIL A.R. LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil A.R. Lipil, infant formula, NS as to form"
+11710661,"ENFAMIL A.R. LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil A.R. Lipil, infant formula, ready-to-feed"
+11710663,"ENFAMIL A.R., INFANT FORMULA, PREP FR PDR, W/WATER, NFS","Enfamil A.R. LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710664,"ENFAMIL A.R., INFANT FORMULA, PREP FR PDR, W/TAP WATER","Enfamil A.R. LIPIL, infant formula, prepared from powder, made with tap water"
+11710665,"ENFAMIL ENFACARE LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil EnfaCare LIPIL, infant formula, NS as to form"
+11710666,"ENFAMIL ENFACARE LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil EnfaCare LIPIL, infant formula, ready-to-feed"
+11710667,"ENFAMIL ENFACARE LIPIL, INF FORM, PREP FR PDR, W/ WATER,NFS","Enfamil EnfaCare LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710668,"ENFAMIL A.R., INFANT FORMULA, PREP FR PDR, W/BOT WATER","Enfamil A.R. LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710669,"ENFAMIL A.R., INFANT FORMULA, PREP FR PDR, W/BABY WATER","Enfamil A.R. LIPIL, infant formula, prepared from powder, made with baby water"
+11710670,"ENFAMIL GENTLEASE LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil Gentlease LIPIL, infant formula, NS as to form"
+11710671,"ENFAMIL GENTLEASE LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil Gentlease LIPIL, infant formula, ready-to-feed"
+11710673,"ENFAMIL GENTLEASE LIPIL, INF FORM, PREP FRM PDR, W/WATER,NFS","Enfamil Gentlease LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710674,"ENFAMIL ENFACARE LIPIL, INF FORM, PREP FR PDR, W/ TAP WATER","Enfamil EnfaCare LIPIL, infant formula, prepared from powder, made with tap water"
+11710675,"ENFAMIL ENFACARE LIPIL, INF FORM, PREP FR PDR, W/ BOT WATER","Enfamil EnfaCare LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710676,"ENFAMIL ENFACARE LIPIL, INF FORM, PREP FR PDR, W/BABY WATER","Enfamil EnfaCare LIPIL, infant formula, prepared from powder, made with baby water"
+11710677,"ENFAMIL GENTLEASE LIPIL, INF FORM, PREP FRM PDR, W/TAP WATER","Enfamil Gentlease LIPIL, infant formula, prepared from powder, made with tap water"
+11710678,"ENFAMIL GENTLEASE LIPIL, INF FORM, PREP FRM PDR, W/BOT WATER","Enfamil Gentlease LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710679,"ENFAMIL GENTLEASE LIPIL, INF FORM, PREP FRM PDR, W/ BABY WAT","Enfamil Gentlease LIPIL, infant formula, prepared from powder, made with baby water"
+11710680,"ENFAMIL ENFAGROW PREM NEXT STEP LIPIL , INF FORMULA, NS FORM","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, NS as to form"
+11710681,"ENFAMIL ENFAGROW PREM NEXT STEP, INF FORMULA, RTF","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, ready-to-feed"
+11710683,"ENFAMIL ENFAGROW PREM NEXT STEP,INF FORMULA,PDR,W/WATER,NFS","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710687,"ENFAMIL ENFAGROW PREM NEXT STEP,INF FORMULA,PDR,W/TAP WATER","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, prepared from powder, made with tap water"
+11710688,"ENFAMIL ENFAGROW PREM NEXT STEP,INF FORMULA,PDR,W/BOT WATER","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710689,"ENFAMIL ENFAGROW PREM NEXT STEP,INF FORMULA,PDR,W/BABY WATER","Enfamil Enfagrow PREMIUM Next Step LIPIL, infant formula, prepared from powder, made with baby water"
+11710690,"ENFAMIL GENTLEASE NEXT STEP LIPIL, INFANT FORMULA, NS FORM","Enfamil Gentlease Next Step LIPIL, infant formula, NS as to form"
+11710693,"ENFAMIL GENTLEASE NEXT STEP,INF FORM,PREP FR PDR,W/WATER,NFS","Enfamil Gentlease Next Step LIPIL, infant formula, prepared from powder, made with water, NFS"
+11710697,"ENFAMIL GENTLEASE NEXT STEP,INF FORM,PREP FR PDR,W/TAP WATER","Enfamil Gentlease Next Step LIPIL, infant formula, prepared from powder, made with tap water"
+11710698,"ENFAMIL GENTLEASE NEXT STEP,INF FORM,PREP FR PDR,W/BOT WATER","Enfamil Gentlease Next Step LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11710699,"ENFAMIL GENTLEASE NEXT STEP,INF FORM,PREP FR PDR,W/BABY WAT","Enfamil Gentlease Next Step LIPIL, infant formula, prepared from powder, made with baby water"
+11710800,"PEDIASURE, INFANT FORMULA, NS AS TO FORM","Pediasure, infant formula, NS as to form"
+11710801,"PEDIASURE,INFANT FORMULA, READY-TO-FEED","Pediasure, infant formula, ready-to-feed"
+11710805,"PEDIASURE FIBER, INFANT FORMULA, NS AS TO FORM","Pediasure Fiber, infant formula, NS as to form"
+11710806,"PEDIASURE FIBER, INFANT FORMULA, READY-TO-FEED","Pediasure Fiber, infant formula, ready-to-feed"
+11710910,"GERBER GOOD START GENTLE PLUS, INF FORM, NS FORM","Gerber Good Start Gentle Plus, infant formula, NS as to form"
+11710911,"GERBER GOOD START GENTLE PLUS, INFANT FORMULA, READY-TO-FEED","Gerber Good Start Gentle Plus, infant formula, ready-to-feed"
+11710912,"GERBER GOOD START GENTLE PLUS,PREP FRM LIQ CONC,W/WATER,NFS","Gerber Good Start Gentle Plus, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710913,"GERBER GOOD START GENTLE PLUS, PREP FRM PDR,W/WATER,NFS","Gerber Good Start Gentle Plus, infant formula, prepared from powder, made with water, NFS"
+11710914,"GERBER GOOD START GENTLE PLUS,PREP FRM LIQ CONC,W/TAP WATER","Gerber Good Start Gentle Plus, infant formula, prepared from liquid concentrate, made with tap water"
+11710915,"GERBER GOOD START GENTLE PLUS,PREP FRM LIQ CONC,W/BOT WATER","Gerber Good Start Gentle Plus, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710916,"GERBER GOOD START GENTLE PLUS,PREP FRM LIQ CONC,W/BABY WATER","Gerber Good Start Gentle Plus, infant formula, prepared from liquid concentrate, made with baby water"
+11710917,"GERBER GOOD START GENTLE PLUS, PREP FRM PDR,W/TAP WATER","Gerber Good Start Gentle Plus, infant formula, prepared from powder, made with tap water"
+11710918,"GERBER GOOD START GENTLE PLUS, PREP FRM PDR,W/BOT WATER","Gerber Good Start Gentle Plus, infant formula, prepared from powder, made with plain bottled water"
+11710919,"GERBER GOOD START GENTLE PLUS, PREP FRM PDR,W/BABY WATER","Gerber Good Start Gentle Plus, infant formula, prepared from powder, made with baby water"
+11710920,"GERBER GOOD START PROTECT PLUS, INFANT FORMULA, NS FORM","Gerber Good Start Protect Plus, infant formula, NS as to form"
+11710923,"GERBER GOOD START PROTECT PLUS, PREP FRM PDR,W/WATER,NFS","Gerber Good Start Protect Plus, infant formula, prepared from powder, made with water, NFS"
+11710927,"GERBER GOOD START PROTECT PLUS, PREP FRM PDR,W/TAP WATER","Gerber Good Start Protect Plus, infant formula, prepared from powder, made with tap water"
+11710928,"GERBER GOOD START PROTECT PLUS, PREP FRM PDR,W/BOT WATER","Gerber Good Start Protect Plus, infant formula, prepared from powder, made with plain bottled water"
+11710929,"GERBER GOOD START PROTECT PLUS, PREP FRM PDR,W/BABY WATER","Gerber Good Start Protect Plus, infant formula, prepared from powder, made with baby water"
+11710930,"GERBER GOOD START 2 GENTLE PLUS, INFANT FORMULA, NS FORM","Gerber Good Start 2 Gentle Plus, infant formula, NS as to form"
+11710933,"GERBER GOOD START 2 GENTLE PLUS, PREP FRM PDR,W/WATER,NFS","Gerber Good Start 2 Gentle Plus, infant formula, prepared from powder, made with water, NFS"
+11710937,"GERBER GOOD START 2 GENTLE PLUS, PREP FRM PDR,W/TAP WATER","Gerber Good Start 2 Gentle Plus, infant formula, prepared from powder, made with tap water"
+11710938,"GERBER GOOD START 2 GENTLE PLUS, PREP FRM PDR,W/BOT WATER","Gerber Good Start 2 Gentle Plus, infant formula, prepared from powder, made with plain bottled water"
+11710939,"GERBER GOOD START 2 GENTLE PLUS, PREP FRM PDR,W/BABY WATER","Gerber Good Start 2 Gentle Plus, infant formula, prepared from powder, made with baby water"
+11710940,"GERBER GOOD START 2 PROTECT PLUS, INFANT FORMULA, NS FORM","Gerber Good Start 2 Protect Plus, infant formula, NS as to form"
+11710943,"GERBER GOOD START 2 PROTECT PLUS, PREP FRM PDR,W/WATER,NFS","Gerber Good Start 2 Protect Plus, infant formula, prepared from powder, made with water, NFS"
+11710947,"GERBER GOOD START 2 PROTECT PLUS, PREP FRM PDR,W/TAP WATER","Gerber Good Start 2 Protect Plus, infant formula, prepared from powder, made with tap water"
+11710948,"GERBER GOOD START 2 PROTECT PLUS, PREP FRM PDR,W/BOT WATER","Gerber Good Start 2 Protect Plus, infant formula, prepared from powder, made with plain bottled water"
+11710949,"GERBER GOOD START 2 PROTECT PLUS, PREP FRM PDR,W/BABY WATER","Gerber Good Start 2 Protect Plus, infant formula, prepared from powder, made with baby water"
+11710960,"AMERICA'S STORE BRAND, INFANT FORMULA, NS AS TO FORM","America's Store Brand, infant formula, NS as to form"
+11710961,"AMERICA'S STORE BRAND,INF FORM,PREP FRM LIQ CONC,W/WATER,NFS","America's Store Brand, infant formula, prepared from liquid concentrate, made with water, NFS"
+11710962,"AMERICA'S STORE BRAND,INF FORM,PREP FRM PDR,W/ WATER, NFS","America's Store Brand, infant formula, prepared from powder, made with water, NFS"
+11710963,"AMERICA'S STORE BRAND, INFANT FORMULA, READY-TO-FEED","America's Store Brand, infant formula, ready-to-feed"
+11710964,"AMERICA'S STORE BRAND,INF FORM,PREP FRM LIQ CONC,W/TAP WATER","America's Store Brand, infant formula, prepared from liquid concentrate, made with tap water"
+11710965,"AMERICA'S STORE BRAND,INF FORM,PREP FRM LIQ CONC,W/BOT WATER","America's Store Brand, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11710966,"AMERICA'S STORE BRAND,INF FORM,PREP FRM LIQ CONC,W/BABY WATR","America's Store Brand, infant formula, prepared from liquid concentrate, made with baby water"
+11710967,"AMERICA'S STORE BRAND,INF FORM,PREP FRM PDR,W/ TAP WATER","America's Store Brand, infant formula, prepared from powder, made with tap water"
+11710968,"AMERICA'S STORE BRAND,INF FORM,PREP FRM PDR,W/ BOT WATER","America's Store Brand, infant formula, prepared from powder, made with plain bottled water"
+11710969,"AMERICA'S STORE BRAND,INF FORM,PREP FRM PDR,W/ BABY WATER","America's Store Brand, infant formula, prepared from powder, made with baby water"
+11720310,"ENFAMIL PROSOBEE LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil ProSobee LIPIL, infant formula, NS as to form"
+11720311,"ENFAMIL PROSOBEE LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil ProSobee Lipil, infant formula, ready-to-feed"
+11720312,"ENFAMIL PROSOBEE LIPIL,INF FORM, FR LIQ CONC,W/ WATER,NFS","Enfamil ProSobee LIPIL, infant formula, prepared from liquid concentrate, made with water, NFS"
+11720313,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR PDR, W/WATER, NFS","Enfamil ProSobee LIPIL, infant formula, prepared from powder, made with water, NFS"
+11720314,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR LIQ CONC,W/ TAP WATE","Enfamil ProSobee LIPIL, infant formula, prepared from liquid concentrate, made with tap water"
+11720315,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR LIQ CONC,W/ BOT WATE","Enfamil ProSobee LIPIL, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11720316,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR LIQ CONC,W/ BABY WAT","Enfamil ProSobee LIPIL, infant formula, prepared from liquid concentrate, made with baby water"
+11720317,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR PDR, W/TAP WATER","Enfamil ProSobee LIPIL, infant formula, prepared from powder, made with tap water"
+11720318,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR PDR, W/BOT WATER","Enfamil ProSobee LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11720319,"ENFAMIL PROSOBEE LIPIL,INF FORM,PREP FR PDR, W/BABY WATER","Enfamil ProSobee LIPIL, infant formula, prepared from powder, made with baby water"
+11720320,"ENFAMIL ENFAGROW SOY NEXT STEP LIPIL, INF FORMULA, NS FORM","Enfamil Enfagrow Soy Next Step LIPIL, infant formula, NS as to form"
+11720323,"ENFAGROW SOY NEXT STEP LIPIL, INF FOR,FR PDR,W/WATER,NFS","Enfamil Enfagrow Soy Next Step LIPIL, infant formula, prepared from powder, made with water, NFS"
+11720327,"ENFAGROW SOY NEXT STEP LIPIL,INF FORM,PREP FR PDR,TAP WATER","Enfamil Enfagrow Soy Next Step LIPIL, infant formula, prepared from powder, made with tap water"
+11720328,"ENFAGROW SOY NEXT STEP LIPIL,INF FORM,PREP FR PDR, BOT WATER","Enfamil Enfagrow Soy Next Step LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11720329,"ENFAGROW SOY NEXT STEP LIPIL,INF FORM,PREP FR PDR,BABY WATER","Enfamil Enfagrow Soy Next Step LIPIL, infant formula, prepared from powder, made with baby water"
+11720410,"SIMILAC SENSITIVE ISOMIL SOY, INFANT FORMULA, NS AS TO FORM","Similac Sensitive Isomil Soy, infant formula, NS as to form"
+11720411,"SIMILAC SENSITIVE ISOMIL SOY, INFANT FORMULA, READY-TO-FEED","Similac Sensitive Isomil Soy, infant formula, ready-to-feed"
+11720412,"SIMILAC SENSITIVE ISOMIL SOY, PREP FR LIQ CONC,W/WATER,NFS","Similac Sensitive Isomil Soy, infant formula, prepared from liquid concentrate, made with water, NFS"
+11720413,"SIMILAC SENSITIVE ISOMIL SOY,INF FORM,FR PDR,W/WATER,NFS","Similac Sensitive Isomil Soy, infant formula, prepared from powder, made with water, NFS"
+11720414,"SIMILAC SENSITIVE ISOMIL SOY,PREP FR LIQ CONC,W/TAP WATER","Similac Sensitive Isomil Soy, infant formula, prepared from liquid concentrate, made with tap water"
+11720415,"SIMILAC SENSITIVE ISOMIL SOY,PREP FR LIQ CONC,W/BOT WATER","Similac Sensitive Isomil Soy, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11720416,"SIMILAC SENSITIVE ISOMIL SOY,PREP FR LIQ CONC,W/BABY WATER","Similac Sensitive Isomil Soy, infant formula, prepared from liquid concentrate, made with baby water"
+11720417,"SIMILAC SENSITIVE ISOMIL SOY,INF FORM,PREP FR PDR+TAP WATER","Similac Sensitive Isomil Soy, infant formula, prepared from powder, made with tap water"
+11720418,"SIMILAC SENSITIVE ISOMIL SOY,INF FORM,PREP FR PDR,W/BOT WATE","Similac Sensitive Isomil Soy, infant formula, prepared from powder, made with plain bottled water"
+11720419,"SIMILAC SENSITIVE ISOMIL SOY,INF FORM,PREP FR PDR,W/BABY WAT","Similac Sensitive Isomil Soy, infant formula, prepared from powder, made with baby water"
+11720430,"SIMILAC EXPERT CARE FOR DIARRHEA, INFANT FORMULA, NS FORM","Similac Expert Care for Diarrhea, infant formula, NS as to form"
+11720431,"SIMILAC EXPERT CARE FOR DIARRHEA, INFANT FORMULA, RTF","Similac Expert Care for Diarrhea, infant formula, ready-to-feed"
+11720440,"SIMILAC GO AND GROW SOY, INFANT FORMULA, NS AS TO FORM","Similac Go and Grow Soy, infant formula, NS as to form"
+11720443,"SIMILAC GO AND GROW SOY, INF FORM, PREP FR PDR, WATER, NFS","Similac Go and Grow Soy, infant formula, prepared from powder, made with water, NFS"
+11720447,"SIMILAC GO AND GROW SOY,INF FORM,PREP FR PDR,TAP WATER","Similac Go and Grow Soy, infant formula, prepared from powder, made with tap water"
+11720448,"SIMILAC GO AND GROW SOY,INF FORM,PREP FR PDR,BOT WATER","Similac Go and Grow Soy, infant formula, prepared from powder, made with plain bottled water"
+11720449,"SIMILAC GO AND GROW SOY,INF FORM,PREP FR PDR,BABY WATER","Similac Go and Grow Soy, infant formula, prepared from powder, made with baby water"
+11720610,"GERBER GOOD START SOY PLUS, INFANT FORMULA, NS AS TO FORM","Gerber Good Start Soy Plus, infant formula, NS as to form"
+11720611,"GERBER GOOD START SOY PLUS, INFANT FORMULA, READY-TO-FEED","Gerber Good Start Soy Plus, infant formula, ready-to-feed"
+11720612,"GERBER GOOD START SOY PLUS,INF FORM,PREP FR LIQ CONC,W/WATER","Gerber Good Start Soy Plus, infant formula, prepared from liquid concentrate, made with water, NFS"
+11720613,"GERBER GOOD START SOY PLUS,INF FORM, PREP FR PDR,W/WATER,NFS","Gerber Good Start Soy Plus, infant formula, prepared from powder, made with water, NFS"
+11720614,"GERBER GOOD START SOY PLUS,INF FORM,FR LIQ CONC,W/TAP WATER","Gerber Good Start Soy Plus, infant formula, prepared from liquid concentrate, made with tap water"
+11720615,"GERBER GOOD START SOY PLUS,INF FORM,FR LIQ CONC,W/BOT WATER","Gerber Good Start Soy Plus, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11720616,"GERBER GOOD START SOY PLUS,INF FORM,FR LIQ CONC,W/BABY WTR","Gerber Good Start Soy Plus, infant formula, prepared from liquid concentrate, made with baby water"
+11720617,"GERBER GOOD START SOY PLUS,INF FORM, PREP FR PDR,W/TAP WATER","Gerber Good Start Soy Plus, infant formula, prepared from powder, made with tap water"
+11720618,"GERBER GOOD START SOY PLUS,INF FORM, PREP FR PDR,W/BOT WATER","Gerber Good Start Soy Plus, infant formula, prepared from powder, made with plain bottled water"
+11720619,"GERBER GOOD START SOY PLUS,INF FORM, PREP FR PDR,W/BABY WATE","Gerber Good Start Soy Plus, infant formula, prepared from powder, made with baby water"
+11720620,"GERBER GOOD START 2 SOY PLUS, INFANT FORMULA, NS AS TO FORM","Gerber Good Start 2 Soy Plus, infant formula, NS as to form"
+11720623,"GERBER GOOD START 2 SOY PLUS, INF FORM,PREP FR PDR,WATER,NFS","Gerber Good Start 2 Soy Plus, infant formula, prepared from powder, made with water, NFS"
+11720627,"GERBER GOOD START 2 SOY PLUS,INF FORM,PREP FR PDR,TAP WATER","Gerber Good Start 2 Soy Plus, infant formula, prepared from powder, made with tap water"
+11720628,"GERBER GOOD START 2 SOY PLUS,INF FORM,PREP FR PDR,BOT WATER","Gerber Good Start 2 Soy Plus, infant formula, prepared from powder, made with plain bottled water"
+11720629,"GERBER GOOD START 2 SOY PLUS,INF FORM,PREP FR PDR,BABY WATER","Gerber Good Start 2 Soy Plus, infant formula, prepared from powder, made with baby water"
+11720800,"AMERICA'S STORE BRAND SOY, INFANT FORMULA, NS AS TO FORM","America's Store Brand Soy, infant formula, NS as to form"
+11720801,"AMERICA'S STORE BRAND SOY, INFANT FORMULA, READY-TO-FEED","America's Store Brand Soy, infant formula, ready-to-feed"
+11720802,"AMERICA'S STORE BRAND SOY,INF FORM, FR LIQ CONC,W/WATER NFS","America's Store Brand Soy, infant formula, prepared from liquid concentrate, made with water, NFS"
+11720803,"AMERICA'S STORE BRAND SOY,INF FORM,FR PDR,W/WATER,NFS","America's Store Brand Soy, infant formula, prepared from powder, made with water, NFS"
+11720804,"AMERICA'S STORE BRAND SOY,INF FORM, FR LIQ CONC,W/TAP WATER","America's Store Brand Soy, infant formula, prepared from liquid concentrate, made with tap water"
+11720805,"AMERICA'S STORE BRAND SOY,INF FORM,FR LIQ CONC,W/BOT WATER","America's Store Brand Soy, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11720806,"AMERICA'S STORE BRAND SOY,INF FORM,FR LIQ CONC,W/BABY WATER","America's Store Brand Soy, infant formula, prepared from liquid concentrate, made with baby water"
+11720807,"AMERICA'S STORE BRAND SOY,INF FORM,PREP FR PDR,W/TAP WATER","America's Store Brand Soy, infant formula, prepared from powder, made with tap water"
+11720808,"AMERICA'S STORE BRAND SOY,INF FORM,PREP FR PDR,W/BOT WATER","America's Store Brand Soy, infant formula, prepared from powder, made with plain bottled water"
+11720809,"AMERICA'S STORE BRAND SOY,INF FORM,PREP FR PDR,W/BABY WATER","America's Store Brand Soy, infant formula, prepared from powder, made with baby water"
+11740310,"ENFAMIL NUTRAMIGEN LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil Nutramigen LIPIL, infant formula, NS as to form"
+11740311,"ENFAMIL NUTRAMIGEN LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil Nutramigen LIPIL, infant formula, ready-to-feed"
+11740312,"ENFAMIL NUTRAMIGEN LIPIL,INF FORM,PREP FR LIQ CONC,W/WAT,NFS","Enfamil Nutramigen LIPIL, infant formula, prepared from liquid concentrate, made with water, NFS"
+11740313,"ENFAMIL NUTRAMIGEN LIPIL, INF FORM, PREP FR PDR, W/WATER,NFS","Enfamil Nutramigen LIPIL, infant formula, prepared from powder, made with water, NFS"
+11740314,"ENFAMIL NUTRAMIGEN LIPIL,INF FORM,FR LIQ CONC,W/TAP WATER","Enfamil Nutramigen LIPIL, infant formula, prepared from liquid concentrate, made with tap water"
+11740315,"ENFAMIL NUTRAMIGEN LIPIL,INF FORM,FR LIQ CONC,W/BOT WATER","Enfamil Nutramigen LIPIL, infant formula, prepared from liquid concentrate, made with plain bottled water"
+11740316,"ENFAMIL NUTRAMIGEN LIPIL,INF FORM,FR LIQ CONC,W/BABY WATER","Enfamil Nutramigen LIPIL, infant formula, prepared from liquid concentrate, made with baby water"
+11740317,"ENFAMIL NUTRAMIGEN LIPIL, INF FORM, PREP FR PDR, W/TAP WATER","Enfamil Nutramigen LIPIL, infant formula, prepared from powder, made with tap water"
+11740318,"ENFAMIL NUTRAMIGEN LIPIL, INF FORM, PREP FR PDR, W/BOT WATER","Enfamil Nutramigen LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11740319,"ENFAMIL NUTRAMIGEN LIPIL, INF FORM, PREP FR PDR, W/BABY WATR","Enfamil Nutramigen LIPIL, infant formula, prepared from powder, made with baby water"
+11740320,"ENFAMIL NUTRAMIGEN AA LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil Nutramigen AA LIPIL, infant formula, NS as to form"
+11740323,"ENFAMIL NUTRAMIGEN AA LIPIL,INF FORM,PREP FR PDR,W/WATER,NFS","Enfamil Nutramigen AA LIPIL, infant formula, prepared from powder, made with water, NFS"
+11740327,"ENFAMIL NUTRAMIGEN AA LIPIL,INF FORM,PREP FR PDR,W/TAP WATER","Enfamil Nutramigen AA LIPIL, infant formula, prepared from powder, made with tap water"
+11740328,"ENFAMIL NUTRAMIGEN AA LIPIL,INF FORM,PREP FR PDR,W/BOT WATER","Enfamil Nutramigen AA LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11740329,"ENFAMIL NUTRAMIGEN AA LIPIL,INF FORM,PREP FR PDR,W/BABY WAT","Enfamil Nutramigen AA LIPIL, infant formula, prepared from powder, made with baby water"
+11740400,"ENFAMIL PREGESTIMIL LIPIL, INFANT FORMULA, NS AS TO FORM","Enfamil Pregestimil LIPIL, infant formula, NS as to form"
+11740401,"ENFAMIL PREGESTIMIL LIPIL, INFANT FORMULA, READY-TO-FEED","Enfamil Pregestimil LIPIL, infant formula, ready-to-feed"
+11740403,"ENFAMIL PREGESTIMIL LIPIL,INF FORM,PREP FR PDR, W/WATER,NFS","Enfamil Pregestimil LIPIL, infant formula, prepared from powder, made with water, NFS"
+11740407,"ENFMAIL PREGESTIMIL LIPIL,INF FORM,PREP FR PDR, W/TAP WATER","Enfmail Pregestimil LIPIL, infant formula, prepared from powder, made with tap water"
+11740408,"ENFMAIL PREGESTIMIL LIPIL,INF FORM,PREP FR PDR, W/BOT WATER","Enfmail Pregestimil LIPIL, infant formula, prepared from powder, made with plain bottled water"
+11740409,"ENFMAIL PREGESTIMIL LIPIL,INF FORM,PREP FR PDR, W/BABY WATER","Enfmail Pregestimil LIPIL, infant formula, prepared from powder, made with baby water"
+11740510,"ENFAMIL PREMATURE LIPIL 20, LOW IRON, INF FORMULA, NS FORM","Enfamil Premature LIPIL 20, low iron, infant formula, NS as to form"
+11740511,"ENFAMIL PREMATURE LIPIL 20, LOW IRON, INFANT FORMULA, RTF","Enfamil Premature LIPIL 20, low iron, infant formula, ready-to-feed"
+11740520,"ENFAMIL PREMATURE LIPIL 20, W/IRON, INFANT FORMULA, NS FORM","Enfamil Premature LIPIL 20, with iron, infant formula, NS as to form"
+11740521,"ENFAMIL PREMATURE LIPIL 20, WITH IRON, INFANT FORMULA, RTF","Enfamil Premature LIPIL 20, with iron, infant formula, ready-to-feed"
+11740540,"ENFAMIL PREMATURE LIPIL 24, LOW IRON, INF FORMULA, NS FORM","Enfamil Premature LIPIL 24, low iron, infant formula, NS as to form"
+11740541,"ENFAMIL PREMATURE LIPIL 24, LOW IRON, INFANT FORMULA, RTF","Enfamil Premature LIPIL 24, low iron, infant formula, ready-to-feed"
+11740550,"ENFAMIL PREMATURE LIPIL 24, W/IRON, INFANT FORMULA, NS FORM","Enfamil Premature LIPIL 24, with iron, infant formula, NS as to form"
+11740551,"ENFAMIL PREMATURE LIPIL 24, WITH IRON, INFANT FORMULA, RTF","Enfamil Premature LIPIL 24, with iron, infant formula, ready-to-feed"
+11810000,"MILK, DRY, NOT RECONSTITUTED, NS AS TO FAT","Milk, dry, not reconstituted, NS as to whole, lowfat, or nonfat"
+11811000,"MILK, DRY, WHOLE, NOT RECONSTITUTED","Milk, dry, whole, not reconstituted"
+11812000,"MILK, DRY, LOWFAT, NOT RECONSTITUTED","Milk, dry, lowfat, not reconstituted"
+11813000,"MILK, DRY, NONFAT, NOT RECONSTITUTED","Milk, dry, nonfat, not reconstituted"
+11825000,"WHEY, SWEET, DRY","Whey, sweet, dry"
+11830100,"COCOA W/DRY MILK & SUGAR, DRY MIX, NOT RECONST","Cocoa (or chocolate) with dry milk and sugar, dry mix, not reconstituted"
+11830110,"COCOA POWDER W/ NFD MILK, LOW CAL SWEETENER, DRY","Cocoa powder with nonfat dry milk and low calorie sweetener, dry mix, not reconstituted"
+11830120,"COCOA W/ WHEY, LO CAL SWEETENER, FORTIFIED, DRY MIX","Cocoa, whey, and low calorie sweetener, fortified, dry mix, not reconstituted"
+11830140,"CHOCOLATE, INST, DRY MIX, FORTIFD, NOT RECONST,P.R.","Chocolate, instant, dry mix, fortified with vitamins and minerals, not reconstituted, Puerto Rican style"
+11830150,"COCOA POWDER, NOT RECONSTITUTED (NO DRY MILK)","Cocoa powder, not reconstituted (no dry milk)"
+11830160,"COCOA-FLAVORED BEVERAGE POWDER W/ SUGAR, DRY MIX","Cocoa (or chocolate) flavored beverage powder with sugar, dry mix, not reconstituted"
+11830165,"COCOA FLAV BEV PDR W/ RED SUGAR,DRY MIX,NOT RECONSTITUTED","Cocoa (or chocolate) flavored beverage powder with reduced sugar, dry mix, not reconstituted"
+11830170,"COCOA FLAV BEV PDR W/ LOW CAL SWTNR,DRY MIX,NOT RECONSTITUTD","Cocoa (or chocolate) flavored beverage powder with low-calorie sweetener, dry mix, not reconstituted"
+11830200,"MILK, MALTED, DRY, UNFORTIFD, NOT RECONST, NOT CHOC","Milk, malted, dry mix, unfortified, not reconstituted, flavors other than chocolate"
+11830210,"MILK, MALTED, DRY, FORTIFD, NOT RECONST, NOT CHOC","Milk, malted, dry mix, fortified, not reconstituted, flavors other than chocolate"
+11830250,"MILK, MALTED, DRY, UNFORTIFIED, NOT RECONST, CHOC","Milk, malted, dry mix, unfortified, not reconstituted, chocolate"
+11830260,"MILK, MALTED, DRY, FORTIFIED, NOT RECONST, CHOC","Milk, malted, dry mix, fortified, not reconstituted, chocolate"
+11830400,"MILK BEV POWDER, DRY, NOT RECONST, NOT CHOC","Milk beverage, powder, dry mix, not reconstituted, flavors other than chocolate"
+11830450,"MILK BEV MIX, W/ SUGAR,EGG WHITE, NOT RECONSTITUTED","Milk beverage with sugar, dry milk, and egg white powder, dry mix, not reconstituted"
+11830500,"MILK BEV POWDER W/ NFD MILK, LOW CAL, DRY, CHOC","Milk beverage, powder, with nonfat dry milk and low calorie sweetener, dry mix, not reconstituted, chocolate"
+11830550,"MILK BEV POWDER W/ NFD MILK, LOW CAL, DRY, NOT CHOC","Milk beverage, powder, with nonfat dry milk and low calorie sweetener, dry mix, not reconstituted, flavors other than chocolate"
+12100100,"CREAM, FLUID, NS AS TO LIGHT, HEAVY OR HALF & HALF","Cream, NS as to light, heavy, or half and half"
+12110100,"CREAM, LIGHT, FLUID (INCL COFFEE CRM, TABLE CREAM)","Cream, light, fluid"
+12110300,"CREAM, LIGHT, WHIPPED, UNSWEETENED","Cream, light, whipped, unsweetened"
+12120100,"CREAM, HALF & HALF","Cream, half and half"
+12120105,"CREAM, HALF & HALF, LOW FAT","Cream, half and half, low fat"
+12120110,"CREAM, HALF & HALF, FAT FREE","Cream, half and half, fat free"
+12130100,"CREAM, HEAVY, FLUID","Cream, heavy, fluid"
+12130200,"CREAM, HEAVY, WHIPPED, UNSWEETENED","Cream, heavy, whipped, unsweetened"
+12140000,"CREAM, HEAVY, WHIPPED, SWEETENED","Cream, heavy, whipped, sweetened"
+12140100,"CREAM, WHIPPED, PRESSURIZED CONTAINER","Cream, whipped, pressurized container"
+12140105,"CREAM, WHIPPED, PRESSURIZED CONTAINER, LIGHT","Cream, whipped, pressurized container, light"
+12140110,"WHIPPED TOPPING, DAIRY BASED, FAT FREE, PRESSURIZED CONTAINR","Whipped topping, dairy based, fat free, pressurized container"
+12200100,"CREAM SUBSTITUTE, NS AS TO FROZEN,LIQUID OR POWDER","Cream substitute, NS as to frozen, liquid, or powdered"
+12210100,"CREAM SUBSTITUTE, FROZEN","Cream substitute, frozen"
+12210200,"CREAM SUBSTITUTE, LIQUID (INCLUDE COFFEE WHITNER)","Cream substitute, liquid"
+12210210,"CREAM SUBSTITUTE, FLAVORED, LIQUID","Cream substitute, flavored, liquid"
+12210250,"CREAM SUBSTITUTE, LIGHT, LIQUID","Cream substitute, light, liquid"
+12210255,"CREAM SUBSTITUTE, LIGHT, FLAVORED, LIQUID","Cream substitute, light, flavored, liquid"
+12210260,"CREAM SUBSTITUTE, FAT FREE, LIQUID","Cream substitute, fat free, liquid"
+12210270,"CREAM SUBSTITUTE, FAT FREE, FLAVORED, LIQUID","Cream substitute, fat free, flavored, liquid"
+12210305,"CREAM SUBSTITUTE, SUGAR FREE, LIQUID","Cream substitute, sugar free, liquid"
+12210310,"CREAM SUBSTITUTE, SUGAR FREE, FLAVORED, LIQUID","Cream substitute, sugar free, flavored, liquid"
+12210400,"CREAM SUBSTITUTE, POWDERED","Cream substitute, powdered"
+12210410,"CREAM SUBST, LIGHT, POWDERED (INCL COFFEE MATE, CRE","Cream substitute, light, powdered"
+12210420,"CREAM SUBSTITUTE, FLAVORED, POWDERED","Cream substitute, flavored, powdered"
+12210430,"CREAM SUBSTITUTE, FAT FREE, POWDER","Cream substitute, fat free, powder"
+12210440,"CREAM SUBSTITUTE, FAT FREE, FLAVORED, POWDER","Cream substitute, fat free, flavored, powder"
+12210500,"CREAM SUBSTITUTE, SUGAR FREE, POWDER","Cream substitute, sugar free, powder"
+12210505,"CREAM SUBSTITUTE, SUGAR FREE, FLAVORED, POWDER","Cream substitute, sugar free, flavored, powder"
+12220000,"WHIPPED TOPPING, NONDAIRY, NS AS TO CND/FRZ/POWDER","Whipped topping, nondairy, NS as to canned, frozen, or made from powdered mix"
+12220100,"WHIPPED TOPPING, NONDAIRY, PRESSURIZED CAN","Whipped topping, nondairy, pressurized can"
+12220200,"WHIPPED TOPPING, NONDAIRY, FROZEN (INCL COOL WHIP)","Whipped topping, nondairy, frozen"
+12220250,"WHIPPED TOPPING, NONDAIRY, FZN, LOWFAT (INCL COOL)","Whipped topping, nondairy, frozen, lowfat"
+12220270,"WHIPPED TOPPING, NONDAIRY, FROZEN, FAT FREE","Whipped topping, nondairy, frozen, fat free"
+12220280,"WHIPPED TOPPING, NONDAIRY, FROZEN, SUGAR FREE","Whipped topping, nondairy, frozen, sugar free"
+12220300,"WHIPPED CREAM SUBST, NONDAIRY, FROM POWDERED MIX","Whipped cream substitute, nondairy, made from powdered mix"
+12220400,"WHIP CREAM SUB,NONDAIRY,LOWFAT,LO SUGAR,FROM MIX","Whipped cream substitute, nondairy, lowfat, low sugar, made from powdered mix"
+12310100,"SOUR CREAM (INCL W/ CHIVES)","Sour cream"
+12310200,"SOUR CREAM, HALF & HALF","Sour cream, half and half"
+12310300,"SOUR CREAM, REDUCED FAT","Sour cream, reduced fat"
+12310350,"SOUR CREAM, LIGHT","Sour cream, light"
+12310370,"SOUR CREAM, FAT FREE","Sour cream, fat free"
+12320100,"SOUR CREAM, IMITATION","Sour cream, imitation (nondairy)"
+12320200,"SOUR CREAM, FILLED, SOUR DRESSING, NONBUTTERFAT","Sour cream, filled, sour dressing, nonbutterfat"
+12350000,"DIP, SOUR CREAM BASE (INCLUDE BUTTERMILK-TYPE DIP)","Dip, sour cream base"
+12350020,"DIP, SOUR CREAM BASE, REDUCED CALORIE","Dip, sour cream base, reduced calorie"
+12350100,"SPINACH DIP","Spinach dip"
+12350110,"SPINACH AND ARTICHOKE DIP","Spinach and artichoke dip"
+13110000,"ICE CREAM, NFS","Ice cream, NFS"
+13110100,"ICE CREAM, REGULAR, NOT CHOCOLATE","Ice cream, regular, flavors other than chocolate"
+13110110,"ICE CREAM, REGULAR, CHOCOLATE","Ice cream, regular, chocolate"
+13110120,"ICE CREAM, RICH, FLAVORS OTHER THAN CHOCOLATE","Ice cream, rich, flavors other than chocolate"
+13110130,"ICE CREAM, RICH, CHOCOLATE","Ice cream, rich, chocolate"
+13110140,"ICE CREAM, RICH, NS AS TO FLAVOR","Ice cream, rich, NS as to flavor"
+13110200,"ICE CREAM, SOFT SERVE, NOT CHOCOLATE","Ice cream, soft serve, flavors other than chocolate"
+13110210,"ICE CREAM, SOFT SERVE, CHOCOLATE","Ice cream, soft serve, chocolate"
+13110220,"ICE CREAM, SOFT SERVE, NS AS TO FLAVOR","Ice cream, soft serve, NS as to flavor"
+13110310,"ICE CREAM, NO SUGAR ADDED, NS AS TO FLAVOR","Ice cream, no sugar added, NS as to flavor"
+13110320,"ICE CREAM, NO SUGAR ADDED, FLAVORS OTHER THAN CHOCOLATE","Ice cream, no sugar added, flavors other than chocolate"
+13110330,"ICE CREAM, NO SUGAR ADDED, CHOCOLATE","Ice cream, no sugar added, chocolate"
+13120050,"ICE CREAM BAR OR STICK, NOT CHOC- OR CAKE-COVERED","Ice cream bar or stick, not chocolate covered or cake covered"
+13120100,"ICE CREAM BAR/STICK, CHOCOLATE COVERED","Ice cream bar or stick, chocolate covered"
+13120110,"ICE CREAM BAR, CHOCOLATE/CARAMEL COVERED, W/ NUTS","Ice cream bar or stick, chocolate or caramel covered, with nuts"
+13120120,"ICE CREAM BAR,RICH CHOC ICE CREAM,THICK CHOC COVER","Ice cream bar or stick, rich chocolate ice cream, thick chocolate covering"
+13120121,"ICE CREAM BAR,RICH ICE CREAM,THICK CHOC COVER","Ice cream bar or stick, rich ice cream, thick chocolate covering"
+13120130,"ICE CREAM BAR/STICK,RICH ICE CREAM,CHOC COVER,W/NUT","Ice cream bar or stick, rich ice cream, chocolate covered, with nuts"
+13120140,"ICE CREAM BAR/STICK, CHOC ICE CREAM, CHOC COVER","Ice cream bar or stick, chocolate ice cream, chocolate covered"
+13120300,"ICE CREAM BAR, CAKE-COVERED","Ice cream bar, cake covered"
+13120310,"ICE CREAM BAR, STICK OR NUGGET, WITH CRUNCH COATING","Ice cream bar, stick or nugget, with crunch coating"
+13120400,"ICE CREAM BAR/STICK W/ FRUIT","Ice cream bar or stick with fruit"
+13120500,"ICE CREAM SANDWICH","Ice cream sandwich"
+13120550,"ICE CREAM COOKIE SANDWICH (INCLUDE CHIPWICH)","Ice cream cookie sandwich"
+13120700,"ICE CREAM CONE, W/ NUTS, NOT CHOCOLATE","Ice cream cone with nuts, flavors other than chocolate"
+13120710,"ICE CREAM CONE, CHOC-COVERED, W/ NUTS, NOT CHOC","Ice cream cone, chocolate covered, with nuts, flavors other than chocolate"
+13120720,"ICE CREAM CONE, CHOC-COVERED OR DIPPED, NOT CHOC","Ice cream cone, chocolate covered or dipped, flavors other than chocolate"
+13120730,"ICE CREAM CONE, NO TOPPING, NOT CHOCOLATE","Ice cream cone, no topping, flavors other than chocolate"
+13120740,"ICE CREAM CONE, NO TOPPING, NS AS TO FLAVOR","Ice cream cone, no topping, NS as to flavor"
+13120750,"ICE CREAM CONE, W/NUTS, CHOCOLATE ICE CREAM","Ice cream cone with nuts, chocolate ice cream"
+13120760,"ICE CREAM CONE, CHOC-COVERED, CHOC ICE CREAM","Ice cream cone, chocolate covered or dipped, chocolate ice cream"
+13120770,"ICE CREAM CONE, NO TOPPING, CHOCOLATE ICE CREAM","Ice cream cone, no topping, chocolate ice cream"
+13120780,"ICE CREAM CONE, CHOC-COVERED, W/NUT, CHOC ICE CREAM","Ice cream cone, chocolate covered, with nuts, chocolate ice cream"
+13120790,"ICE CREAM SUNDAE CONE (INCL DRUMSTICK, ALL FLAVORS)","Ice cream sundae cone"
+13120800,"ICE CREAM SODA, NOT CHOCOLATE","Ice cream soda, flavors other than chocolate"
+13120810,"ICE CREAM SODA, CHOCOLATE","Ice cream soda, chocolate"
+13121000,"ICE CREAM SUNDAE, TOPPING NS, W/ WHIPPED CREAM","Ice cream sundae, NS as to topping, with whipped cream"
+13121100,"ICE CREAM SUNDAE, FRUIT TOPPING, W/ WHIPPED CREAM","Ice cream sundae, fruit topping, with whipped cream"
+13121200,"ICE CREAM SUNDAE, PREPACKAGED, NOT CHOCOLATE","Ice cream sundae, prepackaged type, flavors other than chocolate"
+13121300,"ICE CREAM SUNDAE,CHOCOLATE TOPPING,W/ WHIPPED CREAM","Ice cream sundae, chocolate or fudge topping, with whipped cream"
+13121400,"ICE CREAM SUNDAE, NOT FRUIT/ CHOC TOP,W/ WHIP CREAM","Ice cream sundae, not fruit or chocolate topping, with whipped cream"
+13121500,"ICE CREAM SUNDAE, FUDGE TOPPING, W/ CAKE","Ice cream sundae, fudge topping, with cake, with whipped cream"
+13122100,"ICE CREAM PIE, NO CRUST","Ice cream pie, no crust"
+13122500,"ICE CREAM PIE,COOKIE CRUST,FUDGE TOPPING,WHIP CREAM","Ice cream pie, with cookie crust, fudge topping, and whipped cream"
+13126000,"ICE CREAM, FRIED","Ice cream, fried"
+13127000,"DIPPIN' DOTS, ICE CREAM, FLAVORS OTHER THAN CHOCOLATE","Dippin' Dots, flash frozen ice cream snacks, flavors other than chocolate"
+13127010,"DIPPIN' DOTS, ICE CREAM, CHOCOLATE","Dippin' Dots, flash frozen ice cream snacks, chocolate"
+13130100,"LT ICE CREAM, NS FLAV ( ICE MILK)","Light ice cream, NS as to flavor (formerly ice milk)"
+13130300,"LIGHT ICE CREAM,NOT CHOCOLATE (FORMERLY ICE MILK)","Light ice cream, flavors other than chocolate (formerly ice milk)"
+13130310,"LIGHT ICE CREAM,CHOCOLATE (FORMERLY ICE MILK)","Light ice cream, chocolate (formerly ice milk)"
+13130320,"LIGHT ICE CREAM, NO SUGAR ADDED, NS AS TO FLAVOR","Light ice cream, no sugar added, NS as to flavor"
+13130330,"LIGHT ICE CREAM, NO SUGAR ADDED, NOT CHOCOLATE","Light ice cream, no sugar added, flavors other than chocolate"
+13130340,"LIGHT ICE CREAM, NO SUGAR ADDED, CHOCOLATE","Light ice cream, no sugar added, chocolate"
+13130590,"LIGHT ICE CREAM,SOFT SERVE, NS FLAVOR (FORMERLY ICE MILK)","Light ice cream, soft serve, NS as to flavor (formerly ice milk)"
+13130600,"LIGHT ICE CREAM,SOFT SERVE, NOT CHOC (FORMERLY ICE MILK)","Light ice cream, soft serve, flavors other than chocolate (formerly ice milk)"
+13130610,"LIGHT ICE CREAM,SOFT SERVE CHOC (TASTEE FRZ, DAIRY QUEEN)","Light ice cream, soft serve, chocolate (formerly ice milk)"
+13130620,"LIGHT ICE CREAM,SOFT SERVE CONE,NOT CHOC (DAIRY QUEEN)","Light ice cream, soft serve cone, flavors other than chocolate (formerly ice milk)"
+13130630,"LIGHT ICE CREAM,SOFT SERVE CONE, CHOC (FORMERLY ICE MILK)","Light ice cream, soft serve cone, chocolate (formerly ice milk)"
+13130640,"LIGHT ICE CREAM,SOFT SERVE CONE, NS FLAV(FORMERLY ICE MILK)","Light ice cream, soft serve cone, NS as to flavor (formerly ice milk)"
+13130700,"LIGHT ICE CREAM, SOFT SERVE, BLENDED W/ CANDY OR COOKIES","Light ice cream, soft serve, blended with candy or cookies"
+13135000,"ICE CREAM SANDWICH, MADE W/ LIGHT ICE CREAM, NOT CHOCOLATE","Ice cream sandwich, made with light ice cream, flavors other than chocolate"
+13135010,"ICE CREAM SANDWICH, MADE W/ LIGHT CHOCOLATE ICE CREAM","Ice cream sandwich, made with light chocolate ice cream"
+13136000,"ICE CREAM SANDWICH, MADE W/ LIGHT, NO SUGAR ADDED ICE CREAM","Ice cream sandwich, made with light, no sugar added ice cream"
+13140100,"LIGHT ICE CREAM,BAR/STICK, CHOC-COATED (FORMERLY ICE MILK)","Light ice cream, bar or stick, chocolate-coated (formerly ice milk)"
+13140110,"LIGHT ICE CREAM,BAR, CHOC COVERED,W/NUTS (FORMERLY ICE MILK)","Light ice cream, bar or stick, chocolate covered, with nuts (formerly ice milk)"
+13140450,"LIGHT ICE CREAM,CONE, NFS (FORMERLY ICE MILK)","Light ice cream, cone, NFS (formerly ice milk)"
+13140500,"LIGHT ICE CREAM,CONE, NOT CHOCOLATE (FORMERLY ICE MILK)","Light ice cream, cone, flavors other than chocolate (formerly ice milk)"
+13140550,"LIGHT ICE CREAM,CONE, CHOCOLATE (FORMERLY ICE MILK)","Light ice cream, cone, chocolate (formerly ice milk)"
+13140570,"LIGHT ICE CREAM, NO SUGAR ADDED, CONE, NS AS TO FLAVOR","Light ice cream, no sugar added, cone, NS as to flavor"
+13140575,"LIGHT ICE CREAM, NO SUGAR ADDED, CONE, NOT CHOC","Light ice cream, no sugar added, cone, flavors other than chocolate"
+13140580,"LIGHT ICE CREAM, NO SUGAR ADDED, CONE, CHOCOLATE","Light ice cream, no sugar added, cone, chocolate"
+13140600,"LIGHT ICE CREAM,SUNDAE,SOFT SERVE,CHOC/FUDGE TOP (ICE MILK)","Light ice cream, sundae, soft serve, chocolate or fudge topping, with whipped cream (formerly ice milk)"
+13140630,"LIGHT ICE CREAM,SUNDAE,SOFT SERVE,FRUIT TOPPING (ICE MILK)","Light ice cream, sundae, soft serve, fruit topping, with whipped cream (formerly ice milk)"
+13140650,"LIGHT ICE CREAM,SUNDAE,SOFT SERVE,NOT FRUIT/CHOC TOPPING","Light ice cream, sundae, soft serve, not fruit or chocolate topping, with whipped cream (formerly ice milk)"
+13140660,"LIGHT ICE CREAM,SUNDAE,CHOC / FUDGE TOP (W/O WHIP CREAM)","Light ice cream, sundae, soft serve, chocolate or fudge topping (without whipped cream) (formerly ice milk)"
+13140670,"LIGHT ICE CREAM,SUNDAE,FRUIT TOP (W/O WHIP CREAM)(ICE MILK)","Light ice cream, sundae, soft serve, fruit topping (without whipped cream) (formerly ice milk)"
+13140680,"LIGHT ICE CREAM,SUNDAE,NO FRUIT/CHOC TOP (W/O WHIP CREAM)","Light ice cream, sundae, soft serve, not fruit or chocolate topping (without whipped cream) (formerly ice milk)"
+13140700,"LIGHT ICE CREAM,CREAMSICLE OR DREAMSICLE (FORMERLY ICE MILK)","Light ice cream, creamsicle or dreamsicle (formerly ice milk)"
+13140710,"LIGHT ICE CREAM, CREAMSICLE OR DREAMSICLE, NO SUGAR ADDED","Light ice cream, creamsicle or dreamsicle, no sugar added"
+13140900,"LIGHT ICE CREAM,FUDGESICLE (FORMERLY ICE MILK)","Light ice cream, fudgesicle (formerly ice milk)"
+13142000,"MILK DESSERT BAR/STICK, FROZEN, W/ COCONUT","Milk dessert bar or stick, frozen, with coconut"
+13150000,"SHERBET, ALL FLAVORS","Sherbet, all flavors"
+13160150,"FAT FREE ICE CREAM, NO SUGAR ADD, CHOC","Fat free ice cream, no sugar added, chocolate"
+13160160,"FAT FREE ICE CREAM, NO SUGAR ADD, FLAVORS OTHER THAN CHOC","Fat free ice cream, no sugar added, flavors other than chocolate"
+13160400,"FAT FREE ICE CREAM, FLAVORS OTHER THAN CHOC","Fat free ice cream, flavors other than chocolate"
+13160410,"FAT FREE ICE CREAM, CHOC","Fat free ice cream, chocolate"
+13160420,"FAT FREE ICE CREAM, NS AS TO FLAVOR","Fat free ice cream, NS as to flavor"
+13161000,"MILK DESSERT BAR, FROZEN, MADE FROM LOWFAT MILK","Milk dessert bar, frozen, made from lowfat milk"
+13161500,"MILK DESSERT SANDWICH BAR, FROZEN, DIETARY","Milk dessert sandwich bar, frozen, made from lowfat milk"
+13161520,"MILK DESSERT SANDWICH BAR,FRZ,W/LOW-CAL SWEET,LOFAT","Milk dessert sandwich bar, frozen, with low-calorie sweetener, made from lowfat milk"
+13161600,"MILK DES BAR, FROZEN, LOFAT MILK&LO CAL SWEETENER","Milk dessert bar, frozen, made from lowfat milk and low calorie sweetener"
+13161630,"LIGHT ICE CREAM,BAR/STICK, W/ LOW-CAL SWEETENER, CHOC COAT","Light ice cream, bar or stick, with low-calorie sweetener, chocolate-coated (formerly ice milk)"
+13170000,"BAKED ALASKA","Baked Alaska"
+13200110,"PUDDING, NFS","Pudding, NFS"
+13210110,"PUDDING, BREAD (INCLUDE W/ RAISINS)","Pudding, bread"
+13210150,"PUERTO RICAN BREAD PUDDING MADE W/ EVAP MILK & RUM","Puerto Rican bread pudding made with evaporated milk and rum (Budin de pan)"
+13210160,"DIPLOMAT PUDDING, P.R. (BUDIN DIPLOMATICO)","Diplomat pudding, Puerto Rican style (Budin Diplomatico)"
+13210180,"PUDDING, MEXICAN BREAD (CAPIROTADA)","Pudding, Mexican bread (Capirotada)"
+13210190,"PUDDING, MEXICAN BREAD (CAPIROTADA), LOWER FAT","Pudding, Mexican bread (Capirotada), lower fat"
+13210220,"PUDDING, CHOCOLATE, NS AS TO FROM DRY MIX/RTE","Pudding, chocolate, NS as to from dry mix or ready-to-eat"
+13210250,"PUDDING, CHOC, LO CAL, W/ART SWTNER, NS DRY/RTE","Pudding, chocolate, low calorie, containing artificial sweetener, NS as to from dry mix or ready-to-eat"
+13210260,"RICE FLOUR CREAM, P.R.STYLE (MANJAR BLANCO)","Rice flour cream, Puerto Rican style (manjar blanco)"
+13210270,"CUSTARD, P.R. (MAICENA, NATILLA)","Custard, Puerto Rican style (Maicena, Natilla)"
+13210280,"PUDDING, NOT CHOC, NS FROM DRY OR RTE","Pudding, flavors other than chocolate, NS as to from dry mix or ready-to-eat"
+13210290,"PUDDING, NOT CHOC, LO CAL, W/ART SWTNER, NS DRY MIX OR RTE","Pudding, flavors other than chocolate, low calorie, containing artificial sweetener, NS as to from dry mix or ready-to-eat"
+13210300,"CUSTARD","Custard"
+13210350,"FLAN","Flan"
+13210410,"PUDDING, RICE","Pudding, rice"
+13210450,"PUDDING, RICE FLOUR, W/ NUTS (INDIAN DESSERT)","Pudding, rice flour, with nuts (Indian dessert)"
+13210500,"PUDDING, TAPIOCA,MADE FROM HOME RECIPE, MADE W/ MILK","Pudding, tapioca, made from home recipe, made with milk"
+13210520,"PUDDING, TAPIOCA,MADE FROM DRY MIX,MADE W/ MILK","Pudding, tapioca, made from dry mix, made with milk"
+13210530,"PUDDING, TAPIOCA,CHOCOLATE,MADE W/ MILK","Pudding, tapioca, chocolate, made with milk"
+13210610,"PUDDING, COCONUT","Pudding, coconut"
+13210710,"PUDDING, INDIAN (MILK, MOLASSES, CORNMEAL-BASED)","Pudding, Indian (milk, molasses and cornmeal-based pudding)"
+13210750,"PUDDING, PUMPKIN","Pudding, pumpkin"
+13210810,"P.R. PUMPKIN PUDDING (FLAN DE CALABAZA)","Puerto Rican pumpkin pudding (Flan de calabaza)"
+13210820,"FRESH CORN CUSTARD, PUERTO RICAN STYLE","Fresh corn custard, Puerto Rican style (Mazamorra, Mundo Nuevo)"
+13220110,"PUDDING,NOT CHOCOLATE,PREPARED FROM DRY MIX,MILK ADDED","Pudding, flavors other than chocolate, prepared from dry mix, milk added"
+13220120,"PUDDING,CHOCOLATE,PREPARED FROM DRY MIX,MILK ADDED","Pudding, chocolate, prepared from dry mix, milk added"
+13220210,"PUDDING,NOT CHOC,FROM DRY,LOW CAL,ARTIFICIAL SWEET,W/MILK","Pudding, flavors other than chocolate, prepared from dry mix, low calorie, containing artificial sweetener, milk added"
+13220220,"PUDDING,CHOC,FROM DRY,LOW CAL,ARTIFICIAL SWEET,MILK ADDED","Pudding, chocolate, prepared from dry mix, low calorie, containing artificial sweetener, milk added"
+13220230,"PUDDING, RTE, CHOCOLATE, RED FAT","Pudding, ready-to-eat, chocolate, reduced fat"
+13220235,"PUDDING, RTE, CHOCOLATE, FAT FREE","Pudding, ready-to-eat, chocolate, fat free"
+13220240,"PUDDING, RTE, FLAVORS OTHER THAN CHOCOLATE, RED FAT","Pudding, ready-to-eat, flavors other than chocolate, reduced fat"
+13220245,"PUDDING, RTE, FLAVORS OTHER THAN CHOCOLATE, FAT FREE","Pudding, ready-to-eat, flavors other than chocolate, fat free"
+13230110,"PUDDING, RTE, FLAVORS OTHER THAN CHOCOLATE","Pudding, ready-to-eat, flavors other than chocolate"
+13230120,"PUDDING, RTE, LOW CAL, W/ARTIFICIAL SWTNR, NOT CHOC","Pudding, ready-to-eat, low calorie, containing artificial sweetener, flavors other than chocolate"
+13230130,"PUDDING, RTE, CHOCOLATE","Pudding, ready-to-eat, chocolate"
+13230140,"PUDDING,RTE, LO CAL/ W ART SWTNER, CHOC","Pudding, ready-to-eat, low calorie, containing artificial sweetener, chocolate"
+13230200,"PUDDING, RTE, CHOC & NON-CHOC FLAVORS COMBINED","Pudding, ready-to-eat, chocolate and non-chocolate flavors combined"
+13230500,"PUDDING, READY-TO-EAT, TAPIOCA","Pudding, ready-to-eat, tapioca"
+13230510,"PUDDING, READY-TO-EAT, TAPIOCA, FAT FREE","Pudding, ready-to-eat, tapioca, fat free"
+13241000,"PUDDING, W/ FRUIT & VANILLA WAFERS","Pudding, with fruit and vanilla wafers"
+13250000,"MOUSSE, CHOCOLATE","Mousse, chocolate"
+13250100,"MOUSSE, NOT CHOCOLATE","Mousse, not chocolate"
+13250200,"MOUSSE,CHOCOLATE,LOW FAT,REDUCED CAL,DRY MIX","Mousse, chocolate, lowfat, reduced calorie, prepared from dry mix, water added"
+13252100,"COCONUT CUSTARD, P.R. (FLAN DE COCO)","Coconut custard, Puerto Rican style (Flan de coco)"
+13252200,"MILK DESSERT OR MILK CANDY, P.R. (DULCE DE LECHE)","Milk dessert or milk candy, Puerto Rican style (Dulce de leche)"
+13252500,"BARFI/BURFI,INDIAN DESSERT,FROM MILK/CREAM/RICOTTA","Barfi or Burfi, Indian dessert, made from milk and/or cream and/or Ricotta cheese"
+13252600,"TIRAMISU","Tiramisu"
+13310000,"CUSTARD PUDDING, NOT CHOC, BABY, NS AS TO STR OR JR","Custard pudding, flavor other than chocolate, baby food, NS as to strained or junior"
+13311000,"CUSTARD PUDDING, BABY, NOT CHOCOLATE, STRAINED","Custard pudding, baby food, flavor other than chocolate, strained"
+13312000,"CUSTARD PUDDING, BABY, NOT CHOCOLATE, JUNIOR","Custard pudding, baby food, flavor other than chocolate, junior"
+13411000,"WHITE SAUCE, MILK SAUCE","White sauce, milk sauce"
+13412000,"MILK GRAVY, QUICK GRAVY","Milk gravy, quick gravy"
+14010000,"CHEESE, NFS","Cheese, NFS"
+14101010,"CHEESE, BLUE OR ROQUEFORT","Cheese, Blue or Roquefort"
+14102010,"CHEESE, BRICK","Cheese, Brick"
+14103010,"CHEESE, CAMEMBERT","Cheese, Camembert"
+14103020,"CHEESE, BRIE","Cheese, Brie"
+14104100,"CHEESE, CHEDDAR","Cheese, Cheddar"
+14104110,"CHEESE, CHEDDAR, REDUCED FAT","Cheese, Cheddar, reduced fat"
+14104115,"CHEESE, CHEDDAR, NONFAT OR FAT FREE","Cheese, Cheddar, nonfat or fat free"
+14104200,"CHEESE, COLBY","Cheese, Colby"
+14104250,"CHEESE, COLBY JACK","Cheese, Colby Jack"
+14104400,"CHEESE, FETA (INCLUDE GOAT CHEESE)","Cheese, Feta"
+14104600,"CHEESE, FONTINA","Cheese, Fontina"
+14104700,"CHEESE, GOAT","Cheese, goat"
+14105010,"CHEESE, GOUDA OR EDAM","Cheese, Gouda or Edam"
+14105200,"CHEESE, GRUYERE","Cheese, Gruyere"
+14106010,"CHEESE, LIMBURGER","Cheese, Limburger"
+14106200,"CHEESE, MONTEREY","Cheese, Monterey"
+14106500,"CHEESE, MONTEREY, REDUCED FAT","Cheese, Monterey, reduced fat"
+14107010,"CHEESE, MOZZARELLA, NFS (INCLUDE PIZZA CHEESE)","Cheese, Mozzarella, NFS"
+14107020,"CHEESE, MOZZARELLA, WHOLE MILK","Cheese, Mozzarella, whole milk"
+14107030,"CHEESE, MOZZARELLA, PART SKIM (INCL ""LOWFAT"")","Cheese, Mozzarella, part skim"
+14107040,"CHEESE, MOZZARELLA, REDUCED SODIUM","Cheese, Mozzarella, reduced sodium"
+14107060,"CHEESE, MOZZARELLA, NONFAT OR FAT FREE","Cheese, Mozzarella, nonfat or fat free"
+14107200,"CHEESE, MUENSTER","Cheese, Muenster"
+14107250,"CHEESE, MUENSTER, REDUCED FAT","Cheese, Muenster, reduced fat"
+14108010,"CHEESE, PARMESAN, DRY, GRATED (INCLUDE ROMANO)","Cheese, Parmesan, dry grated"
+14108015,"CHEESE, PARMESAN, DRY GRATED, REDUCED FAT","Cheese, Parmesan, dry grated, reduced fat"
+14108020,"CHEESE, PARMESAN, HARD (INCLUDE ROMANO)","Cheese, Parmesan, hard"
+14108060,"CHEESE, PARMESAN, DRY GRATED, FAT FREE","Cheese, Parmesan, dry grated, fat free"
+14108200,"CHEESE, PORT DU SALUT","Cheese, Port du Salut"
+14108400,"CHEESE, PROVOLONE","Cheese, Provolone"
+14108420,"CHEESE, PROVOLONE, REDUCED FAT","Cheese, provolone, reduced fat"
+14109010,"CHEESE, SWISS","Cheese, Swiss"
+14109020,"CHEESE, SWISS, REDUCED SODIUM","Cheese, Swiss, reduced sodium"
+14109030,"CHEESE, SWISS, REDUCED FAT","Cheese, Swiss, reduced fat"
+14109040,"CHEESE, SWISS, NONFAT OR FAT FREE","Cheese, Swiss, nonfat or fat free"
+14110010,"CHEESE, CHEDDAR, REDUCED SODIUM","Cheese, Cheddar, reduced sodium"
+14120010,"CHEESE, MEXICAN BLEND","Cheese, Mexican blend"
+14120020,"CHEESE, MEXICAN BLEND, REDUCED FAT","Cheese, Mexican blend, reduced fat"
+14131000,"QUESO ANEJO (AGED MEXICAN CHEESE)","Queso Anejo (aged Mexican cheese)"
+14131500,"QUESO ASADERO (INCL OAXACAN-STYLE STRING CHEESE)","Queso Asadero"
+14132000,"QUESO CHIHUAHUA (INCL MENNONITE CHEESE)","Queso Chihuahua"
+14133000,"QUESO FRESCO (HISPANIC-STYLE FARMER CHEESE)","Queso Fresco"
+14134000,"QUESO COTIJA","Queso cotija"
+14200100,"CHEESE, COTTAGE, NFS","Cheese, cottage, NFS"
+14201010,"CHEESE, COTTAGE, CREAMED","Cheese, cottage, creamed, large or small curd"
+14201200,"COTTAGE CHEESE, FARMER'S","Cottage cheese, farmer's"
+14201500,"CHEESE, RICOTTA","Cheese, Ricotta"
+14202010,"CHEESE, COTTAGE, W/ FRUIT","Cheese, cottage, with fruit"
+14202020,"CHEESE, COTTAGE, W/ VEGETABLES","Cheese, cottage, with vegetables"
+14203010,"CHEESE, COTTAGE, DRY CURD","Cheese, cottage, dry curd"
+14203020,"CHEESE, COTTAGE, SALTED, DRY CURD","Cheese, cottage, salted, dry curd"
+14203510,"P.R. WHITE CHEESE (QUESO DEL PAIS, BLANCO)","Puerto Rican white cheese (queso del pais, blanco)"
+14204010,"CHEESE, COTTAGE, LOWFAT","Cheese, cottage, lowfat (1-2% fat)"
+14204020,"CHEESE, COTTAGE, LOWFAT, W/ FRUIT","Cheese, cottage, lowfat, with fruit"
+14204030,"CHEESE, COTTAGE, LOWFAT, W/ VEGETABLES","Cheese, cottage, lowfat, with vegetables"
+14206010,"CHEESE, COTTAGE, LOWFAT, LOW SODIUM","Cheese, cottage, lowfat, low sodium"
+14207010,"CHEESE, COTTAGE, LOWFAT, LACTOSE REDUCED","Cheese, cottage, lowfat, lactose reduced"
+14301010,"CHEESE, CREAM","Cheese, cream"
+14303010,"CHEESE, CREAM, LIGHT/LITE (FORMERLY CALLED CR CHEESE LOWFAT)","Cheese, cream, light or lite (formerly called Cream Cheese Lowfat)"
+14410100,"CHEESE, AMERICAN AND SWISS BLENDS","Cheese, American and Swiss blends"
+14410110,"CHEESE, AMERICAN","Cheese, American"
+14410120,"CHEESE, AMERICAN, REDUCED FAT","Cheese, American, reduced fat"
+14410130,"CHEESE, AMERICAN, NONFAT OR FAT FREE","Cheese, American, nonfat or fat free"
+14410210,"CHEESE, AMERICAN, REDUCED SODIUM","Cheese, American, reduced sodium"
+14410330,"CHEESE SPREAD, AMERICAN OR CHEDDAR CHEESE BASE, REDUCED FAT","Cheese spread, American or Cheddar cheese base, reduced fat"
+14410380,"CHEESE, PROCESSED CREAM CHEESE PRODUCT, NONFAT","Cheese, processed cream cheese product, nonfat or fat free"
+14410500,"CHEESE, PROCESSED, CHEESE FOOD","Cheese, processed cheese food"
+14410600,"CHEESE, PROCESSED, W/VEGETABLES(INCL PEPPER CHEESE)","Cheese, processed, with vegetables"
+14410620,"CHEESE, WITH WINE","Cheese, with wine"
+14420100,"CHEESE SPREAD, AMERICAN OR CHEDDAR CHEESE BASE","Cheese spread, American or Cheddar cheese base"
+14420160,"CHEESE SPREAD, SWISS CHEESE BASE","Cheese spread, Swiss cheese base"
+14420200,"CHEESE SPRD, CREAM CHEESE, REG","Cheese spread, cream cheese, regular"
+14420210,"CHEESE SPREAD, CREAM CHEESE, LIGHT OR LITE","Cheese spread, cream cheese, light or lite"
+14420300,"CHEESE SPREAD, PRESSURIZED CAN","Cheese spread, pressurized can"
+14502000,"IMITATION CHEESE","Imitation cheese"
+14610200,"COTTAGE CHEESE, W/ GELATIN DESSERT","Cheese, cottage cheese, with gelatin dessert"
+14610210,"COTTAGE CHEESE, W/ GELATIN DESSERT & FRUIT","Cheese, cottage cheese, with gelatin dessert and fruit"
+14610250,"COTTAGE CHEESE W/ GELATIN DESSERT & VEGETABLES","Cheese, cottage cheese, with gelatin dessert and vegetables"
+14610520,"CHEESE W/ NUTS (INCL CHEESE BALL)","Cheese with nuts"
+14620100,"DIP, CREAM CHEESE BASE","Dip, cream cheese base"
+14620120,"SHRIMP DIP, CREAM CHEESE BASE (INCL CLAM DIP)","Shrimp dip, cream cheese base"
+14620150,"DIP, CHEESE W/ CHILI PEPPER (CHILI CON QUESO)","Dip, cheese with chili pepper (chili con queso)"
+14620200,"DIP, CHEESE BASE OTHER THAN CREAM CHEESE","Dip, cheese base other than cream cheese"
+14620300,"TOPPING FROM CHEESE PIZZA","Topping from cheese pizza"
+14620310,"TOPPING FROM VEGETABLE PIZZA","Topping from vegetable pizza"
+14620320,"TOPPING FROM MEAT PIZZA","Topping from meat pizza"
+14620330,"TOPPING FROM MEAT AND VEGETABLE PIZZA","Topping from meat and vegetable pizza"
+14630100,"CHEESE FONDUE","Cheese fondue"
+14630200,"CHEESE SOUFFLE","Cheese souffle"
+14630300,"WELSH RAREBIT","Welsh rarebit"
+14640000,"CHEESE SANDWICH","Cheese sandwich"
+14640100,"CHEESE SANDWICH, GRILLED","Cheese sandwich, grilled"
+14640200,"CHEESE SANDWICH, HOAGIE","Cheese sandwich, hoagie"
+14650100,"CHEESE SAUCE","Cheese sauce"
+14650150,"CHEESE SAUCE MADE W/ LOWFAT CHEESE","Cheese sauce made with lowfat cheese"
+14650160,"ALFREDO SAUCE","Alfredo sauce"
+14660200,"CHEESE, NUGGETS, FRIED (INCL BANQUET BRAND)","Cheese, nuggets or pieces, breaded, baked, or fried"
+14670000,"MOZZARELLA CHEESE, TOMATO, BASIL, W/ OIL, VINEGAR","Mozzarella cheese, tomato, and basil, with oil and vinegar dressing"
+14710100,"CHEDDAR CHEESE SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Cheddar cheese soup, home recipe, canned or ready-to-serve"
+14710200,"BEER CHEESE SOUP, MADE WITH MILK","Beer cheese soup, made with milk"
+2e+07,"MEAT, NFS","Meat, NFS"
+20000070,"MEAT, BABY, NS AS TO TYPE, NS AS TO STR OR JR","Meat, baby food, NS as to type, NS as to strained or junior"
+20000090,"MEAT STICKS, BABY, NS AS TO TYPE OF MEAT","Meat sticks, baby food, NS as to type of meat"
+20000200,"GROUND MEAT,NFS","Ground meat, NFS"
+21000100,"BEEF, NS AS TO CUT, COOKED, NS AS TO FAT","Beef, NS as to cut, cooked, NS as to fat eaten"
+21000110,"BEEF, NS AS TO CUT, COOKED, LEAN & FAT","Beef, NS as to cut, cooked, lean and fat eaten"
+21000120,"BEEF, NS AS TO CUT, COOKED, LEAN ONLY","Beef, NS as to cut, cooked, lean only eaten"
+21001000,"STEAK, NS AS TO TYPE OF MEAT, COOKED, NS AS TO FAT","Steak, NS as to type of meat, cooked, NS as to fat eaten"
+21001010,"STEAK, NS AS TO TYPE OF MEAT, COOKED, LEAN & FAT","Steak, NS as to type of meat, cooked, lean and fat eaten"
+21001020,"STEAK, NS AS TO TYPE OF MEAT, COOKED, LEAN ONLY","Steak, NS as to type of meat, cooked, lean only eaten"
+21002000,"BEEF, PICKLED","Beef, pickled"
+21003000,"BEEF, NS AS TO CUT, FRIED, NS AS TO FAT EATEN","Beef, NS as to cut, fried, NS to fat eaten"
+21101000,"BEEF STEAK, NS AS TO COOKING METHOD, NS AS TO FAT","Beef steak, NS as to cooking method, NS as to fat eaten"
+21101010,"BEEF STEAK, NS AS TO COOKING METHOD, LEAN & FAT","Beef steak, NS as to cooking method, lean and fat eaten"
+21101020,"BEEF STEAK, NS AS TO COOKING METHOD, LEAN ONLY","Beef steak, NS as to cooking method, lean only eaten"
+21101110,"BEEF STEAK, BROILED OR BAKED, NS AS TO FAT","Beef steak, broiled or baked, NS as to fat eaten"
+21101120,"BEEF STEAK, BROILED OR BAKED, LEAN & FAT","Beef steak, broiled or baked, lean and fat eaten"
+21101130,"BEEF STEAK, BROILED OR BAKED, LEAN ONLY","Beef steak, broiled or baked, lean only eaten"
+21102110,"BEEF STEAK, FRIED, NS AS TO FAT","Beef steak, fried, NS as to fat eaten"
+21102120,"BEEF STEAK, FRIED, LEAN & FAT","Beef steak, fried, lean and fat eaten"
+21102130,"BEEF STEAK, FRIED, LEAN ONLY","Beef steak, fried, lean only eaten"
+21103110,"BEEF STEAK,BREADED/FLOURED,BAKED/FRIED,NS AS TO FAT","Beef steak, breaded or floured, baked or fried, NS as to fat eaten"
+21103120,"BEEF STEAK, BREADED/FLOURED,BAKED/FRIED, LEAN & FAT","Beef steak, breaded or floured, baked or fried, lean and fat eaten"
+21103130,"BEEF STEAK, BREADED/FLOURED, BAKED/FRIED, LEAN ONLY","Beef steak, breaded or floured, baked or fried, lean only eaten"
+21104110,"BEEF STEAK, BATTERED, FRIED, NS AS TO FAT","Beef steak, battered, fried, NS as to fat eaten"
+21104120,"BEEF STEAK, BATTERED, FRIED, LEAN & FAT","Beef steak, battered, fried, lean and fat eaten"
+21104130,"BEEF STEAK, BATTERED, FRIED, LEAN ONLY","Beef steak, battered, fried, lean only eaten"
+21105110,"BEEF STEAK, BRAISED, NS AS TO FAT","Beef steak, braised, NS as to fat eaten"
+21105120,"BEEF STEAK, BRAISED, LEAN & FAT","Beef steak, braised, lean and fat eaten"
+21105130,"BEEF STEAK, BRAISED, LEAN ONLY","Beef steak, braised, lean only eaten"
+21301000,"BEEF, OXTAILS, COOKED","Beef, oxtails, cooked"
+21302000,"BEEF, NECK BONES, COOKED","Beef, neck bones, cooked"
+21304000,"BEEF, SHORTRIBS, COOKED, NS AS TO FAT","Beef, shortribs, cooked, NS as to fat eaten"
+21304110,"BEEF, SHORTRIBS, COOKED, LEAN & FAT","Beef, shortribs, cooked, lean and fat eaten"
+21304120,"BEEF, SHORTRIBS, COOKED, LEAN ONLY","Beef, shortribs, cooked, lean only eaten"
+21304200,"BEEF, SHORTRIBS, BBQ, W/ SAUCE, NS AS TO FAT","Beef, shortribs, barbecued, with sauce, NS as to fat eaten"
+21304210,"BEEF, SHORTRIBS, BBQ, W/ SAUCE, LEAN & FAT","Beef, shortribs, barbecued, with sauce, lean and fat eaten"
+21304220,"BEEF, SHORTRIBS, BBQ, W/ SAUCE, LEAN ONLY","Beef, shortribs, barbecued, with sauce, lean only eaten"
+21305000,"BEEF, COW HEAD, COOKED","Beef, cow head, cooked"
+21401000,"BEEF, ROAST, ROASTED, NS AS TO FAT","Beef, roast, roasted, NS as to fat eaten"
+21401110,"BEEF, ROAST, ROASTED, LEAN & FAT","Beef, roast, roasted, lean and fat eaten"
+21401120,"BEEF, ROAST, ROASTED, LEAN ONLY","Beef, roast, roasted, lean only eaten"
+21401400,"BEEF, ROAST, CANNED","Beef, roast, canned"
+21407000,"BEEF, POT ROAST, BRAISED OR BOILED, NS AS TO FAT","Beef, pot roast, braised or boiled, NS as to fat eaten"
+21407110,"BEEF, POT ROAST, BRAISED OR BOILED, LEAN & FAT","Beef, pot roast, braised or boiled, lean and fat eaten"
+21407120,"BEEF, POT ROAST, BRAISED OR BOILED, LEAN ONLY","Beef, pot roast, braised or boiled, lean only eaten"
+21410000,"BEEF, STEW MEAT, COOKED, NS AS TO FAT","Beef, stew meat, cooked, NS as to fat eaten"
+21410110,"BEEF, STEW MEAT, COOKED, LEAN & FAT","Beef, stew meat, cooked, lean and fat eaten"
+21410120,"BEEF, STEW MEAT, COOKED, LEAN ONLY","Beef, stew meat, cooked, lean only eaten"
+21416000,"CORNED BEEF, COOKED, NS AS TO FAT","Corned beef, cooked, NS as to fat eaten"
+21416110,"CORNED BEEF, COOKED, LEAN & FAT","Corned beef, cooked, lean and fat eaten"
+21416120,"CORNED BEEF, COOKED, LEAN ONLY","Corned beef, cooked, lean only eaten"
+21416150,"CORNED BEEF, CANNED, READY TO EAT","Corned beef, canned, ready-to-eat"
+21417100,"BEEF BRISKET, COOKED, NS AS TO FAT","Beef brisket, cooked, NS as to fat eaten"
+21417110,"BEEF BRISKET, COOKED, LEAN & FAT","Beef brisket, cooked, lean and fat eaten"
+21417120,"BEEF BRISKET, COOKED, LEAN ONLY","Beef brisket, cooked, lean only eaten"
+21420100,"BEEF, SANDWICH STEAK (FLAKED,FORMED, THINLY SLICED)","Beef, sandwich steak (flaked, formed, thinly sliced)"
+21500000,"GROUND BEEF, RAW","Ground beef, raw"
+21500100,"GROUND BEEF OR PATTY, NS AS TO %LEAN","Ground beef or patty, cooked, NS as to percent lean (formerly NS as to regular, lean, or extra lean)"
+21500200,"GROUND BEEF OR PATTY, BREADED, COOKED","Ground beef or patty, breaded, cooked"
+21500300,"GROUND BEEF PATTY, COOKED (FOR FAST FOOD SANDWICHES)","Ground beef patty, cooked (for fast food sandwiches)"
+21501000,"GROUND BEEF, LESS THAN 80% LEAN, COOKED","Ground beef, less than 80% lean, cooked (formerly regular)"
+21501200,"GROUND BEEF, 80% - 84% LEAN, COOKED","Ground beef, 80% - 84% lean, cooked (formerly lean)"
+21501300,"GROUND BEEF, 85% - 89% LEAN, COOKED","Ground beef, 85% - 89% lean, cooked (formerly extra lean)"
+21501350,"GROUND BEEF, 90% - 94% LEAN, COOKED","Ground beef, 90% - 94% lean, cooked"
+21501360,"GROUND BEEF, 95% OR MORE LEAN, COOKED","Ground beef, 95% or more lean, cooked"
+21540100,"GROUND BEEF W/ TEXTURED VEGETABLE PROTEIN, COOKED","Ground beef with textured vegetable protein, cooked"
+21601000,"BEEF, BACON, COOKED","Beef, bacon, cooked"
+21601500,"BEEF BACON, FORMED, LEAN MEAT ADDED (INCL SIZZLEAN)","Beef, bacon, formed, lean meat added, cooked"
+21602000,"BEEF, DRIED, CHIPPED, UNCOOKED","Beef, dried, chipped, uncooked"
+21602010,"BEEF, DRIED, CHIPPED, COOKED IN FAT","Beef, dried, chipped, cooked in fat"
+21602100,"BEEF JERKY","Beef jerky"
+21603000,"BEEF, PASTRAMI (BEEF, SMOKED, SPICED)","Beef, pastrami (beef, smoked, spiced)"
+21701000,"BEEF, BABY, NS AS TO STRAINED OR JUNIOR","Beef, baby food, NS as to strained or junior"
+21701010,"BEEF, BABY, STRAINED","Beef, baby food, strained"
+21701020,"BEEF, BABY, JUNIOR","Beef, baby food, junior"
+22000100,"PORK, NS AS TO CUT, COOKED, NS AS TO FAT EATEN","Pork, NS as to cut, cooked, NS as to fat eaten"
+22000110,"PORK, NS AS TO CUT, COOKED, LEAN & FAT EATEN","Pork, NS as to cut, cooked, lean and fat eaten"
+22000120,"PORK, NS AS TO CUT, COOKED, LEAN ONLY EATEN","Pork, NS as to cut, cooked, lean only eaten"
+22000200,"PORK, NS AS TO CUT, FRIED, NS AS TO FAT EATEN","Pork, NS as to cut, fried, NS as to fat eaten"
+22000210,"PORK, NS AS TO CUT, FRIED, LEAN & FAT EATEN","Pork, NS as to cut, fried, lean and fat eaten"
+22000220,"PORK, NS AS TO CUT, FRIED, LEAN ONLY EATEN","Pork, NS as to cut, fried, lean only eaten"
+22000300,"PORK, NS AS TO CUT, BREADED, FRIED, NS AS TO FAT","Pork, NS as to cut, breaded or floured, fried, NS as to fat eaten"
+22000310,"PORK, NS AS TO CUT, BREADED, FRIED, FAT EATEN","Pork, NS as to cut, breaded or floured, fried, lean and fat eaten"
+22000320,"PORK, NS AS TO CUT, BREADED, FRIED, LEAN ONLY","Pork, NS as to cut, breaded or floured, fried, lean only eaten"
+22001000,"PORK, PICKLED, NS AS TO CUT","Pork, pickled, NS as to cut"
+22002000,"PORK, GROUND OR PATTY, COOKED","Pork, ground or patty, cooked"
+22002100,"PORK, GROUND, GROUND OR PATTY, BREADED, COOKED","Pork, ground or patty, breaded, cooked"
+22002800,"PORK JERKY","Pork jerky"
+22101000,"PORK CHOP, NS AS TO COOKING METHOD, NS AS TO FAT","Pork chop, NS as to cooking method, NS as to fat eaten"
+22101010,"PORK CHOP, NS AS TO COOKING METHOD, LEAN & FAT","Pork chop, NS as to cooking method, lean and fat eaten"
+22101020,"PORK CHOP, NS AS TO COOKING METHOD, LEAN ONLY","Pork chop, NS as to cooking method, lean only eaten"
+22101100,"PORK CHOP, BROILED OR BAKED, NS AS TO FAT","Pork chop, broiled or baked, NS as to fat eaten"
+22101110,"PORK CHOP, BROILED OR BAKED, LEAN & FAT","Pork chop, broiled or baked, lean and fat eaten"
+22101120,"PORK CHOP, BROILED OR BAKED, LEAN ONLY","Pork chop, broiled or baked, lean only eaten"
+22101130,"PORK CHOP, BREADED, BROILED OR BAKED, NS AS TO FAT","Pork chop, breaded or floured, broiled or baked, NS as to fat eaten"
+22101140,"PORK CHOP, BREADED, BROILED OR BAKED, LEAN & FAT","Pork chop, breaded or floured, broiled or baked, lean and fat eaten"
+22101150,"PORK CHOP, BREADED, BROILED OR BAKED, LEAN ONLY","Pork chop, breaded or floured, broiled or baked, lean only eaten"
+22101200,"PORK CHOP, FRIED, NS AS TO FAT","Pork chop, fried, NS as to fat eaten"
+22101210,"PORK CHOP, FRIED, LEAN & FAT","Pork chop, fried, lean and fat eaten"
+22101220,"PORK CHOP, FRIED, LEAN ONLY","Pork chop, fried, lean only eaten"
+22101300,"PORK CHOP, BREADED, FRIED, NS AS TO FAT","Pork chop, breaded or floured, fried, NS as to fat eaten"
+22101310,"PORK CHOP, BREADED, FRIED, LEAN & FAT","Pork chop, breaded or floured, fried, lean and fat eaten"
+22101320,"PORK CHOP, BREADED, FRIED, LEAN ONLY","Pork chop, breaded or floured, fried, lean only eaten"
+22101400,"PORK CHOP, BATTERED, FRIED, NS AS TO FAT","Pork chop, battered, fried, NS as to fat eaten"
+22101410,"PORK CHOP, BATTERED, FRIED, LEAN & FAT","Pork chop, battered, fried, lean and fat eaten"
+22101420,"PORK CHOP, BATTERED, FRIED, LEAN ONLY","Pork chop, battered, fried, lean only eaten"
+22101500,"PORK CHOP, STEWED, NS AS TO FAT EATEN","Pork chop, stewed, NS as to fat eaten"
+22101510,"PORK CHOP, STEWED, LEAN & FAT EATEN","Pork chop, stewed, lean and fat eaten"
+22101520,"PORK CHOP, STEWED, LEAN ONLY EATEN","Pork chop, stewed, lean only eaten"
+22107000,"PORK CHOP, SMOKED OR CURED, COOKED, NS AS TO FAT","Pork chop, smoked or cured, cooked, NS as to fat eaten"
+22107010,"PORK CHOP, SMOKED OR CURED, COOKED, LEAN & FAT","Pork chop, smoked or cured, cooked, lean and fat eaten"
+22107020,"PORK CHOP, SMOKED OR CURED, COOKED, LEAN ONLY","Pork chop, smoked or cured, cooked, lean only eaten"
+22201000,"PORK STEAK, NS AS TO COOKING METHOD, NS AS TO FAT","Pork steak or cutlet, NS as to cooking method, NS as to fat eaten"
+22201010,"PORK STEAK, NS AS TO COOKING METHOD, LEAN & FAT","Pork steak or cutlet, NS as to cooking method, lean and fat eaten"
+22201020,"PORK STEAK, NS AS TO COOKING METHOD, LEAN ONLY","Pork steak or cutlet, NS as to cooking method, lean only eaten"
+22201050,"PORK STEAK OR CUTLET, BATTERED, FRIED, NS AS TO FAT","Pork steak or cutlet, battered, fried, NS as to fat eaten"
+22201060,"PORK STEAK OR CUTLET, BATTERED, FRIED, LEAN & FAT","Pork steak or cutlet, battered, fried, lean and fat eaten"
+22201070,"PORK STEAK OR CUTLET, BATTERED, FRIED, LEAN ONLY","Pork steak or cutlet, battered, fried, lean only eaten"
+22201100,"PORK STEAK OR CUTLET, BROILED OR BAKD, NS AS TO FAT","Pork steak or cutlet, broiled or baked, NS as to fat eaten"
+22201110,"PORK STEAK OR CUTLET, BROILED OR BAKED, LEAN & FAT","Pork steak or cutlet, broiled or baked, lean and fat eaten"
+22201120,"PORK STEAK OR CUTLET, BROILED OR BAKED, LEAN ONLY","Pork steak or cutlet, broiled or baked, lean only eaten"
+22201200,"PORK STEAK OR CUTLET, FRIED, NS AS TO FAT","Pork steak or cutlet, fried, NS as to fat eaten"
+22201210,"PORK STEAK OR CUTLET, FRIED, LEAN & FAT","Pork steak or cutlet, fried, lean and fat eaten"
+22201220,"PORK STEAK OR CUTLET, FRIED, LEAN ONLY","Pork steak or cutlet, fried, lean only eaten"
+22201300,"PORK CUTLET, BREADED, BROILED/BAKED, NS AS TO FAT","Pork steak or cutlet, breaded or floured, broiled or baked, NS as to fat eaten"
+22201310,"PORK CUTLET, BREADED, BROILED/BAKED, LEAN & FAT","Pork steak or cutlet, breaded or floured, broiled or baked, lean and fat eaten"
+22201320,"PORK CUTLET, BREADED, BROILED/BAKED, LEAN ONLY","Pork steak or cutlet, breaded or floured, broiled or baked, lean only eaten"
+22201400,"PORK STEAK OR CUTLET, BREADED, FRIED, NS AS TO FAT","Pork steak or cutlet, breaded or floured, fried, NS as to fat eaten"
+22201410,"PORK STEAK OR CUTLET, BREADED, FRIED, LEAN & FAT","Pork steak or cutlet, breaded or floured, fried, lean and fat eaten"
+22201420,"PORK STEAK OR CUTLET, BREADED, FRIED, LEAN ONLY","Pork steak or cutlet, breaded or floured, fried, lean only eaten"
+22210300,"PORK, TENDERLOIN, COOKED, NS AS TO METHOD","Pork, tenderloin, cooked, NS as to cooking method"
+22210310,"PORK, TENDERLOIN, BREADED, FRIED","Pork, tenderloin, breaded, fried"
+22210350,"PORK, TENDERLOIN, BRAISED","Pork, tenderloin, braised"
+22210400,"PORK, TENDERLOIN, BAKED","Pork, tenderloin, baked"
+22210450,"PORK, TENDERLOIN, BATTERED, FRIED","Pork, tenderloin, battered, fried"
+22300120,"HAM, FRIED, NS AS TO FAT","Ham, fried, NS as to fat eaten"
+22300130,"HAM, FRIED, LEAN & FAT","Ham, fried, lean and fat eaten"
+22300140,"HAM, FRIED, LEAN ONLY","Ham, fried, lean only eaten"
+22300150,"HAM, BREADED, FRIED, NS AS TO FAT","Ham, breaded or floured, fried, NS as to fat eaten"
+22300160,"HAM, BREADED, FRIED, LEAN & FAT","Ham, breaded or floured, fried, lean and fat eaten"
+22300170,"HAM, BREADED, FRIED, LEAN ONLY","Ham, breaded or floured, fried, lean only eaten"
+22301000,"HAM, FRESH, COOKED, NS AS TO FAT","Ham, fresh, cooked, NS as to fat eaten"
+22301110,"HAM, FRESH, COOKED, LEAN & FAT","Ham, fresh, cooked, lean and fat eaten"
+22301120,"HAM, FRESH, COOKED, LEAN ONLY","Ham, fresh, cooked, lean only eaten"
+22311000,"HAM, SMOKED OR CURED, COOKED, NS AS TO FAT","Ham, smoked or cured, cooked, NS as to fat eaten"
+22311010,"HAM, SMOKED OR CURED, COOKED, LEAN & FAT","Ham, smoked or cured, cooked, lean and fat eaten"
+22311020,"HAM, SMOKED OR CURED, COOKED, LEAN ONLY","Ham, smoked or cured, cooked, lean only eaten"
+22311200,"HAM, SMOKED OR CURED, LOW NA, NS AS TO FAT","Ham, smoked or cured, low sodium, cooked, NS as to fat eaten"
+22311210,"HAM, SMOKED OR CURED, LOW NA, LEAN & FAT","Ham, smoked or cured, low sodium, cooked, lean and fat eaten"
+22311220,"HAM, SMOKED OR CURED, LOW NA, LEAN ONLY","Ham, smoked or cured, low sodium, cooked, lean only eaten"
+22311450,"HAM, PROSCIUTTO","Ham, prosciutto"
+22311500,"HAM, SMOKED OR CURED, CANNED, NS AS TO FAT EATEN","Ham, smoked or cured, canned, NS as to fat eaten"
+22311510,"HAM, SMOKED OR CURED, CANNED, LEAN & FAT EATEN","Ham, smoked or cured, canned, lean and fat eaten"
+22311520,"HAM, SMOKED OR CURED, CANNED, LEAN ONLY EATEN","Ham, smoked or cured, canned, lean only eaten"
+22321110,"HAM, SMOKED OR CURED, GROUND PATTY","Ham, smoked or cured, ground patty"
+22400100,"PORK ROAST, NS AS TO CUT, NS AS TO FAT","Pork roast, NS as to cut, cooked, NS as to fat eaten"
+22400110,"PORK ROAST, NS AS TO CUT, COOKED, LEAN & FAT","Pork roast, NS as to cut, cooked, lean and fat eaten"
+22400120,"PORK ROAST, NS AS TO CUT, COOKED, LEAN ONLY","Pork roast, NS as to cut, cooked, lean only eaten"
+22401000,"PORK ROAST, LOIN, COOKED, NS AS TO FAT","Pork roast, loin, cooked, NS as to fat eaten"
+22401010,"PORK ROAST, LOIN, COOKED, LEAN & FAT","Pork roast, loin, cooked, lean and fat eaten"
+22401020,"PORK ROAST, LOIN, COOKED, LEAN ONLY","Pork roast, loin, cooked, lean only eaten"
+22402510,"FRIED PORK CHUNKS, P.R. (CARNE DE CERDO FRITA)","Fried pork chunks, Puerto Rican style (Carne de cerdo frita, masitas fritas)"
+22411000,"PORK ROAST, SHOULDER, COOKED, NS AS TO FAT","Pork roast, shoulder, cooked, NS as to fat eaten"
+22411010,"PORK ROAST, SHOULDER, COOKED, LEAN & FAT","Pork roast, shoulder, cooked, lean and fat eaten"
+22411020,"PORK ROAST, SHOULDER, COOKED, LEAN ONLY","Pork roast, shoulder, cooked, lean only eaten"
+22421000,"PORK ROAST, SMOKED OR CURED, COOKED, NS AS TO FAT","Pork roast, smoked or cured, cooked, NS as to fat eaten"
+22421010,"PORK ROAST, SMOKED OR CURED, COOKED, LEAN & FAT","Pork roast, smoked or cured, cooked, lean and fat eaten"
+22421020,"PORK ROAST, SMOKED OR CURED, COOKED, LEAN ONLY","Pork roast, smoked or cured, cooked, lean only eaten"
+22431000,"PORK ROLL, CURED, FRIED","Pork roll, cured, fried"
+22501010,"BACON, CANADIAN, COOKED","Canadian bacon, cooked"
+22600100,"BACON, NS AS TO TYPE OF MEAT, COOKED","Bacon, NS as to type of meat, cooked"
+22600200,"PORK BACON, NS AS TO FRESH/SMOKED/CURED, COOKED","Pork bacon, NS as to fresh, smoked or cured, cooked"
+22601000,"PORK BACON, SMOKED OR CURED, COOKED","Pork bacon, smoked or cured, cooked"
+22601040,"BACON OR SIDE PORK, FRESH, COOKED","Bacon or side pork, fresh, cooked"
+22602010,"PORK BACON, SMOKED OR CURED, LOWER SODIUM","Pork bacon, smoked or cured, lower sodium"
+22605010,"BACON, FORMED, LEAN MEAT ADDED, COOKED","Pork bacon, formed, lean meat added, cooked"
+22621000,"SALT PORK, COOKED","Salt pork, cooked"
+22621100,"FAT BACK, COOKED (INCLUDE HOG JOWL)","Fat back, cooked"
+22701000,"PORK, SPARERIBS, COOKED, NS AS TO FAT EATEN","Pork, spareribs, cooked, NS as to fat eaten"
+22701010,"PORK, SPARERIBS, COOKED, LEAN & FAT","Pork, spareribs, cooked, lean and fat eaten"
+22701020,"PORK, SPARERIBS, COOKED, LEAN ONLY","Pork, spareribs, cooked, lean only eaten"
+22701030,"PORK, SPARERIBS, BBQ, W/ SAUCE, NS FAT EATEN","Pork, spareribs, barbecued, with sauce, NS as to fat eaten"
+22701040,"PORK, SPARERIBS, BBQ, W/ SAUCE, LEAN & FAT EATEN","Pork, spareribs, barbecued, with sauce, lean and fat eaten"
+22701050,"PORK, SPARERIBS, BBQ, W/ SAUCE, LEAN ONLY EATEN","Pork, spareribs, barbecued, with sauce, lean only eaten"
+22704010,"PORK, CRACKLINGS, COOKED","Pork, cracklings, cooked"
+22705010,"PORK, EARS, TAIL, HEAD, SNOUT, MISC PARTS, COOKED","Pork ears, tail, head, snout, miscellaneous parts, cooked"
+22706010,"PORK, NECK BONES, COOKED","Pork, neck bones, cooked"
+22707010,"PORK, PIG'S FEET, COOKED","Pork, pig's feet, cooked"
+22707020,"PORK, PIG'S FEET, PICKLED","Pork, pig's feet, pickled"
+22708010,"PORK, PIG'S HOCKS, COOKED","Pork, pig's hocks, cooked"
+22709010,"PORK SKIN, RINDS, DEEP-FRIED","Pork skin, rinds, deep-fried"
+22709110,"PORK SKIN, BOILED","Pork skin, boiled"
+22810010,"HAM, BABY, STRAINED","Ham, baby food, strained"
+22820000,"MEAT STICK, BABY FOOD","Meat stick, baby food"
+23000100,"LAMB, NS AS TO CUT, COOKED","Lamb, NS as to cut, cooked"
+23101000,"LAMB CHOP, COOKED, NS AS TO CUT & FAT","Lamb chop, NS as to cut, cooked, NS as to fat eaten"
+23101010,"LAMB CHOP, NS AS TO CUT, COOKED, LEAN & FAT","Lamb chop, NS as to cut, cooked, lean and fat eaten"
+23101020,"LAMB CHOP, NS AS TO CUT, COOKED, LEAN ONLY","Lamb chop, NS as to cut, cooked, lean only eaten"
+23104000,"LAMB, LOIN CHOP, COOKED, NS AS TO FAT","Lamb, loin chop, cooked, NS as to fat eaten"
+23104010,"LAMB, LOIN CHOP, COOKED, LEAN & FAT","Lamb, loin chop, cooked, lean and fat eaten"
+23104020,"LAMB, LOIN CHOP, COOKED, LEAN ONLY","Lamb, loin chop, cooked, lean only eaten"
+23107000,"LAMB, SHOULDER CHOP, COOKED, NS AS TO FAT","Lamb, shoulder chop, cooked, NS as to fat eaten"
+23107010,"LAMB, SHOULDER CHOP, COOKED, LEAN & FAT","Lamb, shoulder chop, cooked, lean and fat eaten"
+23107020,"LAMB, SHOULDER CHOP, COOKED, LEAN ONLY","Lamb, shoulder chop, cooked, lean only eaten"
+23110000,"LAMB, RIBS, COOKED, LEAN ONLY","Lamb, ribs, cooked, lean only eaten"
+23110010,"LAMB, RIBS, COOKED, NS AS TO FAT","Lamb, ribs, cooked, NS as to fat eaten"
+23110050,"LAMB, RIBS, COOKED, LEAN & FAT","Lamb, ribs, cooked, lean and fat eaten"
+23111010,"LAMB HOCKS, COOKED","Lamb hocks, cooked"
+23120100,"LAMB, ROAST, COOKED, NS AS TO FAT EATEN","Lamb, roast, cooked, NS as to fat eaten"
+23120110,"LAMB, ROAST, COOKED, LEAN & FAT EATEN","Lamb, roast, cooked, lean and fat eaten"
+23120120,"LAMB, ROAST, COOKED, LEAN ONLY EATEN","Lamb, roast, cooked, lean only eaten"
+23132000,"LAMB, GROUND OR PATTY, COOKED","Lamb, ground or patty, cooked"
+23150100,"GOAT, BOILED","Goat, boiled"
+23150200,"GOAT, FRIED","Goat, fried"
+23150250,"GOAT, BAKED","Goat, baked"
+23150270,"GOAT HEAD, COOKED","Goat head, cooked"
+23150300,"GOAT RIBS, COOKED","Goat ribs, cooked"
+23200100,"VEAL, COOKED, NS AS TO CUT & FAT","Veal, NS as to cut, cooked, NS as to fat eaten"
+23200110,"VEAL, NS AS TO CUT, COOKED, LEAN & FAT","Veal, NS as to cut, cooked, lean and fat eaten"
+23200120,"VEAL, NS AS TO CUT, COOKED, LEAN ONLY","Veal, NS as to cut, cooked, lean only eaten"
+23201010,"VEAL CHOP, NS AS TO COOKING METHOD, NS AS TO FAT","Veal chop, NS as to cooking method, NS as to fat eaten"
+23201020,"VEAL CHOP, NS AS TO COOKING METHOD, LEAN & FAT","Veal chop, NS as to cooking method, lean and fat eaten"
+23201030,"VEAL CHOP, NS AS TO COOKING METHOD, LEAN ONLY","Veal chop, NS as to cooking method, lean only eaten"
+23203010,"VEAL CHOP, FRIED, NS AS TO FAT","Veal chop, fried, NS as to fat eaten"
+23203020,"VEAL CHOP, FRIED, LEAN & FAT","Veal chop, fried, lean and fat eaten"
+23203030,"VEAL CHOP, FRIED, LEAN ONLY","Veal chop, fried, lean only eaten"
+23203100,"VEAL CHOP, BROILED, NS AS TO FAT","Veal chop, broiled, NS as to fat eaten"
+23203110,"VEAL CHOP, BROILED, LEAN & FAT","Veal chop, broiled, lean and fat eaten"
+23203120,"VEAL CHOP, BROILED, LEAN ONLY","Veal chop, broiled, lean only eaten"
+23204010,"VEAL CUTLET, NS AS TO COOKING METHOD, NS AS TO FAT","Veal cutlet or steak, NS as to cooking method, NS as to fat eaten"
+23204020,"VEAL CUTLET, NS AS TO COOKING METHOD, LEAN & FAT","Veal cutlet or steak, NS as to cooking method, lean and fat eaten"
+23204030,"VEAL CUTLET, NS AS TO COOKING METHOD, LEAN ONLY","Veal cutlet or steak, NS as to cooking method, lean only eaten"
+23204200,"VEAL CUTLET OR STEAK, BROILED, NS AS TO FAT","Veal cutlet or steak, broiled, NS as to fat eaten"
+23204210,"VEAL CUTLET OR STEAK, BROILED, LEAN & FAT","Veal cutlet or steak, broiled, lean and fat eaten"
+23204220,"VEAL CUTLET OR STEAK, BROILED, LEAN ONLY","Veal cutlet or steak, broiled, lean only eaten"
+23205010,"VEAL CUTLET OR STEAK, FRIED, NS AS TO FAT","Veal cutlet or steak, fried, NS as to fat eaten"
+23205020,"VEAL CUTLET OR STEAK, FRIED, LEAN & FAT","Veal cutlet or steak, fried, lean and fat eaten"
+23205030,"VEAL CUTLET OR STEAK, FRIED, LEAN ONLY","Veal cutlet or steak, fried, lean only eaten"
+23210010,"VEAL, ROASTED, NS AS TO FAT","Veal, roasted, NS as to fat eaten"
+23210020,"VEAL, ROASTED, LEAN & FAT","Veal, roasted, lean and fat eaten"
+23210030,"VEAL, ROASTED, LEAN ONLY","Veal, roasted, lean only eaten"
+23220010,"VEAL, GROUND OR PATTY, COOKED","Veal, ground or patty, cooked"
+23220020,"MOCK CHICKEN LEGS, COOKED","Mock chicken legs, cooked"
+23220030,"VEAL PATTY, BREADED, COOKED","Veal patty, breaded, cooked"
+23310000,"RABBIT, NS AS TO DOMESTIC OR WILD, COOKED","Rabbit, NS as to domestic or wild, cooked"
+23311100,"RABBIT, DOMESTIC, NS AS TO COOKING METHOD","Rabbit, domestic, NS as to cooking method"
+23311120,"RABBIT, NS AS TO DOMESTIC OR WILD, BREADED, FRIED","Rabbit, NS as to domestic or wild, breaded, fried"
+23311200,"RABBIT, WILD, COOKED","Rabbit, wild, cooked"
+23321000,"VENISON/DEER, NFS","Venison/deer, NFS"
+23321050,"VENISON/DEER, CURED","Venison/deer, cured"
+23321100,"VENISON/DEER, ROASTED (INCLUDE ROAST ANTELOPE)","Venison/deer, roasted"
+23321200,"VENISON/DEER STEAK, COOKED, NS AS TO METHOD","Venison/deer steak, cooked, NS as to cooking method"
+23321250,"VENISON/DEER STEAK, BREADED OR FLOURED, COOKED","Venison/deer steak, breaded or floured, cooked, NS as to cooking method"
+23321900,"VENISON/DEER JERKY","Venison/deer jerky"
+23322100,"DEER BOLOGNA","Deer bologna"
+23322300,"DEER CHOP, COOKED (INCLUDE VENISON CHOP)","Deer chop, cooked"
+23322350,"VENISON/DEER RIBS, COOKED","Venison/deer ribs, cooked"
+23322400,"VENISON/DEER, STEWED","Venison/deer, stewed"
+23323100,"MOOSE, COOKED","Moose, cooked"
+23323500,"BEAR, COOKED","Bear, cooked"
+23324100,"CARIBOU, COOKED","Caribou, cooked"
+23326100,"BISON, COOKED","Bison, cooked"
+23331100,"GROUND HOG, COOKED","Ground hog, cooked"
+23332100,"OPOSSUM, COOKED","Opossum, cooked"
+23333100,"SQUIRREL, COOKED","Squirrel, cooked"
+23334100,"BEAVER, COOKED","Beaver, cooked"
+23335100,"RACCOON, COOKED","Raccoon, cooked"
+23340100,"ARMADILLO, COOKED","Armadillo, cooked"
+23345100,"WILD PIG, SMOKED","Wild pig, smoked"
+23350100,"OSTRICH, COOKED","Ostrich, cooked"
+23410010,"LAMB, BABY, STRAINED","Lamb, baby food, strained"
+23420010,"VEAL, BABY, STRAINED","Veal, baby food, strained"
+24100000,"CHICKEN, NS AS TO PART, NS METHOD, SKIN","Chicken, NS as to part and cooking method, NS as to skin eaten"
+24100010,"CHICKEN, NS AS TO PART, NS METHOD, W/ SKIN","Chicken, NS as to part and cooking method, skin eaten"
+24100020,"CHICKEN, NS AS TO PART, NS METHOD, W/O SKIN","Chicken, NS as to part and cooking method, skin not eaten"
+24102000,"CHICKEN, NS PART, ROASTED/BROILED/BAKED, NS SKIN","Chicken, NS as to part, roasted, broiled, or baked, NS as to skin eaten"
+24102010,"CHICKEN, NS PART, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, NS as to part, roasted, broiled, or baked, skin eaten"
+24102020,"CHICKEN, NS PART, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, NS as to part, roasted, broiled, or baked, skin not eaten"
+24103000,"CHICKEN, STEWED, NS PART, NS SKIN","Chicken, NS as to part, stewed, NS as to skin eaten"
+24103010,"CHICKEN, STEWED, NS PART, W/ SKIN","Chicken, NS as to part, stewed, skin eaten"
+24103020,"CHICKEN, STEWED, NS PART, W/O SKIN","Chicken, NS as to part, stewed, skin not eaten"
+24104000,"CHICKEN, FRIED, NO COATING, NS PART, NS SKIN","Chicken, NS as to part, fried, no coating, NS as to skin eaten"
+24104010,"CHICKEN, FRIED, NO COATING, NS PART, W/ SKIN","Chicken, NS as to part, fried, no coating, skin eaten"
+24104020,"CHICKEN, FRIED, NO COATING, NS PART, W/O SKIN","Chicken, NS as to part, fried, no coating, skin not eaten"
+24107000,"CHICKEN, COATED, BKD/FRD, PPD W/ SKIN, NS SKIN EATEN","Chicken, NS as to part, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24107010,"CHICKEN, COATED, BKD/FRD, PPD W/ SKIN, SKIN EATEN","Chicken, NS as to part, coated, baked or fried, prepared with skin, skin/coating eaten"
+24107020,"CHICKEN, COATED, BKD/FRD, PPD W/ SKIN, SKIN NOT EATEN","Chicken, NS as to part, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24107040,"CHICKEN, NS PART,COATED,BKD/FRD,PREP SKINLESS,NS COAT EATEN","Chicken, NS as to part, coated, baked or fried, prepared skinless, NS as to coating eaten"
+24107050,"CHICKEN, NS PART,COATED,BKD/FRD,PREP SKINLESS,COATING EATEN","Chicken, NS as to part, coated, baked or fried, prepared skinless, coating eaten"
+24107060,"CHICKEN, NS PART,COATED,BKD/FRD,PREP SKINLESS,COAT NOT EATEN","Chicken, NS as to part, coated, baked or fried, prepared skinless, coating not eaten"
+24120100,"CHICKEN, BREAST, NFS","Chicken, breast, NS as to cooking method, NS as to skin eaten"
+24120110,"CHICKEN, BREAST, NS AS TO COOKING METHOD, W/SKIN","Chicken, breast, NS as to cooking method, skin eaten"
+24120120,"CHICKEN, BREAST, NS AS TO COOKING METHOD, W/O SKIN","Chicken, breast, NS as to cooking method, skin not eaten"
+24122100,"CHICKEN, BREAST, ROASTED/BROILED/BAKED, NS SKIN","Chicken, breast, roasted, broiled, or baked, NS as to skin eaten"
+24122110,"CHICKEN, BREAST, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, breast, roasted, broiled, or baked, skin eaten"
+24122120,"CHICKEN, BREAST, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, breast, roasted, broiled, or baked, skin not eaten"
+24123100,"CHICKEN, BREAST, STEWED, NS AS TO SKIN","Chicken, breast, stewed, NS as to skin eaten"
+24123110,"CHICKEN, BREAST, STEWED, W/ SKIN","Chicken, breast, stewed, skin eaten"
+24123120,"CHICKEN, BREAST, STEWED, W/O SKIN","Chicken, breast, stewed, skin not eaten"
+24124100,"CHICKEN, BREAST, FRIED, NO COATING, NS AS TO SKIN","Chicken, breast, fried, no coating, NS as to skin eaten"
+24124110,"CHICKEN, BREAST, FRIED, NO COATING, W/ SKIN","Chicken, breast, fried, no coating, skin eaten"
+24124120,"CHICKEN, BREAST, FRIED, NO COATING, W/O SKIN","Chicken, breast, fried, no coating, skin not eaten"
+24127100,"CHICKEN, BREAST,COATED,BKD/FRD,PPD W/ SKIN,NS SKIN EATEN","Chicken, breast, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24127110,"CHICKEN, BREAST,COATED,BKD/FRD,PPD W/ SKIN, SKIN EATEN","Chicken, breast, coated, baked or fried, prepared with skin, skin/coating eaten"
+24127120,"CHICKEN, BREAST,COATED,BKD/FRD,PPD W/ SKIN, SKIN NOT EATEN","Chicken, breast, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24127125,"CHIC, BREAST, FF, COATED/BAKED/FRIED, PREP SKIN,NS SKIN EATE","Chicken, breast, from fast food, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24127130,"CHIC, BREAST, FF, COATED, BAKED/FRIED, PREP SKIN,SKIN EATEN","Chicken, breast, from fast food, coated, baked or fried, prepared with skin, skin/coating eaten"
+24127135,"CHICK,BREAST,FF,COATED, BAKED/ FRIED,PREP SKIN,NO SKIN EATEN","Chicken, breast, from fast food, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24127140,"CHICKEN,BREAST,COATED,BKD/FRD,PPD SKINLESS,NS COAT EATEN","Chicken, breast, coated, baked or fried, prepared skinless, NS as to coating eaten"
+24127150,"CHICKEN,BREAST,COATED,BKD/FRD,PPD SKINLESS,COAT EATEN","Chicken, breast, coated, baked or fried, prepared skinless, coating eaten"
+24127160,"CHICKEN,BREAST,COATED,BKD/FRD,PPD SKINLESS,COAT NOT EATEN","Chicken, breast, coated, baked or fried, prepared skinless, coating not eaten"
+24130200,"CHICKEN, LEG, NFS","Chicken, leg (drumstick and thigh), NS as to cooking method, NS as to skin eaten"
+24130210,"CHICKEN, LEG, NS AS TO COOKING METHOD, W/ SKIN","Chicken, leg (drumstick and thigh), NS as to cooking method, skin eaten"
+24130220,"CHICKEN, LEG, NS AS TO COOKING METHOD, W/O SKIN","Chicken, leg (drumstick and thigh), NS as to cooking method, skin not eaten"
+24132200,"CHICKEN, LEG, ROASTED/BROILED/BAKED, NS SKIN","Chicken, leg (drumstick and thigh), roasted, broiled, or baked, NS as to skin eaten"
+24132210,"CHICKEN, LEG, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, leg (drumstick and thigh), roasted, broiled, or baked, skin eaten"
+24132220,"CHICKEN, LEG, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, leg (drumstick and thigh), roasted, broiled, or baked, skin not eaten"
+24133200,"CHICKEN, LEG, STEWED, NS AS TO SKIN","Chicken, leg (drumstick and thigh), stewed, NS as to skin eaten"
+24133210,"CHICKEN, LEG, STEWED, W/ SKIN","Chicken, leg (drumstick and thigh), stewed, skin eaten"
+24133220,"CHICKEN, LEG, STEWED, W/O SKIN","Chicken, leg (drumstick and thigh), stewed, skin not eaten"
+24134200,"CHICKEN, LEG, FRIED, NO COATING, NS AS TO SKIN","Chicken, leg (drumstick and thigh), fried, no coating, NS as to skin eaten"
+24134210,"CHICKEN, LEG, FRIED, NO COATING, W/ SKIN","Chicken, leg (drumstick and thigh), fried, no coating, skin eaten"
+24134220,"CHICKEN, LEG, FRIED, NO COATING, W/O SKIN","Chicken, leg (drumstick and thigh), fried, no coating, skin not eaten"
+24137200,"CHICKEN,LEG,COATED,BKD/FRD,PPD W/SKIN,NS SKIN EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24137210,"CHICKEN, LEG,COATED,BKD/FRD,PPD W/ SKIN, SKIN EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared with skin, skin/coating eaten"
+24137220,"CHICKEN, LEG,COATED,BKD/FRD,PPD W/ SKIN, SKIN NOT EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared with skin, skin/coating not eaten"
+24137240,"CHICKEN,LEG,COATED,BKD/FRD,PPD SKINLESS,NS COAT EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared skinless, NS as to coating eaten"
+24137250,"CHICKEN,LEG,COATED,BKD/FRD,PPD SKINLESS,COAT EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared skinless, coating eaten"
+24137260,"CHICKEN,LEG,COATED,BKD/FRD,PPD SKINLESS,COAT NOT EATEN","Chicken, leg (drumstick and thigh), coated, baked or fried, prepared skinless, coating not eaten"
+24140200,"CHICKEN, DRUMSTICK, NFS","Chicken, drumstick, NS as to cooking method, NS as to skin eaten"
+24140210,"CHICKEN, DRUMSTICK, NS AS TO COOKING METHOD,W/ SKIN","Chicken, drumstick, NS as to cooking method, skin eaten"
+24140220,"CHICKEN, DRUMSTICK, NS COOKING METHOD, W/O SKIN","Chicken, drumstick, NS as to cooking method, skin not eaten"
+24142200,"CHICKEN, DRUMSTICK, ROASTED/BROILED/BAKED, NS SKIN","Chicken, drumstick, roasted, broiled, or baked, NS as to skin eaten"
+24142210,"CHICKEN, DRUMSTICK, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, drumstick, roasted, broiled, or baked, skin eaten"
+24142220,"CHICKEN, DRUMSTICK, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, drumstick, roasted, broiled, or baked, skin not eaten"
+24143200,"CHICKEN, DRUMSTICK, STEWED, NS AS TO SKIN","Chicken, drumstick, stewed, NS as to skin eaten"
+24143210,"CHICKEN, DRUMSTICK, STEWED, W/ SKIN","Chicken, drumstick, stewed, skin eaten"
+24143220,"CHICKEN, DRUMSTICK, STEWED, W/O SKIN","Chicken, drumstick, stewed, skin not eaten"
+24144200,"CHICKEN, DRUMSTICK, FRIED, NO COATING,NS AS TO SKIN","Chicken, drumstick, fried, no coating, NS as to skin eaten"
+24144210,"CHICKEN, DRUMSTICK, FRIED, NO COATING, W/ SKIN","Chicken, drumstick, fried, no coating, skin eaten"
+24144220,"CHICKEN, DRUMSTICK, FRIED, NO COATING, W/O SKIN","Chicken, drumstick, fried, no coating, skin not eaten"
+24147200,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD W/SKIN,NS SKIN EAT","Chicken, drumstick, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24147210,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD W/SKIN, SKIN EAT","Chicken, drumstick, coated, baked or fried, prepared with skin, skin/coating eaten"
+24147220,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD W/SKIN, SKIN NOT EAT","Chicken, drumstick, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24147225,"CHICK,DRUMSTICK,FF,COATED,BAKED/FRIED,PREP SKIN,NS SKIN EAT","Chicken, drumstick, from fast food, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24147230,"CHIC, DRUMSTICK,FF,COATED, BAKED/FRIED,PREP SKIN,SKIN EATEN","Chicken, drumstick, from fast food, coated, baked or fried, prepared with skin, skin/coating eaten"
+24147235,"CHICK,DRUMSTICK,FF,COATED,BAKED/FRIED,PREP SKIN,SKIN NOT EAT","Chicken, drumstick, from fast food, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24147240,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD SKINLESS,NS COAT EAT","Chicken, drumstick, coated, baked or fried, prepared skinless, NS as to coating eaten"
+24147250,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD SKINLESS, COAT EAT","Chicken, drumstick, coated, baked or fried, prepared skinless, coating eaten"
+24147260,"CHICKEN,DRUMSTICK,COATED,BKD/FRD,PPD SKINLESS, COAT NOT EAT","Chicken, drumstick, coated, baked or fried, prepared skinless, coating not eaten"
+24150200,"CHICKEN, THIGH, NFS","Chicken, thigh, NS as to cooking method, NS as to skin eaten"
+24150210,"CHICKEN, THIGH, NS AS TO COOKING METHOD, W/ SKIN","Chicken, thigh, NS as to cooking method, skin eaten"
+24150220,"CHICKEN, THIGH, NS AS TO COOKING METHOD, W/O SKIN","Chicken, thigh, NS as to cooking method, skin not eaten"
+24152200,"CHICKEN, THIGH, ROASTED/BROILED/BAKED, NS SKIN","Chicken, thigh, roasted, broiled, or baked, NS as to skin eaten"
+24152210,"CHICKEN, THIGH, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, thigh, roasted, broiled, or baked, skin eaten"
+24152220,"CHICKEN, THIGH, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, thigh, roasted, broiled, or baked, skin not eaten"
+24153200,"CHICKEN, THIGH, STEWED, NS AS TO SKIN","Chicken, thigh, stewed, NS as to skin eaten"
+24153210,"CHICKEN, THIGH, STEWED, W/ SKIN","Chicken, thigh, stewed, skin eaten"
+24153220,"CHICKEN, THIGH, STEWED, W/O SKIN","Chicken, thigh, stewed, skin not eaten"
+24154200,"CHICKEN, THIGH, FRIED, NO COATING, NS AS TO SKIN","Chicken, thigh, fried, no coating, NS as to skin eaten"
+24154210,"CHICKEN, THIGH, FRIED, NO COATING, W/ SKIN","Chicken, thigh, fried, no coating, skin eaten"
+24154220,"CHICKEN, THIGH, FRIED, NO COATING, W/O SKIN","Chicken, thigh, fried, no coating, skin not eaten"
+24157200,"CHICKEN,THIGH,COATED,BKD/FRD,PPD W/SKIN,NS SKIN EATEN","Chicken, thigh, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24157210,"CHICKEN,THIGH,COATED,BKD/FRD,PPD W/SKIN, SKIN EATEN","Chicken, thigh, coated, baked or fried, prepared with skin, skin/coating eaten"
+24157220,"CHICKEN,THIGH,COATED,BKD/FRD,PPD W/SKIN, SKIN NOT EATEN","Chicken, thigh, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24157225,"CHIC, THIGH, FF, COATED, BAKED/ FRIED, PREP SKIN,NS SKIN EAT","Chicken, thigh, from fast food, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24157230,"CHICK, THIGH, FF, COATED, BAKED OR FRIED, PREP SKIN,SKIN EAT","Chicken, thigh, from fast food, coated, baked or fried, prepared with skin, skin/coating eaten"
+24157235,"CHICK,THIGH,FF,COATED,BAKED/BROILED,PREP SKIN,SKIN NOT EATEN","Chicken, thigh, from fast food, coated, baked or broiled, prepared with skin, skin/coating not eaten"
+24157240,"CHICKEN,THIGH,COATED,BKD/FRD,PPD SKINLESS,NS COAT EATEN","Chicken, thigh, coated, baked or fried, prepared skinless, NS as to coating eaten"
+24157250,"CHICKEN,THIGH,COATED,BKD/FRD,PPD SKINLESS, COAT EATEN","Chicken, thigh, coated, baked or fried, prepared skinless, coating eaten"
+24157260,"CHICKEN,THIGH,COATED,BKD/FRD,PPD SKINLESS, COAT NOT EATEN","Chicken, thigh, coated, baked or fried, prepared skinless, coating not eaten"
+24160100,"CHICKEN, WING, NFS","Chicken, wing, NS as to cooking method, NS as to skin eaten"
+24160110,"CHICKEN, WING, NS AS TO COOKING METHOD, W/ SKIN","Chicken, wing, NS as to cooking method, skin eaten"
+24160120,"CHICKEN, WING, NS AS TO COOKING METHOD, W/O SKIN","Chicken, wing, NS as to cooking method, skin not eaten"
+24162100,"CHICKEN, WING, ROASTED/BROILED/BAKED, NS SKIN","Chicken, wing, roasted, broiled, or baked, NS as to skin eaten"
+24162110,"CHICKEN, WING, ROASTED/BROILED/BAKED, W/ SKIN","Chicken, wing, roasted, broiled, or baked, skin eaten"
+24162120,"CHICKEN, WING, ROASTED/BROILED/BAKED, W/O SKIN","Chicken, wing, roasted, broiled, or baked, skin not eaten"
+24163100,"CHICKEN, WING, STEWED, NS AS TO SKIN","Chicken, wing, stewed, NS as to skin eaten"
+24163110,"CHICKEN, WING, STEWED, W/ SKIN","Chicken, wing, stewed, skin eaten"
+24163120,"CHICKEN, WING, STEWED, W/O SKIN","Chicken, wing, stewed, skin not eaten"
+24164100,"CHICKEN, WING, FRIED, NO COATING, NS AS TO SKIN","Chicken, wing, fried, no coating, NS as to skin eaten"
+24164110,"CHICKEN, WING, FRIED, NO COATING, W/ SKIN","Chicken, wing, fried, no coating, skin eaten"
+24164120,"CHICKEN, WING, FRIED, NO COATING, W/O SKIN","Chicken, wing, fried, no coating, skin not eaten"
+24167100,"CHICKEN,WING,COATED,BKD/FRD,PPD W/SKIN,NS SKIN EATEN","Chicken, wing, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24167110,"CHICKEN,WING,COATED,BKD/FRD,PPD W/SKIN, SKIN EATEN","Chicken, wing, coated, baked or fried, prepared with skin, skin/coating eaten"
+24167120,"CHICKEN,WING,COATED,BKD/FRD,PPD W/SKIN, SKIN NOT EATEN","Chicken, wing, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24167125,"CHIC, WING, FF, COATED, BAKED/FRIED, PREP SKIN,NS SKIN EATEN","Chicken, wing, from fast food, coated, baked or fried, prepared with skin, NS as to skin/coating eaten"
+24167130,"CHIC, WING, FF, COATED, BAKED/FRIED, PREP SKIN, SKIN EATEN","Chicken, wing, from fast food, coated, baked or fried, prepared with skin, skin/coating eaten"
+24167135,"CHIC, WING, FF, COATED,BAKED/FRIED, PREP SKIN, SKIN NO EATEN","Chicken, wing, from fast food, coated, baked or fried, prepared with skin, skin/coating not eaten"
+24170200,"CHICKEN, BACK","Chicken, back"
+24180200,"CHICKEN, NECK OR RIBS, NFS","Chicken, neck or ribs"
+24198340,"CHICKEN TAIL","Chicken, tail"
+24198440,"CHICKEN SKIN","Chicken skin"
+24198500,"CHICKEN FEET","Chicken feet"
+24198570,"CHICKEN, CANNED, MEAT ONLY, LIGHT & DARK MEAT","Chicken, canned, meat only"
+24198670,"CHICKEN ROLL, ROASTED, LIGHT & DARK MEAT","Chicken, chicken roll, roasted"
+24198690,"CHICKEN PATTY, FILLET, OR TENDERS, BREADED, COOKED, FAST FD","Chicken patty, fillet, or tenders, breaded, cooked, from fast food / restaurant"
+24198700,"CHICKEN PATTY/FILLET/TENDERS, BREADED, COOKED","Chicken patty, fillet, or tenders, breaded, cooked"
+24198710,"CHICKEN PATTY W/ CHEESE, BREADED, COOKED","Chicken patty with cheese, breaded, cooked"
+24198720,"CHICKEN, GROUND","Chicken, ground"
+24198730,"CHICKEN NUGGETS, FROM FAST FOOD / RESTAURANT","Chicken nuggets, from fast food / restaurant"
+24198740,"CHICKEN NUGGETS","Chicken nuggets"
+24198840,"FRIED CHICKEN CHUNKS, P. R. (CHICHARRONES DE POLLO)","Fried chicken chunks, Puerto Rican style (Chicharrones de pollo)"
+24201000,"TURKEY, NFS","Turkey, NFS"
+24201010,"TURKEY, LIGHT MEAT, COOKED, NS AS TO SKIN","Turkey, light meat, cooked, NS as to skin eaten"
+24201020,"TURKEY, LIGHT MEAT, COOKED, W/O SKIN","Turkey, light meat, cooked, skin not eaten"
+24201030,"TURKEY, LIGHT MEAT, COOKED, W/ SKIN","Turkey, light meat, cooked, skin eaten"
+24201050,"TURKEY, LIGHT, BREADED, BAKED/FRIED, NS AS TO SKIN","Turkey, light meat, breaded, baked or fried, NS as to skin eaten"
+24201060,"TURKEY, LIGHT MEAT, BREADED, BAKED/FRIED, W/O SKIN","Turkey, light meat, breaded, baked or fried, skin not eaten"
+24201070,"TURKEY, LIGHT MEAT, BREADED, BAKED/FRIED, W/ SKIN","Turkey, light meat, breaded, baked or fried, skin eaten"
+24201110,"TURKEY, LIGHT MEAT, ROASTED, NS AS TO SKIN","Turkey, light meat, roasted, NS as to skin eaten"
+24201120,"TURKEY, LIGHT MEAT, ROASTED, W/O SKIN","Turkey, light meat, roasted, skin not eaten"
+24201130,"TURKEY, LIGHT MEAT, ROASTED, W/ SKIN","Turkey, light meat, roasted, skin eaten"
+24201210,"TURKEY, DARK MEAT, ROASTED, NS AS TO SKIN","Turkey, dark meat, roasted, NS as to skin eaten"
+24201220,"TURKEY, DARK MEAT, ROASTED, W/O SKIN","Turkey, dark meat, roasted, skin not eaten"
+24201230,"TURKEY, DARK MEAT, ROASTED, W/ SKIN","Turkey, dark meat, roasted, skin eaten"
+24201310,"TURKEY, LIGHT & DARK MEAT, ROASTED, NS AS TO SKIN","Turkey, light and dark meat, roasted, NS as to skin eaten"
+24201320,"TURKEY, LIGHT & DARK MEAT, ROASTED, W/O SKIN","Turkey, light and dark meat, roasted, skin not eaten"
+24201330,"TURKEY, LIGHT & DARK MEAT, ROASTED, W/ SKIN","Turkey, light and dark meat, roasted, skin eaten"
+24201350,"TURKEY, LT/DK MEAT, BATTERED, FRIED, NS AS TO SKIN","Turkey, light or dark meat, battered, fried, NS as to skin eaten"
+24201360,"TURKEY, LIGHT/DARK MEAT, BATTERED, FRIED, W/O SKIN","Turkey, light or dark meat, battered, fried, skin not eaten"
+24201370,"TURKEY, LIGHT/DARK MEAT, BATTERED, FRIED, W/ SKIN","Turkey, light or dark meat, battered, fried, skin eaten"
+24201400,"TURKEY, LIGHT/DARK MEAT, STEWED, NS AS TO SKIN","Turkey, light or dark meat, stewed, NS as to skin eaten"
+24201410,"TURKEY, LIGHT/DARK MEAT, STEWED, W/O SKIN","Turkey, light or dark meat, stewed, skin not eaten"
+24201420,"TURKEY, LIGHT/DARK MEAT, STEWED, W/ SKIN","Turkey light or dark meat, stewed, skin eaten"
+24201500,"TURKEY, SMOKED, NS AS TO SKIN","Turkey, light or dark meat, smoked, cooked, NS as to skin eaten"
+24201510,"TURKEY, SMOKED, SKIN EATEN","Turkey, light or dark meat, smoked, cooked, skin eaten"
+24201520,"TURKEY, SMOKED, SKIN NOT EATEN","Turkey, light or dark meat, smoked, cooked, skin not eaten"
+24202000,"TURKEY, DRUMSTICK, COOKED, NS AS TO SKIN","Turkey, drumstick, cooked, NS as to skin eaten"
+24202010,"TURKEY, DRUMSTICK, COOKED, W/O SKIN","Turkey, drumstick, cooked, skin not eaten"
+24202020,"TURKEY, DRUMSTICK, COOKED, W/ SKIN","Turkey, drumstick, cooked, skin eaten"
+24202050,"TURKEY, DRUMSTICK, ROASTED, NS AS TO SKIN","Turkey, drumstick, roasted, NS as to skin eaten"
+24202060,"TURKEY, DRUMSTICK, ROASTED, W/O SKIN","Turkey, drumstick, roasted, skin not eaten"
+24202070,"TURKEY, DRUMSTICK, ROASTED, W/ SKIN","Turkey, drumstick, roasted, skin eaten"
+24202120,"TURKEY, DRUMSTICK, SMOKED, SKIN EATEN","Turkey, drumstick, smoked, cooked, skin eaten"
+24202450,"TURKEY, THIGH, COOKED, NS AS TO SKIN","Turkey, thigh, cooked, NS as to skin eaten"
+24202460,"TURKEY, THIGH, COOKED, W/ SKIN","Turkey, thigh, cooked, skin eaten"
+24202500,"TURKEY, THIGH, COOKED, W/O SKIN","Turkey, thigh, cooked, skin not eaten"
+24202600,"TURKEY, NECK, COOKED","Turkey, neck, cooked"
+24203000,"TURKEY, WING, COOKED, NS AS TO SKIN","Turkey, wing, cooked, NS as to skin eaten"
+24203010,"TURKEY, WING, COOKED, W/O SKIN","Turkey, wing, cooked, skin not eaten"
+24203020,"TURKEY, WING, COOKED, W/ SKIN","Turkey, wing, cooked, skin eaten"
+24203120,"TURKEY, WING, SMOKED, COOKED, SKIN EATEN","Turkey, wing, smoked, cooked, skin eaten"
+24204000,"TURKEY, ROLLED ROAST, LIGHT OR DARK MEAT, COOKED","Turkey, rolled roast, light or dark meat, cooked"
+24205000,"TURKEY, TAIL, COOKED","Turkey, tail, cooked"
+24205100,"TURKEY, BACK, COOKED","Turkey, back, cooked"
+24206000,"TURKEY, CANNED","Turkey, canned"
+24207000,"TURKEY, GROUND","Turkey, ground"
+24208000,"TURKEY NUGGETS","Turkey, nuggets"
+24208500,"TURKEY BACON, COOKED","Turkey bacon, cooked"
+24300100,"DUCK, COOKED, NS AS TO SKIN","Duck, cooked, NS as to skin eaten"
+24300110,"DUCK, COOKED, W/ SKIN","Duck, cooked, skin eaten"
+24300120,"DUCK, COOKED, W/O SKIN","Duck, cooked, skin not eaten"
+24301000,"DUCK, ROASTED, NS AS TO SKIN","Duck, roasted, NS as to skin eaten"
+24301010,"DUCK, ROASTED, W/ SKIN","Duck, roasted, skin eaten"
+24301020,"DUCK, ROASTED, W/O SKIN","Duck, roasted, skin not eaten"
+24301210,"DUCK, BATTERED, FRIED","Duck, battered, fried"
+24302010,"DUCK, PRESSED, CHINESE","Duck, pressed, Chinese"
+24311010,"GOOSE, WILD, ROASTED","Goose, wild, roasted"
+24400000,"CORNISH GAME HEN, COOKED, NS AS TO SKIN","Cornish game hen, cooked, NS as to skin eaten"
+24400010,"CORNISH GAME HEN, COOKED, W/ SKIN","Cornish game hen, cooked, skin eaten"
+24400020,"CORNISH GAME HEN, COOKED, W/O SKIN","Cornish game hen, cooked, skin not eaten"
+24401000,"CORNISH GAME HEN, ROASTED, NS AS TO SKIN","Cornish game hen, roasted, NS as to skin eaten"
+24401010,"CORNISH GAME HEN, ROASTED, W/ SKIN","Cornish game hen, roasted, skin eaten"
+24401020,"CORNISH GAME HEN, ROASTED, W/O SKIN","Cornish game hen, roasted, skin not eaten"
+24402100,"DOVE, COOKED, NS AS TO COOKING METHOD","Dove, cooked, NS as to cooking method"
+24402110,"DOVE, FRIED","Dove, fried"
+24403100,"QUAIL, COOKED","Quail, cooked"
+24404100,"PHEASANT, COOKED","Pheasant, cooked"
+24701000,"CHICKEN, BABY, NS AS TO STRAINED OR JUNIOR","Chicken, baby food, NS as to strained or junior"
+24701010,"CHICKEN, BABY, STRAINED","Chicken, baby food, strained"
+24701020,"CHICKEN, BABY, JUNIOR","Chicken, baby food, junior"
+24703000,"TURKEY, BABY, NS AS TO STRAINED OR JUNIOR","Turkey, baby food, NS as to strained or junior"
+24703010,"TURKEY, BABY, STRAINED","Turkey, baby food, strained"
+24703020,"TURKEY, BABY, JUNIOR","Turkey, baby food, junior"
+24705010,"CHICKEN STICK, BABY FOOD","Chicken stick, baby food"
+24706010,"TURKEY STICK, BABY FOOD","Turkey stick, baby food"
+25110120,"BEEF LIVER, BRAISED","Beef liver, braised"
+25110140,"BEEF LIVER, FRIED","Beef liver, fried"
+25110420,"CHICKEN LIVER, BRAISED","Chicken liver, braised"
+25110450,"CHICKEN LIVER, FRIED","Chicken liver, fried"
+25112200,"LIVER PASTE OR PATE, CHICKEN (INCLUDE PATE, NFS)","Liver paste or pate, chicken"
+25120000,"HEART, COOKED","Heart, cooked"
+25130000,"KIDNEY, COOKED","Kidney, cooked"
+25140110,"SWEETBREADS, COOKED","Sweetbreads, cooked"
+25150000,"BRAINS, COOKED","Brains, cooked"
+25160000,"TONGUE, COOKED","Tongue, cooked"
+25160110,"TONGUE, SMOKED,CURED OR PICKLED, COOKED","Tongue, smoked, cured, or pickled, cooked"
+25160130,"TONGUE POT ROAST, P.R. (LENGUA AL CALDERO)","Tongue pot roast, Puerto Rican style (Lengua al caldero)"
+25170110,"TRIPE, COOKED","Tripe, cooked"
+25170210,"CHITTERLINGS, COOKED","Chitterlings, cooked"
+25170310,"HOG MAWS (STOMACH) COOKED","Hog maws (stomach), cooked"
+25170420,"GIZZARD, COOKED","Gizzard, cooked"
+25210110,"FRANKFURTER, WIENER OR HOT DOG, NFS","Frankfurter, wiener, or hot dog, NFS"
+25210150,"FRANKFURTER OR HOT DOG, CHEESE-FILLED","Frankfurter or hot dog, cheese-filled"
+25210210,"FRANKFURTER OR HOT DOG, BEEF","Frankfurter or hot dog, beef"
+25210220,"FRANKFURTER OR HOT DOG, BEEF & PORK","Frankfurter or hot dog, beef and pork"
+25210240,"FRANFURTER/HOT DOG, BEEF & PORK, LIGHT","Frankfurter or hot dog, beef and pork, reduced fat or light"
+25210250,"FRANKFURTER OR HOT DOG, MEAT & POULTRY, FAT FREE","Frankfurter or hot dog, meat and poultry, fat free"
+25210280,"FRANKFURTER OR HOT DOG, MEAT & POULTRY","Frankfurter or hot dog, meat and poultry"
+25210290,"FRANKFURTER OR HOT DOG, MEAT & POULTRY, LIGHT","Frankfurter or hot dog, meat and poultry, reduced fat or light"
+25210310,"FRANKFURTER OR HOT DOG, CHICKEN","Frankfurter or hot dog, chicken"
+25210410,"FRANKFURTER OR HOT DOG, TURKEY","Frankfurter or hot dog, turkey"
+25210620,"FRANKFURTER OR HOT DOG, BEEF, REDUCED FAT OR LIGHT","Frankfurter or hot dog, beef, reduced fat or light"
+25210750,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, NFS","Frankfurter or hot dog, reduced fat or light, NFS"
+25220010,"COLD CUT, NFS","Cold cut, NFS"
+25220105,"BEEF SAUSAGE","Beef sausage"
+25220106,"BEEF SAUSAGE, REDUCED FAT","Beef sausage, reduced fat"
+25220150,"BEEF SAUSAGE WITH CHEESE","Beef sausage with cheese"
+25220210,"BLOOD SAUSAGE","Blood sausage"
+25220350,"BRATWURST","Bratwurst"
+25220360,"BRATWURST W/ CHEESE","Bratwurst, with cheese"
+25220390,"BOLOGNA, BEEF, LOW FAT","Bologna, beef, lowfat"
+25220400,"BOLOGNA, PORK AND BEEF","Bologna, pork and beef"
+25220410,"BOLOGNA, NFS","Bologna, NFS"
+25220420,"BOLOGNA, LEBANON","Bologna, Lebanon"
+25220430,"BOLOGNA, BEEF","Bologna, beef"
+25220440,"BOLOGNA, TURKEY","Bologna, turkey"
+25220450,"BOLOGNA RING, SMOKED","Bologna ring, smoked"
+25220460,"BOLOGNA, PORK","Bologna, pork"
+25220470,"BOLOGNA, BEEF, LOWER SODIUM","Bologna, beef, lower sodium"
+25220480,"BOLOGNA, CHICKEN, BEEF, & PORK","Bologna, chicken, beef, and pork"
+25220490,"BOLOGNA, W/ CHEESE","Bologna, with cheese"
+25220500,"BOLOGNA, BEEF & PORK, LOWFAT","Bologna, beef and pork, lowfat"
+25220510,"CAPICOLA","Capicola"
+25220650,"TURKEY OR CHICKEN AND BEEF SAUSAGE","Turkey or chicken and beef sausage"
+25220710,"CHORIZO","Chorizo"
+25220910,"HEAD CHEESE","Head cheese"
+25221110,"KNOCKWURST","Knockwurst"
+25221210,"MORTADELLA","Mortadella"
+25221250,"PEPPERONI","Pepperoni"
+25221310,"POLISH SAUSAGE","Polish sausage"
+25221350,"ITALIAN SAUSAGE","Italian sausage"
+25221400,"SAUSAGE (NOT COLD CUT), NFS","Sausage (not cold cut), NFS"
+25221405,"PORK SAUSAGE","Pork sausage"
+25221406,"PORK SAUSAGE, REDUCED FAT","Pork sausage, reduced fat"
+25221450,"PORK SAUSAGE RICE LINKS","Pork sausage rice links"
+25221460,"PORK & BEEF SAUSAGE","Pork and beef sausage"
+25221500,"SALAMI, NFS","Salami, NFS"
+25221510,"SALAMI, SOFT, COOKED","Salami, soft, cooked"
+25221520,"SALAMI, DRY OR HARD","Salami, dry or hard"
+25221530,"SALAMI, BEEF","Salami, beef"
+25221610,"SCRAPPLE, COOKED","Scrapple, cooked"
+25221710,"SOUSE","Souse"
+25221810,"THURINGER (INCLUDE SUMMER SAUSAGE)","Thuringer"
+25221830,"TURKEY OR CHICKEN SAUSAGE","Turkey or chicken sausage"
+25221860,"TURKEY OR CHICKEN SAUSAGE, REDUCED FAT","Turkey or chicken sausage, reduced fat"
+25221870,"TURKEY AND PORK SAUSAGE","Turkey or chicken and pork sausage"
+25221880,"TURKEY OR CHICKEN, PORK, AND BEEF SAUSAGE, REDUCED FAT","Turkey or chicken, pork, and beef sausage, reduced fat"
+25221910,"VIENNA SAUSAGE, CANNED","Vienna sausage, canned"
+25221950,"PICKLED SAUSAGE","Pickled sausage"
+25230110,"LUNCHEON MEAT, NFS","Luncheon meat, NFS"
+25230210,"HAM, SLICED, PREPACKAGED OR DELI, LUNCHEON MEAT","Ham, sliced, prepackaged or deli, luncheon meat"
+25230220,"HAM, SLICED, LOW SALT, PREPACKAGED/DELI, LUNCH MEAT","Ham, sliced, low salt, prepackaged or deli, luncheon meat"
+25230230,"HAM, SLICED, EXTRA LEAN, PREPACKAGED/DELI","Ham, sliced, extra lean, prepackaged or deli, luncheon meat"
+25230235,"HAM, SLICED, EXTRA LEAN, LOWER SODIUM, PREPACKAGED OR DELI","Ham, sliced, extra lean, lower sodium, prepackaged or deli, luncheon meat"
+25230310,"CHICKEN/TURKEY LOAF, PREPACK/DELI, LUNCHEON MEAT","Chicken or turkey loaf, prepackaged or deli, luncheon meat"
+25230410,"HAM LOAF, LUNCHEON MEAT","Ham loaf, luncheon meat"
+25230430,"HAM & CHEESE LOAF","Ham and cheese loaf"
+25230450,"HONEY LOAF","Honey loaf"
+25230510,"HAM,LUNCH MEAT,CHOP,MINCED,PRESSD,MINCED,NOT CANNED","Ham, luncheon meat, chopped, minced, pressed, spiced, not canned"
+25230520,"HAM, LUNCHEON MEAT, CHOPPED, SPICED,LOWFAT, NOT CAN","Ham, luncheon meat, chopped, minced, pressed, spiced, lowfat, not canned"
+25230530,"HAM/PORK , LUNCHEON MEAT, CHOPPED, CAN (INCL SPAM)","Ham and pork, luncheon meat, chopped, minced, pressed, spiced, canned"
+25230540,"HAM, PORK & CHICKEN, LUNCHEON MEAT, CHOPPED, CANNED","Ham, pork and chicken, luncheon meat, chopped, minced, pressed, spiced, canned"
+25230550,"HAM, PORK & CHICKEN, LUNCHEON MEAT, CHOPPED, CAN, RED SODIUM","Ham, pork, and chicken, luncheon meat, chopped, minced, pressed, spiced, canned, reduced sodium"
+25230560,"LIVERWURST","Liverwurst"
+25230610,"LUNCHEON LOAF (OLIVE, PICKLE OR PIMIENTO)","Luncheon loaf (olive, pickle, or pimiento)"
+25230710,"SANDWICH LOAF, LUNCHEON MEAT","Sandwich loaf, luncheon meat"
+25230790,"TURKEY HAM, SLICED, XTRA LEAN, PKG'D, DELI","Turkey ham, sliced, extra lean, prepackaged or deli, luncheon meat"
+25230800,"TURKEY HAM","Turkey ham"
+25230810,"VEAL LOAF","Veal loaf"
+25230820,"TURKEY PASTRAMI","Turkey pastrami"
+25230840,"TURKEY SALAMI","Turkey salami"
+25230900,"TURKEY OR CHICKEN BREAST, PKG'D/DELI, LUNCHEON MEAT","Turkey or chicken breast, prepackaged or deli, luncheon meat"
+25230905,"TURKEY/CHICKEN BREAST, LOW SALT, PREPACK/DELI, LUNCHEON MEAT","Turkey or chicken breast, low salt, prepackaged or deli, luncheon meat"
+25231110,"BEEF, SLICED, PREPACKAGED/DELI, LUNCHEON MEAT","Beef, sliced, prepackaged or deli, luncheon meat"
+25231150,"CORNED BEEF, PRESSED","Corned beef, pressed"
+25240000,"MEAT SPREAD OR POTTED MEAT, NFS","Meat spread or potted meat, NFS"
+25240110,"CHICKEN SALAD SPREAD","Chicken salad spread"
+25240210,"HAM, DEVILED OR POTTED","Ham, deviled or potted"
+25240220,"HAM SALAD SPREAD","Ham salad spread"
+25240310,"ROAST BEEF SPREAD","Roast beef spread"
+25240320,"CORNED BEEF SPREAD","Corned beef spread"
+26100100,"FISH, NS AS TO TYPE, RAW","Fish, NS as to type, raw"
+26100110,"FISH, COOKED, NS AS TO TYPE & COOKING METHOD","Fish, NS as to type, cooked, NS as to cooking method"
+26100120,"FISH, NS AS TO TYPE, BAKED OR BROILED, MADE WITH OIL","Fish, NS as to type, baked or broiled, made with oil"
+26100121,"FISH, NS AS TO TYPE, BAKED OR BROILED, MADE WITH BUTTER","Fish, NS as to type, baked or broiled, made with butter"
+26100122,"FISH, NS AS TO TYPE, BAKED OR BROILED, MADE WITH MARGARINE","Fish, NS as to type, baked or broiled, made with margarine"
+26100123,"FISH, NS AS TO TYPE, BAKED OR BROILED, MADE WITHOUT FAT","Fish, NS as to type, baked or broiled, made without fat"
+26100124,"FISH, NS AS TO TYPE, BAKED OR BROILED, MADE W/COOKING SPRAY","Fish, NS as to type, baked or broiled, made with cooking spray"
+26100130,"FISH, NS AS TO TYPE, COATED, BAKED, MADE WITH OIL","Fish, NS as to type, coated, baked or broiled, made with oil"
+26100131,"FISH, NS AS TO TYPE, COATED, BAKED OR BROILED,W/ BUTTER","Fish, NS as to type, coated, baked or broiled, made with butter"
+26100132,"FISH, NS AS TO TYPE, COATED, BAKED OR BROILED, W/MARGARINE","Fish, NS as to type, coated, baked or broiled, made with margarine"
+26100133,"FISH, NS AS TO TYPE, COATED, BAKED OR BROILED, W/OUT FAT","Fish, NS as to type, coated, baked or broiled, made without fat"
+26100134,"FISH, NS AS TO TYPE, COATED, BAKED/ BROILED, W/COOKING SPRAY","Fish, NS as to type, coated, baked or broiled, made with cooking spray"
+26100140,"FISH, NS AS TO TYPE, COATED, FRIED, MADE WITH OIL","Fish, NS as to type, coated, fried, made with oil"
+26100141,"FISH, NS AS TO TYPE, COATED, FRIED, MADE WITH BUTTER","Fish, NS as to type, coated, fried, made with butter"
+26100142,"FISH, NS AS TO TYPE, COATED, FRIED, MADE WITH MARGARINE","Fish, NS as to type, coated, fried, made with margarine"
+26100143,"FISH, NS AS TO TYPE, COATED, FRIED, MADE WITHOUT FAT","Fish, NS as to type, coated, fried, made without fat"
+26100144,"FISH, NS AS TO TYPE, COATED, MADE WITH COOKING SPRAY","Fish, NS as to type, coated, fried, made with cooking spray"
+26100160,"FISH, NS AS TO TYPE, STEAMED","Fish, NS as to type, steamed"
+26100170,"FISH, NS AS TO TYPE, DRIED","Fish, NS as to type, dried"
+26100180,"FISH, NS AS TO TYPE, CANNED","Fish, NS as to type, canned"
+26100190,"FISH, NS AS TO TYPE, SMOKED","Fish, NS as to type, smoked"
+26100200,"FISH, NS AS TO TYPE, FROM FAST FOOD","Fish, NS as to type, from fast food"
+26100260,"FISH STICK, PATTY OR NUGGET FROM FAST FOOD","Fish stick, patty or nugget from fast food"
+26100270,"FISH STICK, PATTY OR NUGGET FROM RESTAURANT, HOME, OR OTHER","Fish stick, patty or nugget from restaurant, home, or other place"
+26101110,"ANCHOVY, COOKED, NS AS TO COOKING METHOD","Anchovy, cooked, NS as to cooking method"
+26101180,"ANCHOVY, CANNED","Anchovy, canned"
+26103110,"BARRACUDA, COOKED, NS AS TO COOKING METHOD","Barracuda, cooked, NS as to cooking method"
+26103120,"BARRACUDA, BAKED OR BROILED, FAT ADDED IN COOKING","Barracuda, baked or broiled, fat added in cooking"
+26103121,"BARRACUDA, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Barracuda, baked or broiled, fat not added in cooking"
+26103130,"BARRACUDA, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Barracuda, coated, baked or broiled, fat added in cooking"
+26103131,"BARRACUDA, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKIN","Barracuda, coated, baked or broiled, fat not added in cooking"
+26103140,"BARRACUDA, COATED, FRIED","Barracuda, coated, fried"
+26103160,"BARRACUDA, STEAMED OR POACHED","Barracuda, steamed or poached"
+26105110,"CARP, COOKED, NS AS TO COOKING METHOD","Carp, cooked, NS as to cooking method"
+26105120,"CARP, BAKED OR BROILED, FAT ADDED IN COOKING","Carp, baked or broiled, fat added in cooking"
+26105121,"CARP, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Carp, baked or broiled, fat not added in cooking"
+26105130,"CARP, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Carp, coated, baked or broiled, fat added in cooking"
+26105131,"CARP, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Carp, coated, baked or broiled, fat not added in cooking"
+26105140,"CARP, COATED, FRIED","Carp, coated, fried"
+26105160,"CARP, STEAMED OR POACHED","Carp, steamed or poached"
+26105190,"CARP, SMOKED","Carp, smoked"
+26107110,"CATFISH, COOKED, NS AS TO COOKING METHOD","Catfish, cooked, NS as to cooking method"
+26107120,"CATFISH, BAKED OR BROILED, MADE WITH OIL","Catfish, baked or broiled, made with oil"
+26107121,"CATFISH, BAKED OR BROILED, MADE WITH BUTTER","Catfish, baked or broiled, made with butter"
+26107122,"CATFISH, BAKED OR BROILED, MADE WITH MARGARINE","Catfish, baked or broiled, made with margarine"
+26107123,"CATFISH, BAKED OR BROILED, MADE WITHOUT FAT","Catfish, baked or broiled, made without fat"
+26107124,"CATFISH, BAKED OR BROILED, MADE WITH COOKING SPRAY","Catfish, baked or broiled, made with cooking spray"
+26107130,"CATFISH, COATED, BAKED OR BROILED, MADE WITH OIL","Catfish, coated, baked or broiled, made with oil"
+26107131,"CATFISH, COATED, BAKED OR BROILED, MADE WITH BUTTER","Catfish, coated, baked or broiled, made with butter"
+26107132,"CATFISH, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Catfish, coated, baked or broiled, made with margarine"
+26107133,"CATFISH, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Catfish, coated, baked or broiled, made without fat"
+26107134,"CATFISH, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Catfish, coated, baked or broiled, made with cooking spray"
+26107140,"CATFISH, COATED, FRIED, MADE WITH OIL","Catfish, coated, fried, made with oil"
+26107141,"CATFISH, COATED, FRIED, MADE WITH BUTTER","Catfish, coated, fried, made with butter"
+26107142,"CATFISH, COATED, FRIED, MADE WITH MARGARINE","Catfish, coated, fried, made with margarine"
+26107143,"CATFISH, COATED, FRIED, MADE WITHOUT FAT","Catfish, coated, fried, made without fat"
+26107144,"CATFISH, COATED, FRIED, MADE WITH COOKING SPRAY","Catfish, coated, fried, made with cooking spray"
+26107160,"CATFISH, STEAMED OR POACHED","Catfish, steamed or poached"
+26109110,"COD, COOKED, NS AS TO COOKING METHOD","Cod, cooked, NS as to cooking method"
+26109120,"COD, BAKED OR BROILED, MADE WITH OIL","Cod, baked or broiled, made with oil"
+26109121,"COD, BAKED OR BROILED, MADE WITH BUTTER","Cod, baked or broiled, made with butter"
+26109122,"COD, BAKED OR BROILED, MADE WITH MARGARINE","Cod, baked or broiled, made with margarine"
+26109123,"COD, BAKED OR BROILED, MADE WITHOUT FAT","Cod, baked or broiled, made without fat"
+26109124,"COD, BAKED OR BROILED, MADE WITH COOKING SPRAY","Cod, baked or broiled, made with cooking spray"
+26109130,"COD, COATED, BAKED OR BROILED, MADE WITH OIL","Cod, coated, baked or broiled, made with oil"
+26109131,"COD, COATED, BAKED OR BROILED, MADE WITH BUTTER","Cod, coated, baked or broiled, made with butter"
+26109132,"COD, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Cod, coated, baked or broiled, made with margarine"
+26109133,"COD, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Cod, coated, baked or broiled, made without fat"
+26109134,"COD, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Cod, coated, baked or broiled, made with cooking spray"
+26109140,"COD, COATED, FRIED, MADE WITH OIL","Cod, coated, fried, made with oil"
+26109141,"COD, COATED, FRIED, MADE WITH BUTTER","Cod, coated, fried, made with butter"
+26109142,"COD, COATED, FRIED, MADE WITH MARGARINE","Cod, coated, fried, made with margarine"
+26109143,"COD, COATED, FRIED, MADE WITHOUT FAT","Cod, coated, fried, made without fat"
+26109144,"COD, COATED, FRIED, MADE WITH COOKING SPRAY","Cod, coated, fried, made with cooking spray"
+26109160,"COD, STEAMED OR POACHED","Cod, steamed or poached"
+26109170,"COD, DRIED, SALTED","Cod, dried, salted"
+26109180,"COD, DRIED, SALTED, SALT REMOVED IN WATER","Cod, dried, salted, salt removed in water"
+26109190,"COD, SMOKED","Cod, smoked"
+26111110,"CROAKER, COOKED, NS AS TO COOKING METHOD","Croaker, cooked, NS as to cooking method"
+26111120,"CROAKER, BAKED OR BROILED, FAT ADDED IN COOKING","Croaker, baked or broiled, fat added in cooking"
+26111121,"CROAKER, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Croaker, baked or broiled, fat not added in cooking"
+26111130,"CROAKER, COATED, BAKED, FAT ADDED IN COOKING","Croaker, coated, baked or broiled, fat added in cooking"
+26111131,"CROAKER, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Croaker, coated, baked or broiled, fat not added in cooking"
+26111140,"CROAKER, COATED, FRIED","Croaker, coated, fried"
+26111160,"CROAKER, STEAMED OR POACHED","Croaker, steamed or poached"
+26113110,"EEL, COOKED, NS AS TO COOKING METHOD","Eel, cooked, NS as to cooking method"
+26113160,"EEL, STEAMED OR POACHED","Eel, steamed or poached"
+26113190,"EEL, SMOKED","Eel, smoked"
+26115000,"FLOUNDER, RAW","Flounder, raw"
+26115110,"FLOUNDER, COOKED, NS AS TO COOKING METHOD","Flounder, cooked, NS as to cooking method"
+26115120,"FLOUNDER, BAKED OR BROILED, MADE WTIH OIL","Flounder, baked or broiled, made with oil"
+26115121,"FLOUNDER, BAKED OR BROILED, MADE WITH BUTTER","Flounder, baked or broiled, made with butter"
+26115122,"FLOUNDER, BAKED OR BROILED, MADE WITH MARGARINE","Flounder, baked or broiled, made with margarine"
+26115123,"FLOUNDER, BAKED OR BROILED, MADE WITHOUT FAT","Flounder, baked or broiled, made without fat"
+26115124,"FLOUNDER, BAKED OR BROILED, MADE WITH COOKING SPRAY","Flounder, baked or broiled, made with cooking spray"
+26115130,"FLOUNDER, COATED, BAKED OR BROILED, MADE WITH OIL","Flounder, coated, baked or broiled, made with oil"
+26115131,"FLOUNDER, COATED, BAKED OR BROILED, MADE WITH BUTTER","Flounder, coated, baked or broiled, made with butter"
+26115132,"FLOUNDER, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Flounder, coated, baked or broiled, made with margarine"
+26115133,"FLOUNDER, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Flounder, coated, baked or broiled, made without fat"
+26115134,"FLOUNDER, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Flounder, coated, baked or broiled, made with cooking spray"
+26115140,"FLOUNDER, COATED, FRIED, MADE WITH OIL","Flounder, coated, fried, made with oil"
+26115141,"FLOUNDER, COATED, FRIED, MADE WITH BUTTER","Flounder, coated, fried, made with butter"
+26115142,"FLOUNDER, COATED, FRIED, MADE WITH MARGARINE","Flounder, coated, fried, made with margarine"
+26115143,"FLOUNDER, COATED, FRIED, MADE WITHOUT FAT","Flounder, coated, fried, made without fat"
+26115144,"FLOUNDER, COATED, FRIED, MADE WITH COOKING SPRAY","Flounder, coated, fried, made with cooking spray"
+26115160,"FLOUNDER, STEAMED OR POACHED","Flounder, steamed or poached"
+26115190,"FLOUNDER, SMOKED","Flounder, smoked"
+26117110,"HADDOCK, COOKED, NS AS TO COOKING METHOD","Haddock, cooked, NS as to cooking method"
+26117120,"HADDOCK, BAKED OR BROILED, FAT ADDED IN COOKING","Haddock, baked or broiled, fat added in cooking"
+26117121,"HADDOCK, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Haddock, baked or broiled, fat not added in cooking"
+26117130,"HADDOCK, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Haddock, coated, baked or broiled, fat added in cooking"
+26117131,"HADDOCK, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Haddock, coated, baked or broiled, fat not added in cooking"
+26117140,"HADDOCK, COATED, FRIED","Haddock, coated, fried"
+26117160,"HADDOCK, STEAMED OR POACHED","Haddock, steamed or poached"
+26117190,"HADDOCK, SMOKED","Haddock, smoked"
+26118000,"HALIBUT, RAW","Halibut, raw"
+26118010,"HALIBUT, COOKED, NS AS TO COOKING METHOD","Halibut, cooked, NS as to cooking method"
+26118020,"HALIBUT, BAKED OR BROILED, MADE WITH OIL","Halibut, baked or broiled, made with oil"
+26118021,"HALIBUT, BAKED OR BROILED, MADE WITH BUTTER","Halibut, baked or broiled, made with butter"
+26118022,"HALIBUT, BAKED OR BROILED, MADE WITH MARGARINE","Halibut, baked or broiled, made with margarine"
+26118023,"HALIBUT, BAKED OR BROILED, MADE WITHOUT FAT","Halibut, baked or broiled, made without fat"
+26118024,"HALIBUT, BAKED OR BROILED, MADE WITH COOKING SPRAY","Halibut, baked or broiled, made with cooking spray"
+26118030,"HALIBUT, COATED, BAKED OR BROILED, MADE WITH OIL","Halibut, coated, baked or broiled, made with oil"
+26118031,"HALIBUT, COATED, BAKED OR BROILED, MADE WITH BUTTER","Halibut, coated, baked or broiled, made with butter"
+26118032,"HALIBUT, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Halibut, coated, baked or broiled, made with margarine"
+26118033,"HALIBUT, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Halibut, coated, baked or broiled, made without fat"
+26118034,"HALIBUT, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Halibut, coated, baked or broiled, made with cooking spray"
+26118040,"HALIBUT, COATED, FRIED, MADE WITH OIL","Halibut, coated, fried, made with oil"
+26118041,"HALIBUT, COATED, FRIED, MADE WITH BUTTER","Halibut, coated, fried, made with butter"
+26118042,"HALIBUT, COATED, FRIED, MADE WITH MARGARINE","Halibut, coated, fried, made with margarine"
+26118043,"HALIBUT, COATED, FRIED, MADE WITHOUT FAT","Halibut, coated, fried, made without fat"
+26118044,"HALIBUT, COATED, FRIED, MADE WITH COOKING SPRAY","Halibut, coated, fried, made with cooking spray"
+26118050,"HALIBUT, STEAMED OR POACHED","Halibut, steamed or poached"
+26118060,"HALIBUT, SMOKED","Halibut, smoked"
+26119100,"HERRING, RAW","Herring, raw"
+26119110,"HERRING, COOKED, NS AS TO COOKING METHOD","Herring, cooked, NS as to cooking method"
+26119120,"HERRING, BAKED OR BROILED, FAT ADDED IN COOKING","Herring, baked or broiled, fat added in cooking"
+26119121,"HERRING, BAKED OR BROILED, FAT NOT USED IN PREPARATION","Herring, baked or broiled, fat not added in cooking"
+26119130,"HERRING, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Herring, coated, baked or broiled, fat added in cooking"
+26119131,"HERRING, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Herring, coated, baked or broiled, fat not added in cooking"
+26119140,"HERRING, COATED, FRIED","Herring, coated, fried"
+26119160,"HERRING, PICKLED, IN CREAM SAUCE","Herring, pickled, in cream sauce"
+26119170,"HERRING, DRIED, SALTED","Herring, dried, salted"
+26119180,"HERRING, PICKLED","Herring, pickled"
+26119190,"HERRING, SMOKED, KIPPERED","Herring, smoked, kippered"
+26121100,"MACKEREL, RAW","Mackerel, raw"
+26121110,"MACKEREL, COOKED, NS AS TO COOKING METHOD","Mackerel, cooked, NS as to cooking method"
+26121120,"MACKEREL, BAKED OR BROILED, FAT ADDED IN COOKING","Mackerel, baked or broiled, fat added in cooking"
+26121121,"MACKEREL, BAKED OR BROILED, FAT NOT USED IN PREPARATION","Mackerel, baked or broiled, fat not added in cooking"
+26121131,"MACKEREL, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Mackerel, coated, baked or broiled, fat added in cooking"
+26121132,"MACKEREL, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Mackerel, coated, baked or broiled, fat not added in cooking"
+26121140,"MACKEREL, COATED, FRIED","Mackerel, coated, fried"
+26121160,"MACKEREL, PICKLED","Mackerel, pickled"
+26121180,"MACKEREL, CANNED","Mackerel, canned"
+26121190,"MACKEREL, SMOKED","Mackerel, smoked"
+26123100,"MULLET, RAW","Mullet, raw"
+26123110,"MULLET, COOKED, NS AS TO COOKING METHOD","Mullet, cooked, NS as to cooking method"
+26123120,"MULLET, BAKED OR BROILED, FAT USED IN PREPARATION","Mullet, baked or broiled, fat added in cooking"
+26123121,"MULLET, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Mullet, baked or broiled, fat not added in cooking"
+26123130,"MULLET, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Mullet, coated, baked or broiled, fat added in cooking"
+26123131,"MULLET, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Mullet, coated, baked or broiled, fat not added in cooking"
+26123140,"MULLET, COATED, FRIED","Mullet, coated, fried"
+26123160,"MULLET, STEAMED OR POACHED","Mullet, steamed or poached"
+26125100,"OCEAN PERCH, RAW","Ocean perch, raw"
+26125110,"OCEAN PERCH, COOKED, NS AS TO COOKING METHOD","Ocean perch, cooked, NS as to cooking method"
+26125120,"OCEAN PERCH, BAKED OR BROILED, FAT USED IN PREPARATION","Ocean perch, baked or broiled, fat added in cooking"
+26125121,"OCEAN PERCH, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Ocean perch, baked or broiled, fat not added in cooking"
+26125130,"OCEAN PERCH, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Ocean perch, coated, baked or broiled, fat added in cooking"
+26125131,"OCEAN PERCH, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOK","Ocean perch, coated, baked or broiled, fat not added in cooking"
+26125140,"OCEAN PERCH, COATED, FRIED","Ocean perch, coated, fried"
+26125160,"OCEAN PERCH, STEAMED OR POACHED","Ocean perch, steamed or poached"
+26127110,"PERCH, COOKED, NS AS TO COOKING METHOD","Perch, cooked, NS as to cooking method"
+26127120,"PERCH, BAKED OR BROILED, MADE WITH OIL","Perch, baked or broiled, made with oil"
+26127121,"PERCH, BAKED OR BROILED, MADE WITH BUTTER","Perch, baked or broiled, made with butter"
+26127122,"PERCH, BAKED OR BROILED, MADE WITH MARGARINE","Perch, baked or broiled, made with margarine"
+26127123,"PERCH, BAKED OR BROILED, MADE WITHOUT FAT","Perch, baked or broiled, made without fat"
+26127124,"PERCH, BAKED OR BROILED, MADE WITH COOKING SPRAY","Perch, baked or broiled, made with cooking spray"
+26127130,"PERCH, COATED, BAKED OR BROILED, MADE WITH OIL","Perch, coated, baked or broiled, made with oil"
+26127131,"PERCH, COATED, BAKED OR BROILED, MADE WITH BUTTER","Perch, coated, baked or broiled, made with butter"
+26127132,"PERCH, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Perch, coated, baked or broiled, made with margarine"
+26127133,"PERCH, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Perch, coated, baked or broiled, made without fat"
+26127134,"PERCH, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Perch, coated, baked or broiled, made with cooking spray"
+26127140,"PERCH, COATED, FRIED","Perch, coated, fried, made with oil"
+26127141,"PERCH, COATED, FRIED, MADE WITH BUTTER","Perch, coated, fried, made with butter"
+26127142,"PERCH, COATED, FRIED, MADE WITH MARGARINE","Perch, coated, fried, made with margarine"
+26127143,"PERCH, COATED, FRIED, MADE WITHOUT FAT","Perch, coated, fried, made without fat"
+26127144,"PERCH, COATED, FRIED, MADE WITH COOKING SPRAY","Perch, coated, fried, made with cooking spray"
+26127160,"PERCH, STEAMED OR POACHED","Perch, steamed or poached"
+26129110,"PIKE, COOKED, NS AS TO COOKING METHOD","Pike, cooked, NS as to cooking method"
+26129120,"PIKE, BAKED OR BROILED, FAT ADDED IN COOKING","Pike, baked or broiled, fat added in cooking"
+26129121,"PIKE, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Pike, baked or broiled, fat not added in cooking"
+26129130,"PIKE, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Pike, coated, baked or broiled, fat added in cooking"
+26129131,"PIKE, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Pike, coated, baked or broiled, fat not added in cooking"
+26129140,"PIKE, COATED, FRIED","Pike, coated, fried"
+26129160,"PIKE, STEAMED OR POACHED","Pike, steamed or poached"
+26131100,"POMPANO, RAW","Pompano, raw"
+26131110,"POMPANO, COOKED, NS AS TO COOKING METHOD","Pompano, cooked, NS as to cooking method"
+26131120,"POMPANO, BAKED OR BROILED, FAT ADDED IN COOKING","Pompano, baked or broiled, fat added in cooking"
+26131121,"POMPANO, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Pompano, baked or broiled, fat not added in cooking"
+26131130,"POMPANO, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Pompano, coated, baked or broiled, fat added in cooking"
+26131131,"POMPANO, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Pompano, coated, baked or broiled, fat not added in cooking"
+26131140,"POMPANO, COATED, FRIED","Pompano, coated, fried"
+26131160,"POMPANO, STEAMED OR POACHED","Pompano, steamed or poached"
+26131190,"POMPANO, SMOKED","Pompano, smoked"
+26133100,"PORGY, RAW","Porgy, raw"
+26133110,"PORGY, COOKED, NS AS TO COOKING METHOD","Porgy, cooked, NS as to cooking method"
+26133120,"PORGY, BAKED OR BROILED, FAT ADDED IN COOKING","Porgy, baked or broiled, fat added in cooking"
+26133121,"PORGY, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Porgy, baked or broiled, fat not added in cooking"
+26133130,"PORGY, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Porgy, coated, baked or broiled, fat added in cooking"
+26133131,"PORGY, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Porgy, coated, baked or broiled, fat not added in cooking"
+26133140,"PORGY, COATED, FRIED","Porgy, coated, fried"
+26133160,"PORGY, STEAMED OR POACHED","Porgy, steamed or poached"
+26135110,"RAY, COOKED, NS AS TO COOKING METHOD","Ray, cooked, NS as to cooking method"
+26135120,"RAY, BAKED OR BROILED, FAT ADDED IN COOKING","Ray, baked or broiled, fat added in cooking"
+26135121,"RAY, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Ray, baked or broiled, fat not added in cooking"
+26135130,"RAY, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Ray, coated, baked or broiled, fat added in cooking"
+26135131,"RAY, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Ray, coated, baked or broiled, fat not added in cooking"
+26135140,"RAY, COATED, FRIED","Ray, coated, fried"
+26135160,"RAY, STEAMED OR POACHED","Ray, steamed or poached"
+26137100,"SALMON, RAW","Salmon, raw"
+26137110,"SALMON, COOKED, NS AS TO COOKING METHOD","Salmon, cooked, NS as to cooking method"
+26137120,"SALMON, BAKED OR BROILED, MADE WITH OIL","Salmon, baked or broiled, made with oil"
+26137121,"SALMON, BAKED OR BROILED, MADE WITH BUTTER","Salmon, baked or broiled, made with butter"
+26137122,"SALMON, BAKED OR BROILED, MADE WITH MARGARINE","Salmon, baked or broiled, made with margarine"
+26137123,"SALMON, BAKED OR BROILED, MADE WITHOUT FAT","Salmon, baked or broiled, made without fat"
+26137124,"SALMON, BAKED OR BROILED, MADE WITH COOKING SPRAY","Salmon, baked or broiled, made with cooking spray"
+26137130,"SALMON, COATED, BAKED OR BROILED, MADE WITH OIL","Salmon, coated, baked or broiled, made with oil"
+26137131,"SALMON, COATED, BAKED OR BROILED, MADE WITH BUTTER","Salmon, coated, baked or broiled, made with butter"
+26137132,"SALMON, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Salmon, coated, baked or broiled, made with margarine"
+26137133,"SALMON, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Salmon, coated, baked or broiled, made without fat"
+26137134,"SALMON, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Salmon, coated, baked or broiled, made with cooking spray"
+26137140,"SALMON, COATED, FRIED, MADE WITH OIL","Salmon, coated, fried, made with oil"
+26137141,"SALMON, COATED, FRIED, MADE WITH BUTTER","Salmon, coated, fried, made with butter"
+26137142,"SALMON, COATED, FRIED, MADE WITH MARGARINE","Salmon, coated, fried, made with margarine"
+26137143,"SALMON, COATED, FRIED, MADE WITHOUT FAT","Salmon, coated, fried, made without fat"
+26137144,"SALMON, COATED, FRIED, MADE WITH COOKING SPRAY","Salmon, coated, fried, made with cooking spray"
+26137160,"SALMON, STEAMED OR POACHED","Salmon, steamed or poached"
+26137170,"SALMON, DRIED","Salmon, dried"
+26137180,"SALMON, CANNED","Salmon, canned"
+26137190,"SALMON, SMOKED (INCLUDE LOX)","Salmon, smoked"
+26139110,"SARDINES, COOKED","Sardines, cooked"
+26139170,"SARDINE, DRIED","Sardines, dried"
+26139180,"SARDINES, CANNED IN OIL","Sardines, canned in oil"
+26139190,"SARDINES, SKINLESS, BONELESS, PACKED IN WATER","Sardines, skinless, boneless, packed in water"
+26141110,"SEA BASS, COOKED, NS AS TO COOKING METHOD","Sea bass, cooked, NS as to cooking method"
+26141120,"SEA BASS, BAKED OR BROILED, FAT ADDED IN COOKING","Sea bass, baked or broiled, fat added in cooking"
+26141121,"SEA BASS, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Sea bass, baked or broiled, fat not added in cooking"
+26141130,"SEA BASS, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Sea bass, coated, baked or broiled, fat added in cooking"
+26141131,"SEA BASS, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Sea bass, coated, baked or broiled, fat not added in cooking"
+26141140,"SEA BASS, COATED, FRIED","Sea bass, coated, fried"
+26141160,"SEA BASS, STEAMED OR POACHED","Sea bass, steamed or poached"
+26141180,"SEA BASS, PICKLED (MERO EN ESCABECHE)","Sea bass, pickled (Mero en escabeche)"
+26143110,"SHARK, COOKED, NS AS TO COOKING METHOD","Shark, cooked, NS as to cooking method"
+26143120,"SHARK, BAKED OR BROILED, FAT ADDED IN COOKING","Shark, baked or broiled, fat added in cooking"
+26143121,"SHARK, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Shark, baked or broiled, fat not added in cooking"
+26143130,"SHARK, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Shark, coated, baked or broiled, fat added in cooking"
+26143131,"SHARK, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Shark, coated, baked or broiled, fat not added in cooking"
+26143140,"SHARK, COATED, FRIED","Shark, coated, fried"
+26143160,"SHARK, STEAMED OR POACHED","Shark, steamed or poached"
+26147110,"STURGEON, COOKED, NS AS TO COOKING METHOD","Sturgeon, cooked, NS as to cooking method"
+26147120,"STURGEON, BAKED OR BROILED, FAT ADDED IN COOKING","Sturgeon, baked or broiled, fat added in cooking"
+26147130,"STURGEON, STEAMED","Sturgeon, steamed"
+26147140,"STURGEON, COATED, FRIED","Sturgeon, coated, fried"
+26147190,"STURGEON, SMOKED","Sturgeon, smoked"
+26149110,"SWORDFISH, COOKED, NS AS TO COOKING METHOD","Swordfish, cooked, NS as to cooking method"
+26149120,"SWORDFISH, BAKED OR BROILED, FAT ADDED IN COOKING","Swordfish, baked or broiled, fat added in cooking"
+26149121,"SWORDFISH, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Swordfish, baked or broiled, fat not added in cooking"
+26149130,"SWORDFISH, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Swordfish, coated, baked or broiled, fat added in cooking"
+26149131,"SWORDFISH, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKIN","Swordfish, coated, baked or broiled, fat not added in cooking"
+26149140,"SWORDFISH, COATED, FRIED","Swordfish, coated, fried"
+26149160,"SWORDFISH, STEAMED OR POACHED","Swordfish, steamed or poached"
+26151110,"TROUT, COOKED, NS AS TO COOKING METHOD","Trout, cooked, NS as to cooking method"
+26151120,"TROUT, BAKED OR BROILED, MADE WITH OIL","Trout, baked or broiled, made with oil"
+26151121,"TROUT, BAKED OR BROILED, MADE WITH BUTTER","Trout, baked or broiled, made with butter"
+26151122,"TROUT, BAKED OR BROILED, MADE WITH MARGARINE","Trout, baked or broiled, made with margarine"
+26151123,"TROUT, BAKED OR BROILED, MADE WITHOUT FAT","Trout, baked or broiled, made without fat"
+26151124,"TROUT, BAKED OR BROILED, MADE WITH COOKING SPRAY","Trout, baked or broiled, made with cooking spray"
+26151130,"TROUT, COATED, BAKED OR BROILED, MADE WITH OIL","Trout, coated, baked or broiled, made with oil"
+26151131,"TROUT, COATED, BAKED OR BROILED, MADE WITH BUTTER","Trout, coated, baked or broiled, made with butter"
+26151132,"TROUT, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Trout, coated, baked or broiled, made with margarine"
+26151133,"TROUT, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Trout, coated, baked or broiled, made without fat"
+26151134,"TROUT, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Trout, coated, baked or broiled, made with cooking spray"
+26151140,"TROUT, COATED, FRIED, MADE WITH OIL","Trout, coated, fried, made with oil"
+26151141,"TROUT, COATED, FRIED, MADE WITH BUTTER","Trout, coated, fried, made with butter"
+26151142,"TROUT, COATED, FRIED, MADE WITH MARGARINE","Trout, coated, fried, made with margarine"
+26151143,"TROUT, COATED, FRIED, MADE WITHOUT FAT","Trout, coated, fried, made without fat"
+26151144,"TROUT, COATED, FRIED, MADE WITH COOKING SPRAY","Trout, coated, fried, made with cooking spray"
+26151160,"TROUT, STEAMED OR POACHED","Trout, steamed or poached"
+26151190,"TROUT, SMOKED","Trout, smoked"
+26153100,"TUNA, FRESH, RAW","Tuna, fresh, raw"
+26153110,"TUNA, FRESH, COOKED, NS AS TO COOKING METHOD","Tuna, fresh, cooked, NS as to cooking method"
+26153120,"TUNA, FRESH, BAKED OR BROILED, FAT ADDED IN COOKING","Tuna, fresh, baked or broiled, fat added in cooking"
+26153122,"TUNA, FRESH, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Tuna, fresh, baked or broiled, fat not added in cooking"
+26153130,"TUNA, FRESH, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Tuna, fresh, coated, baked or broiled, fat added in cooking"
+26153131,"TUNA, FRESH, COATED, BAKED OR BROILED, FAT NOT ADDED","Tuna, fresh, coated, baked or broiled, fat not added"
+26153140,"TUNA, FRESH, COATED, FRIED","Tuna, fresh, coated, fried"
+26153160,"TUNA, FRESH, STEAMED OR POACHED","Tuna, fresh, steamed or poached"
+26153170,"TUNA, FRESH, DRIED","Tuna, fresh, dried"
+26153190,"TUNA, FRESH, SMOKED","Tuna, fresh, smoked"
+26155110,"TUNA, CANNED, NS AS TO OIL OR WATER PACK","Tuna, canned, NS as to oil or water pack"
+26155180,"TUNA, CANNED, OIL PACK","Tuna, canned, oil pack"
+26155190,"TUNA, CANNED, WATER PACK","Tuna, canned, water pack"
+26157110,"WHITING, COOKED, NS AS TO COOKING METHOD","Whiting, cooked, NS as to cooking method"
+26157120,"WHITING, BAKED OR BROILED, MADE WITH OIL","Whiting, baked or broiled, made with oil"
+26157121,"WHITING, BAKED OR BROILED, MADE WITH BUTTER","Whiting, baked or broiled, made with butter"
+26157122,"WHITING, BAKED OR BROILED, MADE WITH MARGARINE","Whiting, baked or broiled, made with margarine"
+26157123,"WHITING, BAKED OR BROILED, MADE WITHOUT FAT","Whiting, baked or broiled, made without fat"
+26157124,"WHITING, BAKED OR BROILED, MADE WITH COOKING SPRAY","Whiting, baked or broiled, made with cooking spray"
+26157130,"WHITING, COATED, BAKED OR BROILED, MADE WITH OIL","Whiting, coated, baked or broiled, made with oil"
+26157131,"WHITING, COATED, BAKED OR BROILED, MADE WITH BUTTER","Whiting, coated, baked or broiled, made with butter"
+26157132,"WHITING, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Whiting, coated, baked or broiled, made with margarine"
+26157133,"WHITING, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Whiting, coated, baked or broiled, made without fat"
+26157134,"WHITING, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Whiting, coated, baked or broiled, made with cooking spray"
+26157140,"WHITING, COATED, FRIED, MADE WITH OIL","Whiting, coated, fried, made with oil"
+26157141,"WHITING, COATED, FRIED, MADE WITH BUTTER","Whiting, coated, fried, made with butter"
+26157142,"WHITING, COATED, FRIED, MADE WITH MARGARINE","Whiting, coated, fried, made with margarine"
+26157143,"WHITING, COATED, FRIED, MADE WITHOUT FAT","Whiting, coated, fried, made without fat"
+26157144,"WHITING, COATED, FRIED, MADE WITH COOKING SPRAY","Whiting, coated, fried, made with cooking spray"
+26157160,"WHITING, STEAMED OR POACHED","Whiting, steamed or poached"
+26158000,"TILAPIA, COOKED, NS AS TO COOKING METHOD","Tilapia, cooked, NS as to cooking method"
+26158010,"TILAPIA, BAKED OR BROILED, MADE WITH OIL","Tilapia, baked or broiled, made with oil"
+26158011,"TILAPIA, BAKED OR BROILED, MADE WITH BUTTER","Tilapia, baked or broiled, made with butter"
+26158012,"TILAPIA, BAKED OR BROILED, MADE WITH MARGARINE","Tilapia, baked or broiled, made with margarine"
+26158013,"TILAPIA, BAKED OR BROILED, MADE WITHOUT FAT","Tilapia, baked or broiled, made without fat"
+26158014,"TILAPIA, BAKED OR BROILED, MADE WITH COOKING SPRAY","Tilapia, baked or broiled, made with cooking spray"
+26158020,"TILAPIA, COATED, BAKED OR BROILED, MADE WITH OIL","Tilapia, coated, baked or broiled, made with oil"
+26158021,"TILAPIA, COATED, BAKED OR BROILED, MADE WITH BUTTER","Tilapia, coated, baked or broiled, made with butter"
+26158022,"TILAPIA, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Tilapia, coated, baked or broiled, made with margarine"
+26158023,"TILAPIA, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Tilapia, coated, baked or broiled, made without fat"
+26158024,"TILAPIA, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Tilapia, coated, baked or broiled, made with cooking spray"
+26158030,"TILAPIA, COATED, FRIED, MADE WITH OIL","Tilapia, coated, fried, made with oil"
+26158031,"TILAPIA, COATED, FRIED, MADE WITH BUTTER","Tilapia, coated, fried, made with butter"
+26158032,"TILAPIA, COATED, FRIED, MADE WITH MARGARINE","Tilapia, coated, fried, made with margarine"
+26158033,"TILAPIA, COATED, FRIED, MADE WITHOUT FAT","Tilapia, coated, fried, made without fat"
+26158034,"TILAPIA, COATED, FRIED, MADE WITH COOKING SPRAY","Tilapia, coated, fried, made with cooking spray"
+26158050,"TILAPIA, STEAMED OR POACHED","Tilapia, steamed or poached"
+26203110,"FROG LEGS, NS AS TO COOKING METHOD","Frog legs, NS as to cooking method"
+26203160,"FROG LEGS, STEAMED","Frog legs, steamed"
+26205110,"OCTOPUS, COOKED, NS AS TO COOKING METHOD","Octopus, cooked, NS as to cooking method"
+26205160,"OCTOPUS, STEAMED","Octopus, steamed"
+26205170,"OCTOPUS, DRIED","Octopus, dried"
+26205180,"OCTOPUS, DRIED, BOILED","Octopus, dried, boiled"
+26205190,"OCTOPUS, SMOKED","Octopus, smoked"
+26207110,"ROE, SHAD, COOKED (INCL COD ROE)","Roe, shad, cooked"
+26209100,"ROE, HERRING","Roe, herring"
+26211100,"ROE, STURGEON (INCLUDE CAVIAR)","Roe, sturgeon"
+26213100,"SQUID, RAW","Squid, raw"
+26213120,"SQUID, BAKED, BROILED, FAT ADDED IN COOKING","Squid, baked or broiled, fat added in cooking"
+26213121,"SQUID, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Squid, baked or broiled, fat not added in cooking"
+26213130,"SQUID, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Squid, coated, baked or broiled, fat added in cooking"
+26213131,"SQUID, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Squid, coated, baked or broiled, fat not added in cooking"
+26213140,"SQUID, COATED, FRIED","Squid, coated, fried"
+26213160,"SQUID, STEAMED OR BOILED","Squid, steamed or boiled"
+26213170,"SQUID, DRIED","Squid, dried"
+26213180,"SQUID, PICKLED","Squid, pickled"
+26213190,"SQUID, CANNED","Squid, canned"
+26215120,"TURTLE, COOKED, NS AS TO METHOD","Turtle (terrapin), cooked, NS as to cooking method"
+26301110,"ABALONE, COOKED, NS AS TO COOKING METHOD","Abalone, cooked, NS as to cooking method"
+26301140,"ABALONE, FLOURED OR BREADED, FRIED","Abalone, floured or breaded, fried"
+26301160,"ABALONE, STEAMED OR POACHED","Abalone, steamed or poached"
+26303100,"CLAMS, RAW","Clams, raw"
+26303110,"CLAMS, COOKED, NS AS TO COOKING METHOD","Clams, cooked, NS as to cooking method"
+26303120,"CLAMS, BAKED OR BROILED, FAT ADDED IN COOKING","Clams, baked or broiled, fat added in cooking"
+26303121,"CLAMS, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Clams, baked or broiled, fat not added in cooking"
+26303130,"CLAMS, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Clams, coated, baked or broiled, fat added in cooking"
+26303131,"CLAMS ,BAKED OR BROILED, FAT NOT ADDED IN COOKING","Clams, coated, baked or broiled, fat not added in cooking"
+26303140,"CLAMS,COATED, FRIED","Clams, coated, fried"
+26303160,"CLAMS, STEAMED OR BOILED","Clams, steamed or boiled"
+26303180,"CLAMS, CANNED","Clams, canned"
+26303190,"CLAMS, SMOKED, IN OIL","Clams, smoked, in oil"
+26305110,"CRAB, COOKED, NS AS TO COOKING METHOD","Crab, cooked, NS as to cooking method"
+26305120,"CRAB, BAKED OR BROILED, FAT ADDED IN COOKING","Crab, baked or broiled, fat added in cooking"
+26305121,"CRAB, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Crab, baked or broiled, fat not added in cooking"
+26305130,"CRAB, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Crab, coated, baked or broiled, fat added in cooking"
+26305131,"CRAB, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Crab, coated, baked or broiled, fat not added in cooking"
+26305160,"CRAB, HARD SHELL, STEAMED","Crab, hard shell, steamed"
+26305180,"CRAB, CANNED","Crab, canned"
+26307140,"CRAB, SOFT SHELL, COATED, FRIED","Crab, soft shell, coated, fried"
+26309140,"CRAYFISH, COATED, FRIED","Crayfish, coated, fried"
+26309160,"CRAYFISH, BOILED OR STEAMED","Crayfish, boiled or steamed"
+26311110,"LOBSTER, COOKED, NS AS TO METHOD","Lobster, cooked, NS as to cooking method"
+26311120,"LOBSTER, BAKED OR BROILED, FAT ADDED IN COOKING","Lobster, baked or broiled, fat added in cooking"
+26311121,"LOBSTER, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Lobster, baked or broiled, fat not added in cooking"
+26311140,"LOBSTER, COATED, FRIED","Lobster, coated, fried"
+26311160,"LOBSTER, STEAMED OR BOILED","Lobster, steamed or boiled"
+26311170,"LOBSTER, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Lobster, coated, baked or broiled, fat added in cooking"
+26311171,"LOBSTER, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Lobster, coated, baked or broiled, fat not added in cooking"
+26311180,"LOBSTER, CANNED","Lobster, canned"
+26313100,"MUSSELS, RAW","Mussels, raw"
+26313110,"MUSSELS, COOKED, NS AS TO COOKING METHOD","Mussels, cooked, NS as to cooking method"
+26313160,"MUSSELS, STEAMED","Mussels, steamed or poached"
+26315100,"OYSTERS, RAW","Oysters, raw"
+26315110,"OYSTERS, COOKED, NS AS TO COOKING METHOD","Oysters, cooked, NS as to cooking method"
+26315120,"OYSTERS, BAKED OR BROILED, FAT ADDED IN COOKING","Oysters, baked or broiled, fat added in cooking"
+26315121,"OYSTERS, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Oysters, baked or broiled, fat not added in cooking"
+26315130,"OYSTERS, STEAMED","Oysters, steamed"
+26315140,"OYSTERS, COATED, FRIED","Oysters, coated, fried"
+26315160,"OYSTERS, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Oysters, coated, baked or broiled, fat added in cooking"
+26315161,"OYSTERS, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Oysters, coated, baked or broiled, fat not added in cooking"
+26315180,"OYSTERS, CANNED","Oysters, canned"
+26315190,"OYSTERS, SMOKED","Oysters, smoked"
+26317110,"SCALLOPS, COOKED, NS AS TO COOKING METHOD","Scallops, cooked, NS as to cooking method"
+26317120,"SCALLOPS, BAKED OR BROILED, FAT ADDED IN COOKING","Scallops, baked or broiled, fat added in cooking"
+26317121,"SCALLOPS, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Scallops, baked or broiled, fat not added in cooking"
+26317130,"SCALLOPS, STEAMED OR BOILED","Scallops, steamed or boiled"
+26317140,"SCALLOPS, COATED, FRIED","Scallops, coated, fried"
+26317160,"SCALLOPS, COATED, BAKED OR BROILED, FAT ADDED IN COOKING","Scallops, coated, baked or broiled, fat added in cooking"
+26317161,"SCALLOPS, COATED, BAKED OR BROILED, FAT NOT ADDED IN COOKING","Scallops, coated, baked or broiled, fat not added in cooking"
+26319110,"SHRIMP, COOKED, NS AS TO COOKING METHOD","Shrimp, cooked, NS as to cooking method"
+26319120,"SHRIMP, BAKED OR BROILED, MADE WITH OIL","Shrimp, baked or broiled, made with oil"
+26319121,"SHRIMP, BAKED OR BROILED, MADE WITH BUTTER","Shrimp, baked or broiled, made with butter"
+26319122,"SHRIMP, BAKED OR BROILED, MADE WITH MARGARINE","Shrimp, baked or broiled, made with margarine"
+26319123,"SHRIMP, BAKED OR BROILED, MADE WITHOUT FAT","Shrimp, baked or broiled, made without fat"
+26319124,"SHRIMP, BAKED OR BROILED, MADE WITH COOKING SPRAY","Shrimp, baked or broiled, made with cooking spray"
+26319130,"SHRIMP, STEAMED OR BOILED","Shrimp, steamed or boiled"
+26319140,"SHRIMP, COATED, FRIED, MADE WITH OIL","Shrimp, coated, fried, made with oil"
+26319141,"SHRIMP, COATED, FRIED, MADE WITH BUTTER","Shrimp, coated, fried, made with butter"
+26319142,"SHRIMP, COATED, FRIED, MADE WITH MARGARINE","Shrimp, coated, fried, made with margarine"
+26319143,"SHRIMP, COATED, FRIED, MADE WITHOUT FAT","Shrimp, coated, fried, made without fat"
+26319144,"SHRIMP, COATED, FRIED, MADE WITH COOKING SPRAY","Shrimp, coated, fried, made with cooking spray"
+26319145,"SHRIMP, COATED, FRIED, FROM FAST FOOD / RESTAURANT","Shrimp, coated, fried, from fast food / restaurant"
+26319160,"SHIRMP, COATED, BAKED OR BROILED, MADE WITH OIL","Shrimp, coated, baked or broiled, made with oil"
+26319161,"SHRIMP, COATED, BAKED OR BROILED, MADE WITH BUTTER","Shrimp, coated, baked or broiled, made with butter"
+26319162,"SHRIMP, COATED, BAKED OR BROILED, MADE WITH MARGARINE","Shrimp, coated, baked or broiled, made with margarine"
+26319163,"SHRIMP, COATED, BAKED OR BROILED, MADE WITHOUT FAT","Shrimp, coated, baked or broiled, made without fat"
+26319164,"SHRIMP, COATED, BAKED OR BROILED, MADE WITH COOKING SPRAY","Shrimp, coated, baked or broiled, made with cooking spray"
+26319170,"SHRIMP, DRIED","Shrimp, dried"
+26319180,"SHRIMP, CANNED","Shrimp, canned"
+26321110,"SNAILS, COOKED, NS AS TO METHOD","Snails, cooked, NS as to cooking method"
+27111000,"BEEF W/ TOMATO-BASED SAUCE (MIXTURE)","Beef with tomato-based sauce (mixture)"
+27111050,"SPAGHETTI SAUCE W/ BEEF/MEAT, HOMEMADE-STYLE","Spaghetti sauce with beef or meat other than lamb or mutton, homemade-style"
+27111100,"BEEF GOULASH","Beef goulash"
+27111200,"BEEF BURGUNDY (BEEF BOURGUIGNONNE)","Beef burgundy (beef bourguignonne)"
+27111300,"MEXICAN BEEF STEW, NO POTATOES, TOMATO SAUCE","Mexican style beef stew, no potatoes, tomato-based sauce (mixture) (Carne guisada sin papas)"
+27111310,"MEXICAN BEEF STEW, NO POTATOES, W/ CHILI PEPPERS, TOMATO SCE","Mexican style beef stew, no potatoes, with chili peppers, tomato-based sauce (mixture) (Carne guisada con chile)"
+27111400,"CHILI CON CARNE, NS AS TO BEANS","Chili con carne, NS as to beans"
+27111410,"CHILI CON CARNE W/ BEANS","Chili con carne with beans"
+27111420,"CHILI CON CARNE W/O BEANS","Chili con carne without beans"
+27111430,"CHILI CON CARNE, NS AS TO BEANS, W/ CHEESE","Chili con carne, NS as to beans, with cheese"
+27111440,"CHILI CON CARNE W/ BEANS & CHEESE","Chili con carne with beans and cheese"
+27111500,"BEEF SLOPPY JOE (NO BUN)","Beef sloppy joe (no bun)"
+27112000,"BEEF W/ GRAVY (MIXTURE) (INCLUDE COUNTRY STYLE)","Beef with gravy (mixture)"
+27112010,"SALISBURY STEAK W/ GRAVY (MIXTURE)","Salisbury steak with gravy (mixture)"
+27113000,"BEEF W/ CREAM OR WHITE SAUCE (MIXTURE)","Beef with cream or white sauce (mixture)"
+27113100,"BEEF STROGANOFF","Beef stroganoff"
+27113200,"CREAMED CHIPPED OR DRIED BEEF","Creamed chipped or dried beef"
+27113300,"SWEDISH MEATBALLS W/ CREAM OR WHITE SAUCE (MIXTURE)","Swedish meatballs with cream or white sauce (mixture)"
+27114000,"BEEF W/ (MUSHROOM) SOUP (MIXTURE)","Beef with (mushroom) soup (mixture)"
+27115000,"BEEF W/ SOY-BASED SAUCE (MIXTURE)","Beef with soy-based sauce (mixture)"
+27115100,"STEAK TERIYAKI W/ SAUCE (MIXTURE)","Steak teriyaki with sauce (mixture)"
+27116100,"BEEF CURRY","Beef curry"
+27116200,"BEEF W/ BARBECUE SAUCE (MIXTURE)","Beef with barbecue sauce (mixture)"
+27116300,"BEEF W/ SWEET & SOUR SAUCE (MIXTURE)","Beef with sweet and sour sauce (mixture)"
+27116350,"STEWED, SEASONED GROUND BEEF, MEXICAN","Stewed, seasoned, ground beef, Mexican style (Picadillo de carne de rez)"
+27116400,"STEAK TARTARE (RAW GROUND BEEF & EGG)","Steak tartare (raw ground beef and egg)"
+27118110,"MEATBALLS, P. R. (ALBONDIGAS GUISADAS)","Meatballs, Puerto Rican style (Albondigas guisadas)"
+27118120,"STEWED,SEASONED GROUND BEEF,PUERTO RICAN STYLE","Stewed seasoned ground beef, Puerto Rican style (Picadillo guisado, picadillo de carne)"
+27118130,"STEWED DRIED BEEF, P.R. (TASAJO GUISADO)","Stewed dried beef, Puerto Rican style (Tasajo guisado, carne cecina guisada)"
+27118140,"STUFFED POT ROAST, P.R.,NFS(ASSUME GRAVY,STUFFING)","Stuffed pot roast, Puerto Rican style, NFS (assume with gravy and stuffing)"
+27118180,"BEEF STEW, P.R., MEAT W/ GRAVY (POTATO SEPARATE)","Puerto Rican style beef stew, meat with gravy (potatoes reported separately)"
+27120020,"HAM/PORK W/ GRAVY (MIXTURE)","Ham or pork with gravy (mixture)"
+27120030,"HAM/PORK W/ BARBECUE SAUCE","Ham or pork with barbecue sauce (mixture)"
+27120060,"SWEET & SOUR PORK","Sweet and sour pork"
+27120080,"HAM STROGANOFF (INCL HAM W/ CREAM OR WHITE SAUCE)","Ham stroganoff"
+27120090,"HAM/PORK W/ (MUSHROOM) SOUP-BASE SAUCE (MIXTURE)","Ham or pork with (mushroom) soup (mixture)"
+27120100,"HAM/PORK W/ TOMATO-BASED SAUCE (MIXTURE)","Ham or pork with tomato-based sauce (mixture)"
+27120110,"SAUSAGE W/ TOMATO-BASED SAUCE (MIXTURE)","Sausage with tomato-based sauce (mixture)"
+27120120,"SAUSAGE GRAVY","Sausage gravy"
+27120130,"MEXICAN STYLE PORK STEW,NO POT,TOM-BASE SCE(MIXTUR","Mexican style pork stew, no potatoes, tomato-based sauce (mixture) (cerdo guisado sin papas)"
+27120150,"PORK OR HAM W/ SOY-BASED SAUCE (MIXTURE)","Pork or ham with soy-based sauce (mixture)"
+27120160,"PORK CURRY","Pork curry"
+27120210,"FRANKFURTER /HOT DOG,W/CHILI,NO BUN (INCL CHILI DOG,NO BUN)","Frankfurter or hot dog, with chili, no bun"
+27120250,"FRANKFURTERS/HOT DOGS W/ TOM-BASED SCE (MIXTURE)","Frankfurters or hot dogs with tomato-based sauce (mixture)"
+27121000,"PORK W/ CHILE & TOM (MIXTURE) (PUERCO CON CHILE)","Pork with chili and tomatoes (mixture) (Puerco con chile)"
+27121010,"STEWED PORK, P.R.","Stewed pork, Puerto Rican style"
+27121410,"CHILI CON CARNE W/ BEANS, MADE W/ PORK","Chili con carne with beans, made with pork"
+27130010,"LAMB W/ GRAVY (MIXTURE)","Lamb or mutton with gravy (mixture)"
+27130040,"SPAGHETTI SAUCE W/ LAMB, HOMEMADE-STYLE","Spaghetti sauce with lamb or mutton, homemade-style"
+27130050,"LAMB GOULASH","Lamb or mutton goulash"
+27130100,"LAMB OR MUTTON CURRY","Lamb or mutton curry"
+27133010,"STEWED GOAT, P.R. (CABRITO EN FRICASE)","Stewed goat, Puerto Rican style (Cabrito en fricase, chilindron de chivo)"
+27135010,"VEAL W/ GRAVY (MIXTURE)","Veal with gravy (mixture)"
+27135020,"VEAL SCALLOPINI","Veal scallopini"
+27135030,"VEAL W/ CREAM SAUCE (INCLUDE VEAL PAPRIKASH)","Veal with cream sauce (mixture)"
+27135040,"VEAL W/ BUTTER SAUCE","Veal with butter sauce (mixture)"
+27135050,"VEAL MARSALA","Veal Marsala"
+27135110,"VEAL PARMIGIANA","Veal parmigiana"
+27135150,"VEAL CORDON BLEU","Veal cordon bleu"
+27136050,"VENISON/DEER W/ TOMATO-BASED SAUCE (MIXTURE)","Venison/deer with tomato-based sauce (mixture)"
+27136080,"VENISON/DEER W/ GRAVY","Venison/deer with gravy (mixture)"
+27136100,"CHILI CON CARNE W/ VENISON/DEER & BEANS","Chili con carne with venison/deer and beans"
+27141000,"CHICKEN CACCIATORE (INCLUDE CHICKEN W/TOMATO SAUCE)","Chicken or turkey cacciatore"
+27141030,"SPAGHETTI SAUCE W/ POULTRY, HOMEMADE","Spaghetti sauce with poultry, home-made style"
+27141050,"STEWED CHICKEN W/ TOMATO SAUCE, MEXICAN STYLE","Stewed chicken with tomato-based sauce, Mexican style (mixture) (Pollo guisado con tomate)"
+27141500,"CHILI CON CARNE W/ CHICKEN & BEANS","Chili con carne with chicken or turkey and beans"
+27142000,"CHICKEN W/ GRAVY (MIXTURE)","Chicken with gravy (mixture)"
+27142100,"CHICKEN FRICASSEE","Chicken or turkey fricassee"
+27142200,"TURKEY W/ GRAVY (MIXTURE)","Turkey with gravy (mixture)"
+27143000,"CHICKEN OR TURKEY W/ CREAM SAUCE (MIXTURE)","Chicken or turkey with cream sauce (mixture)"
+27144000,"CHICKEN W/ (MUSHROOM) SOUP-BASED SAUCE (MIXTURE)","Chicken or turkey with (mushroom) soup (mixture)"
+27145000,"CHICKEN TERIYAKI","Chicken or turkey teriyaki (chicken or turkey with soy-based sauce)"
+27146000,"CHICKEN OR TURKEY W/ BBQ SAUCE, SKIN EATEN","Chicken or turkey with barbecue sauce, skin eaten"
+27146010,"CHICKEN OR TURKEY W/ BBQ SAUCE, SKIN NOT EATEN","Chicken or turkey with barbecue sauce, skin not eaten"
+27146050,"CHICKEN WING W/ HOT PEPPER SCE (INCL BUFFALO WING)","Chicken wing with hot pepper sauce"
+27146100,"SWEET & SOUR CHICKEN","Sweet and sour chicken or turkey"
+27146110,"SWEET AND SOUR CHICKEN OR TURKEY, WITHOUT VEGETABLES","Sweet and sour chicken or turkey, without vegetables"
+27146150,"CHICKEN CURRY","Chicken curry"
+27146160,"CHICKEN WITH MOLE SAUCE","Chicken with mole sauce"
+27146200,"CHICKEN W/ CHEESE SAUCE (MIXTURE)","Chicken or turkey with cheese sauce (mixture)"
+27146250,"CHICKEN CORDON BLEU","Chicken or turkey cordon bleu"
+27146300,"CHICKEN PARMIGIANA","Chicken or turkey parmigiana"
+27146350,"ORANGE CHICKEN","Orange chicken"
+27146360,"SESAME CHICKEN","Sesame chicken"
+27146400,"CHICKEN KIEV","Chicken kiev"
+27148010,"STUFFED CHICKEN, DRUMSTICK OR BREAST, P.R.","Stuffed chicken, drumstick or breast, Puerto Rican style (Muslo de pollo o pechuga rellena)"
+27150010,"FISH W/ CREAM OR WHITE SAUCE, NOT TUNA OR LOBSTER","Fish with cream or white sauce, not tuna or lobster (mixture)"
+27150020,"CRAB, DEVILED","Crab, deviled"
+27150030,"CRAB IMPERIAL (INCLUDE STUFFED CRAB)","Crab imperial"
+27150050,"FISH TIMBALE OR MOUSSE","Fish timbale or mousse"
+27150060,"LOBSTER NEWBURG (INCLUDE LOBSTER THERMIDOR)","Lobster newburg"
+27150070,"LOBSTER W/ BUTTER SAUCE (INCLUDE LOBSTER NORFOLK)","Lobster with butter sauce (mixture)"
+27150100,"SHRIMP CURRY","Shrimp curry"
+27150110,"SHRIMP COCKTAIL (SHRIMP W/ COCKTAIL SAUCE)","Shrimp cocktail (shrimp with cocktail sauce)"
+27150120,"TUNA W/ CREAM OR WHITE SAUCE (MIXTURE)","Tuna with cream or white sauce (mixture)"
+27150130,"SEAFOOD NEWBURG (INCLUDE CRABMEAT THERMIDOR)","Seafood newburg"
+27150140,"CLAM SAUCE, WHITE","Clam sauce, white"
+27150160,"SHRIMP W/ LOBSTER SAUCE (MIXTURE)","Shrimp with lobster sauce (mixture)"
+27150170,"SWEET & SOUR SHRIMP","Sweet and sour shrimp"
+27150190,"LOBSTER SAUCE (BROTH-BASED)","Lobster sauce (broth-based)"
+27150200,"OYSTER SCE (WHITE SCE-BASED)","Oyster sauce (white sauce-based)"
+27150210,"FISH SAUCE (BAGOONG)","Fish sauce (bagoong)"
+27150230,"SHRIMP SCAMPI","Shrimp scampi"
+27150250,"FISH MOOCHIM (KOREAN STYLE), DRIED FISH W/ SOY SCE","Fish moochim (Korean style), dried fish with soy sauce"
+27150310,"FISH W/ TOMATO-BASED SAUCE (MIXTURE)","Fish with tomato-based sauce (mixture)"
+27150320,"FISH CURRY","Fish curry"
+27150330,"MUSSELS W/ TOMATO-BASED SAUCE (MIXTURE)","Mussels with tomato-based sauce (mixture)"
+27150350,"SARDINES W/ TOMATO-BASED SAUCE (MIXTURE)","Sardines with tomato-based sauce (mixture)"
+27150370,"SARDINES W/ MUSTARD SAUCE (MIXTURE)","Sardines with mustard sauce (mixture)"
+27150410,"SHRIMP TERIYAKI","Shrimp teriyaki (shrimp with soy-based sauce) (mixture)"
+27150510,"SCALLOPS W/ CHEESE SAUCE (MIXTURE)","Scallops with cheese sauce (mixture)"
+27151030,"MARINATED FISH (CEVICHE)","Marinated fish (Ceviche)"
+27151040,"CRABS IN TOMATO-BASED SAUCE, PUERTO RICAN STYLE","Crabs in tomato-based sauce, Puerto Rican style (mixture) (Salmorejo de jueyes)"
+27151050,"SHRIMP IN GARLIC SAUCE, P.R. (CAMARONES AL AJILLO)","Shrimp in garlic sauce, Puerto Rican style (mixture) (Camarones al ajillo)"
+27151070,"STEWED CODFISH, PUERTO RICAN STYLE, NO POTATOES","Stewed codfish, Puerto Rican style, no potatoes (potatoes reported separately)"
+27160010,"MEAT W/ BARBECUE SAUCE, NS AS TO TYPE OF MEAT","Meat with barbecue sauce, NS as to type of meat (mixture)"
+27160100,"MEATBALLS, NS AS TO TYPE OF MEAT, W/ SAUCE","Meatballs, NS as to type of meat, with sauce (mixture)"
+27161010,"MEAT LOAF, P.R. (ALBONDIGON)","Puerto Rican style meat loaf (Albondigon)"
+27162010,"MEAT W/ TOMATO-BASED SAUCE","Meat with tomato-based sauce (mixture)"
+27162050,"SPAGHETTI SAUCE W/ COMBINATION OF MEATS, HOMEMADE","Spaghetti sauce with combination of meats, homemade-style"
+27162060,"SPAGHETTI SAUCE W/ MEAT & VEGETABLES, HOMEMADE-STYLE","Spaghetti sauce with meat and vegetables, homemade-style"
+27162500,"STEWED SEASONED GROUND BEEF & PORK, MEXICAN","Stewed, seasoned, ground beef and pork, Mexican style (Picadillo de carne de rez y puerco)"
+27163010,"MEAT W/ GRAVY, NS AS TO TYPE OF MEAT (MIXTURE)","Meat with gravy, NS as to type of meat (mixture)"
+27211000,"BEEF & POTATOES, NO SAUCE (MIXTURE)","Beef and potatoes, no sauce (mixture)"
+27211100,"BEEF STEW W/ POTATOES, TOMATO-BASED SAUCE","Beef stew with potatoes, tomato-based sauce (mixture)"
+27211110,"MEXICAN BEEF STEW W/POT,TOM SCE (CARNE GUISADA CON)","Mexican style beef stew with potatoes, tomato-based sauce (mixture) (Carne guisada con papas)"
+27211150,"BEEF GOULASH W/ POTATOES (INCL BEEF GOULASH, NFS)","Beef goulash with potatoes"
+27211190,"BEEF & POTATOES W/ CREAM, WHITE, MUSHROOM SOUP SCE (MIXTURE)","Beef and potatoes with cream sauce, white sauce or mushroom soup-based sauce (mixture)"
+27211200,"BEEF STEW W/ POTATOES, GRAVY","Beef stew with potatoes, gravy"
+27211300,"BEEF (ROAST) HASH","Beef (roast) hash"
+27211400,"CORNED BEEF HASH","Corned beef hash"
+27211500,"BEEF & POTATOES W/ CHEESE SAUCE (MIXTURE)","Beef and potatoes with cheese sauce (mixture)"
+27211550,"STEWED SEASONED GROUND BEEF W/ POTATOES, MEXICAN","Stewed, seasoned, ground beef with potatoes, Mexican style (Picadillo de carne de rez con papas)"
+27212000,"BEEF & NOODLES, NO SAUCE","Beef and noodles, no sauce (mixture)"
+27212050,"BEEF & MACARONI WITH CHEESE SAUCE (MIXTURE)","Beef and macaroni with cheese sauce (mixture)"
+27212100,"BEEF & NOODLES W/ TOMATO-BASED SAUCE (MIXTURE)","Beef and noodles with tomato-based sauce (mixture)"
+27212120,"CHILI CON CARNE W/ BEANS & MACARONI","Chili con carne with beans and macaroni"
+27212150,"BEEF GOULASH W/ NOODLES","Beef goulash with noodles"
+27212200,"BEEF & NOODLES W/ GRAVY (MIXTURE)","Beef and noodles with gravy (mixture)"
+27212300,"BEEF & NOODLES W/ CREAM OR WHITE SAUCE (MIXTURE)","Beef and noodles with cream or white sauce (mixture)"
+27212350,"BEEF STROGANOFF W/ NOODLES","Beef stroganoff with noodles"
+27212400,"BEEF & NOODLES W/ (MUSHROOM) SOUP (MIXTURE)","Beef and noodles with (mushroom) soup (mixture)"
+27212500,"BEEF AND NOODLES WITH SOY-BASED SAUCE (MIXTURE)","Beef and noodles with soy-based sauce (mixture)"
+27213000,"BEEF & RICE, NO SAUCE (MIXTURE)","Beef and rice, no sauce (mixture)"
+27213010,"BIRYANI WITH MEAT","Biryani with meat"
+27213100,"BEEF & RICE W/ TOMATO-BASED SAUCE (MIXTURE)","Beef and rice with tomato-based sauce (mixture)"
+27213120,"PORCUPINE BALLS W/ TOMATO-BASED SAUCE (MIXTURE)","Porcupine balls with tomato-based sauce (mixture)"
+27213150,"CHILI CON CARNE W/ BEANS & RICE","Chili con carne with beans and rice"
+27213200,"BEEF & RICE W/ GRAVY (MIXTURE)","Beef and rice with gravy (mixture)"
+27213300,"BEEF & RICE W/ CREAM SAUCE (MIXTURE)","Beef and rice with cream sauce (mixture)"
+27213400,"BEEF & RICE W/ (MUSHROOM) SOUP (MIXTURE)","Beef and rice with (mushroom) soup (mixture)"
+27213420,"PORCUPINE BALLS W/ (MUSHROOM) SOUP (MIXTURE)","Porcupine balls with (mushroom) soup (mixture)"
+27213500,"BEEF & RICE W/ SOY-BASED SAUCE (MIXTURE)","Beef and rice with soy-based sauce (mixture)"
+27213600,"BEEF AND RICE WITH CHEESE SAUCE (MIXTURE)","Beef and rice with cheese sauce (mixture)"
+27214100,"MEAT LOAF MADE W/ BEEF","Meat loaf made with beef"
+27214110,"MEAT LOAF W/ BEEF, W/ TOMATO SAUCE","Meat loaf made with beef, with tomato-based sauce"
+27214300,"BEEF WELLINGTON","Beef wellington"
+27214500,"CORNED BEEF PATTY","Corned beef patty"
+27214600,"CREAMED DRIED BEEF ON TOAST","Creamed dried beef on toast"
+27218110,"STUFFED POT ROAST (LARDED MEAT) W/ POTATOES, P.R.","Puerto Rican style stuffed pot roast (larded meat) with potatoes (Carne mechada con papas boliche)"
+27218210,"BEEF STEW, P.R. W/ POTATOES (CARNE GUISADA CON PAPAS)","Puerto Rican style beef stew with potatoes (Carne guisada con papas)"
+27218310,"STEWED CORNED BEEF, P.R. (""CORNED BEEF"" GUISADO)","Stewed corned beef, Puerto Rican style (""Corned beef"" guisado)"
+27220010,"MEAT LOAF MADE W/ HAM (NOT LUNCHEON MEAT)","Meat loaf made with ham (not luncheon meat)"
+27220020,"HAM & NOODLES W/ CREAM OR WHITE SAUCE (MIXTURE)","Ham and noodles with cream or white sauce (mixture)"
+27220030,"HAM & RICE W/ (MUSHROOM) SOUP (MIXTURE)","Ham and rice with (mushroom) soup (mixture)"
+27220050,"HAM OR PORK W/ STUFFING","Ham or pork with stuffing (mixture)"
+27220080,"HAM CROQUETTE","Ham croquette"
+27220110,"PORK & RICE W/ TOMATO-BASED SAUCE (MIXTURE)","Pork and rice with tomato-based sauce (mixture)"
+27220120,"SAUSAGE & RICE W/ TOMATO-BASED SAUCE (MIXTURE)","Sausage and rice with tomato-based sauce (mixture)"
+27220150,"SAUSAGE & RICE W/ (MUSHROOM) SOUP (MIXTURE)","Sausage and rice with (mushroom) soup (mixture)"
+27220170,"SAUSAGE & RICE W/ CHEESE SAUCE (MIXTURE)","Sausage and rice with cheese sauce (mixture)"
+27220190,"SAUSAGE & NOODLES W/ CREAM OR WHITE SAUCE (MIXTURE)","Sausage and noodles with cream or white sauce (mixture)"
+27220210,"HAM & NOODLES, NO SAUCE (MIXTURE)","Ham and noodles, no sauce (mixture)"
+27220310,"HAM & RICE, NO SAUCE (MIXTURE)","Ham or pork and rice, no sauce (mixture)"
+27220510,"HAM/PORK & POTATOES W/ GRAVY (MIXTURE)","Ham or pork and potatoes with gravy (mixture)"
+27220520,"PORK & POTATOES W/ CHEESE SAUCE","Ham or pork and potatoes with cheese sauce (mixture)"
+27221100,"STEWED PIG'S FEET, P.R. (PATITAS DE CERDO GUISADAS)","Stewed pig's feet, Puerto Rican style (Patitas de cerdo guisadas)"
+27221110,"STUFFED PORK ROAST, P.R.","Stuffed pork roast, Puerto Rican style"
+27221150,"MEXICAN STYLE PORK STEW W/POT,TOM-BASE SCE(MIXTURE)","Mexican style pork stew, with potatoes, tomato-based sauce (mixture) (cerdo guisado con papas)"
+27230010,"LAMB LOAF","Lamb or mutton loaf"
+27231000,"LAMB OR MUTTON & POTATOES W/ GRAVY (MIXTURE)","Lamb or mutton and potatoes with gravy (mixture)"
+27232000,"LAMB & POTATOES W/ TOMATO-BASED SAUCE (MIXTURE)","Lamb or mutton and potatoes with tomato-based sauce (mixture)"
+27233000,"LAMB OR MUTTON & NOODLES W/ GRAVY (MIXTURE)","Lamb or mutton and noodles with gravy (mixture)"
+27235000,"MEAT LOAF MADE WITH VENISON/DEER","Meat loaf made with venison/deer"
+27235750,"VEAL & NOODLES W/ CREAM/WHITE SCE (MIXTURE)","Veal and noodles with cream or white sauce (mixture)"
+27236000,"VENISON/DEER & NOODLE MIXTURE W/ CREAM/WHITE SAUCE","Venison/deer and noodles with cream or white sauce (mixture)"
+27241000,"CHICKEN OR TURKEY HASH","Chicken or turkey hash"
+27241010,"CHICKEN OR TURKEY & POTATOES W/ GRAVY (MIXTURE)","Chicken or turkey and potatoes with gravy (mixture)"
+27242000,"CHICKEN OR TURKEY & NOODLES, NO SAUCE (MIXTURE)","Chicken or turkey and noodles, no sauce (mixture)"
+27242200,"CHICKEN OR TURKEY & NOODLES W/ GRAVY (MIXTURE)","Chicken or turkey and noodles with gravy (mixture)"
+27242250,"CHICKEN OR TURKEY & NOODLES W/ (MUSHROOM) SOUP","Chicken or turkey and noodles with (mushroom) soup (mixture)"
+27242300,"CHICKEN OR TURKEY & NOODLES W/ CREAM OR WHITE SAUCE","Chicken or turkey and noodles with cream or white sauce (mixture)"
+27242310,"CHICKEN & NOODLES W/ CHEESE SAUCE","Chicken or turkey and noodles with cheese sauce (mixture)"
+27242350,"CHICKEN OR TURKEY TETRAZZINI","Chicken or turkey tetrazzini"
+27242400,"CHICKEN & NOODLES, TOMATO-BASED SAUCE (MIXTURE)","Chicken or turkey and noodles, tomato-based sauce (mixture)"
+27242500,"CHICKEN OR TURKEY AND NOODLES WITH SOY-BASED SAUCE (MIXTURE)","Chicken or turkey and noodles with soy-based sauce (mixture)"
+27243000,"CHICKEN & RICE, NO SAUCE (MIXTURE)","Chicken or turkey and rice, no sauce (mixture)"
+27243100,"BIRYANI WITH CHICKEN","Biryani with chicken"
+27243300,"CHICKEN & RICE W/ CREAM SAUCE (MIXTURE)","Chicken or turkey and rice with cream sauce (mixture)"
+27243400,"CHICKEN & RICE W/ (MUSHROOM) SOUP-BASED SAUCE","Chicken or turkey and rice with (mushroom) soup (mixture)"
+27243500,"CHICKEN & RICE W/ TOMATO-BASED SAUCE (MIXTURE)","Chicken or turkey and rice with tomato-based sauce (mixture)"
+27243600,"CHICKEN & RICE W/ SOY-BASED SAUCE (MIXTURE)","Chicken or turkey and rice with soy-based sauce (mixture)"
+27243700,"CHICKEN IN CHEESE SCE W/ SPANISH RICE","Chicken in cheese sauce with Spanish rice"
+27246100,"CHICKEN W/ DUMPLINGS (MIXTURE)","Chicken or turkey with dumplings (mixture)"
+27246200,"CHICKEN W/ STUFFING (MIXTURE)","Chicken or turkey with stuffing (mixture)"
+27246300,"CHICKEN OR TURKEY CAKE, PATTY OR CROQUETTE","Chicken or turkey cake, patty, or croquette"
+27246400,"CHICKEN SOUFFLE","Chicken or turkey souffle"
+27246500,"MEAT LOAF MADE W/ CHICKEN OR TURKEY","Meat loaf made with chicken or turkey"
+27246505,"MEAT LOAF W/ CHICKEN OR TURKEY, W/ TOMATO SAUCE","Meat loaf made with chicken or turkey, with tomato-based sauce"
+27250020,"CLAMS, STUFFED","Clams, stuffed"
+27250030,"CODFISH BALL OR CAKE","Codfish ball or cake"
+27250040,"CRAB CAKE","Crab cake"
+27250050,"FISH CAKE OR PATTY, NS AS TO FISH","Fish cake or patty, NS as to fish"
+27250060,"GEFILTE FISH","Gefilte fish"
+27250070,"SALMON CAKE OR PATTY (INCLUDE SALMON CROQUETTE)","Salmon cake or patty"
+27250080,"SALMON LOAF","Salmon loaf"
+27250110,"SCALLOPS & NOODLES W/ CHEESE SAUCE (MIXTURE)","Scallops and noodles with cheese sauce (mixture)"
+27250120,"SHRIMP AND NOODLES, NO SAUCE (MIXTURE)","Shrimp and noodles, no sauce (mixture)"
+27250122,"SHRIMP AND NOODLES WITH GRAVY (MIXTURE)","Shrimp and noodles with gravy (mixture)"
+27250124,"SHRIMP AND NOODLES WITH (MUSHROOM) SOUP (MIXTURE)","Shrimp and noodles with (mushroom) soup (mixture)"
+27250126,"SHRIMP AND NOODLES WITH CREAM OR WHITE SAUCE (MIXTURE)","Shrimp and noodles with cream or white sauce (mixture)"
+27250128,"SHRIMP AND NOODLES WITH SOY-BASED SAUCE (MIXTURE)","Shrimp and noodles with soy-based sauce (mixture)"
+27250130,"SHRIMP & NOODLES W/ CHEESE SAUCE","Shrimp and noodles with cheese sauce (mixture)"
+27250132,"SHRIMP AND NOODLES WITH TOMATO SAUCE (MIXTURE)","Shrimp and noodles with tomato sauce (mixture)"
+27250150,"TUNA LOAF","Tuna loaf"
+27250160,"TUNA CAKE OR PATTY","Tuna cake or patty"
+27250210,"CLAM CAKE OR PATTY (INCLUDE DEVILED)","Clam cake or patty"
+27250220,"OYSTER FRITTER","Oyster fritter"
+27250250,"FLOUNDER W/CRAB STUFFING","Flounder with crab stuffing"
+27250260,"LOBSTER W/ BREAD STUFFING,BAKED","Lobster with bread stuffing, baked"
+27250270,"CLAMS, CASINO","Clams Casino"
+27250300,"MACKEREL CAKE OR PATTY","Mackerel cake or patty"
+27250310,"HADDOCK CAKE OR PATTY","Haddock cake or patty"
+27250400,"SHRIMP CAKE OR PATTY (INCL SHRIMP BURGER OR STICK)","Shrimp cake or patty"
+27250410,"SHRIMP W/ CRAB STUFFING","Shrimp with crab stuffing"
+27250450,"SHRIMP TOAST, FRIED","Shrimp toast, fried"
+27250520,"SEAFOOD, RESTRUCTURED (INCL IMITATION CRABMEAT)","Seafood restructured"
+27250550,"SEAFOOD SOUFFLE","Seafood souffle"
+27250610,"TUNA NOODLE CASSEROLE W/ CREAM OR WHITE SAUCE","Tuna noodle casserole with cream or white sauce"
+27250630,"TUNA NOODLE CASSEROLE W/ (MUSHROOM) SOUP","Tuna noodle casserole with (mushroom) soup"
+27250710,"TUNA & RICE W/ (MUSHROOM) SOUP (MIXTURE)","Tuna and rice with (mushroom) soup (mixture)"
+27250810,"FISH & RICE W/ TOMATO-BASED SAUCE","Fish and rice with tomato-based sauce"
+27250820,"FISH & RICE W/ CREAM SAUCE","Fish and rice with cream sauce"
+27250830,"FISH & RICE W/ (MUSHROOM) SOUP","Fish and rice with (mushroom) soup"
+27250900,"FISH & NOODLES W/ (MUSHROOM) SOUP (MIXTURE)","Fish and noodles with (mushroom) soup"
+27250950,"SHELLFISH & NOODLES, TOMATO-BASED SAUCE","Shellfish mixture and noodles, tomato-based sauce (mixture)"
+27251010,"STEWED SALMON, P.R. (SALMON GUISADO)","Stewed salmon, Puerto Rican style (Salmon guisado)"
+27260010,"MEATLOAF, NS AS TO TYPE OF MEAT","Meat loaf, NS as to type of meat"
+27260050,"MEATBALLS, W/ BREADING, W/ GRAVY","Meatballs, with breading, NS as to type of meat, with gravy"
+27260080,"MEAT LOAF MADE W/ BEEF & PORK","Meat loaf made with beef and pork"
+27260090,"MEAT LOAF W/ BEEF, VEAL & PORK","Meat loaf made with beef, veal and pork"
+27260100,"MEAT LOAF W/ BEEF & PORK, W/ TOMATO SAUCE","Meat loaf made with beef and pork, with tomato-based sauce"
+27260110,"HASH, NS AS TO TYPE OF MEAT","Hash, NS as to type of meat"
+27260500,"VIENNA SAUSAGES STEWED W/ POTATOES, P.R.","Vienna sausages stewed with potatoes, Puerto Rican style (Salchichas guisadas)"
+27260510,"LIVER DUMPLING","Liver dumpling"
+27261000,"BREADED BRAINS, P.R. (SESOS REBOSADOS)","Breaded brains, Puerto Rican style (Sesos rebosados)"
+27261500,"STEWED SEASONED GROUND BEEF&PORK,W/POT, MEXICAN","Stewed, seasoned, ground beef and pork, with potatoes, Mexican style (Picadillo de carne de rez y puerco con papas)"
+27311110,"BEEF, POTATOES, & VEG (W/ CAR/DK GREEN), NO SAUCE","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27311120,"BEEF, POTATOES, & VEG (NO CAR/DK GREEN), NO SAUCE","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27311210,"CORNED BEEF, POT & VEG(W/ CAR/DK GREEN), NO SAUCE","Corned beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27311220,"CORNED BEEF, POTATO & VEG (NO CAR/DK GRN), NO SAUCE","Corned beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27311310,"BEEF STEW W/ POT & VEG(W/ CAR/DK GRN), TOMATO SAUCE","Beef stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27311320,"BEEF STEW W/ POT & VEG (NO CAR/DK GREEN), TOM SAUCE","Beef stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce"
+27311410,"BEEF STEW W/ POT & VEG (W/ CAR, DK GREEN), GRAVY","Beef stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy"
+27311420,"BEEF STEW W/ POT & VEG (NO CAR, DK GREEN), GRAVY","Beef stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy"
+27311510,"SHEPHERD'S PIE W/ BEEF","Shepherd's pie with beef"
+27311600,"BEEF, POT, & VEG (INCL CAR/DK GRN), GRAVY","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27311605,"BEEF, POT, & VEG (NO CAR/DK GREEN), GRAVY","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27311610,"BEEF, POT & VEG (INCL CAR/DK GRN), CR/SOUP-BASED SAUCE","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27311620,"BEEF, POT & VEG (NO CAR/DK GRN), CR/SOUP-BASED SAUCE","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27311625,"BEEF, POT, & VEG (INCL CAR/DK GRN), TOMATO-BASED SAUCE","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27311630,"BEEF, POT, & VEG (NO CAR/DK GREEN), TOMATO-BASED SAUCE","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27311635,"BEEF, POT, & VEG (INCL CAR/DK GRN), CHEESE SAUCE","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), cheese sauce (mixture)"
+27311640,"BEEF, POT, & VEG (NO CAR/DK GREEN), CHEESE SAUCE","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27311645,"BEEF, POT, & VEG (INCL CAR/DK GRN), SOY-BASED SAUCE","Beef, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), soy-based sauce (mixture)"
+27311650,"BEEF, POT, & VEG (NO CAR/DK GREEN), SOY-BASED SAUCE","Beef, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), soy-based sauce (mixture)"
+27313010,"BEEF, NOODLES & VEG (W/ CARROTS/DK GREEN), NO SAUCE","Beef, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27313020,"BEEF, NOODLES & VEG (NO CARROTS/DK GREEN), NO SAUCE","Beef, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27313110,"BEEF CHOW MEIN OR CHOP SUEY W/ NOODLES","Beef chow mein or chop suey with noodles"
+27313150,"BEEF, NOODLES & VEG (W/ CAR/DK GREEN), SOY SAUCE","Beef, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), soy-based sauce (mixture)"
+27313160,"BEEF, NOODLES & VEG (NO CAR/DK GREEN), SOY SAUCE","Beef, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), soy-based sauce (mixture)"
+27313210,"BEEF, NOODLES & VEG (W/ CAR/DK GREEN), TOMATO SAUCE","Beef, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27313220,"BEEF, NOODLES & VEG (NO CAR/DK GREEN), TOMATO SAUCE","Beef, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27313310,"BEEF, NOODLES, VEG(INCL CARROTS/DK GREEN), SOUP","Beef, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), (mushroom) soup (mixture)"
+27313320,"BEEF, NOODLES, VEG (NO CARROTS/DK GREEN), SOUP","Beef, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), (mushroom) soup (mixture)"
+27313410,"BEEF, NOODLES, & VEG (INCL CAR/DK GRN), GRAVY","Beef, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27313420,"BEEF, NOODLES, & VEG (NO CAR/DK GRN), GRAVY","Beef, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27315010,"BEEF, RICE & VEG (W/ CARROTS/DK GREEN), NO SAUCE","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27315020,"BEEF, RICE & VEG (NO CARROTS/DK GREEN), NO SAUCE","Beef, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27315210,"BEEF, RICE & VEG (W/ CAR/DK GREEN), TOMATO SAUCE","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27315220,"BEEF, RICE & VEG (NO CAR/DK GREEN), TOMATO SAUCE","Beef, rice, and vegetables (excluding carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27315250,"STUFFED CABBAGE ROLLS W/ BEEF AND RICE","Stuffed cabbage rolls with beef and rice"
+27315270,"STUFFED GRAPE LEAVES W/ BEEF & RICE","Stuffed grape leaves with beef and rice"
+27315310,"BEEF, RICE & VEGETABLES (W/ CARROTS/DK GREEN), SOUP","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), (mushroom) soup (mixture)"
+27315320,"BEEF, RICE & VEGETABLES (NO CARROTS/DK GREEN), SOUP","Beef, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), (mushroom) soup (mixture)"
+27315330,"BEEF, RICE & VEG (INCL CAR/DK GRN), CHEESE SAUCE","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), cheese sauce (mixture)"
+27315340,"BEEF, RICE & VEG (NO CAR/DK GRN), CHEESE SAUCE","Beef, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27315410,"BEEF, RICE & VEG (INCL CAR/DK GRN), GRAVY, MIXTURE","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27315420,"BEEF, RICE & VEG (NO CAR/DK GRN), GRAVY, MIXTURE","Beef, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27315510,"BEEF, RICE & VEG (INCL CAR/DK GRN), SOY-BASED SAUCE","Beef, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), soy-based sauce (mixture)"
+27315520,"BEEF, RICE & VEG (NO CAR/DK GRN), SOY-BASED SAUCE","Beef, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), soy-based sauce (mixture)"
+27317010,"BEEF POT PIE (INCLUDE GREEK MEAT PIE)","Beef pot pie"
+27317100,"BEEF, DUMPLINGS & VEG (INCL CAR/DK GRN), GRAVY","Beef, dumplings, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27317110,"BEEF, DUMPLINGS & VEG (NO CAR/DK GRN), GRAVY","Beef, dumplings, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27319010,"STUFFED GREEN PEPPER, P.R. (PIMIENTO RELLENO)","Stuffed green pepper, Puerto Rican style (Pimiento relleno)"
+27320020,"HAM POT PIE","Ham pot pie"
+27320025,"HAM OR PORK, NOODLES, VEG (NO CAR, BROC, DK GRN)NO SAUCE","Ham or pork, noodles and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27320027,"HAM OR PORK, NOODLES, VEG (INCL CAR, BROC, DARK GREEN)NO SAU","Ham or pork, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27320030,"HAM/PORK, NOODLES & VEG (NO CAR/DK GR), CHEESE SCE","Ham or pork, noodles and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27320040,"PORK, POTATOES & VEG (W/ CAR, DK GREEN), NO SAUCE","Pork, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27320070,"PORK, NOODLES, VEG (INCL CAR/DK GRN), TOMATO SAUCE","Ham or pork, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27320080,"SAUSAGE, NOODLES, VEG (NO CAR/DK GRN), TOMATO SAUCE","Sausage, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce"
+27320090,"SAUSAGE, NOODLES, VEG (W/ CAR/DK GRN), TOMATO SAUCE","Sausage, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27320100,"PORK, POTATOES & VEG (W/ CAR, DK GREEN), TOMATO SCE","Pork, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27320110,"PORK, POTATOES & VEG (NO CAR, DK GREEN), TOMATO SCE","Pork, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27320120,"SAUSAGE, POT, & VEG (INCL CAR/BROC/DK GREEN), GRAVY","Sausage, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27320130,"SAUSAGE, POT, & VEG (NO CAR/BROC/DK GREEN), GRAVY","Sausage, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27320140,"PORK, POT, & VEG (INCL CAR/DK GRN), GRAVY, MIXTURE","Pork, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27320150,"PORK, POT, & VEG (NO CAR/DK GRN), GRAVY, MIXTURE","Pork, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27320210,"PORK, POTATOES & VEG (NO CAR, DK GREEN), NO SAUCE","Pork, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27320310,"PORK CHOW MEIN OR CHOP SUEY W/ NOODLES","Pork chow mein or chop suey with noodles"
+27320320,"PORK, RICE & VEG (INCL CAR/DK GRN), SOY-BASED SAUCE","Pork, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), soy-based sauce (mixture)"
+27320330,"PORK, RICE & VEG (NO CAR/DK GRN), SOY-BASED SAUCE","Pork, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), soy-based sauce (mixture)"
+27320340,"PORK, RICE & VEG (INCL CAR/DK GRN), TOMATO SAUCE","Pork, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27320350,"PORK, RICE & VEG (NO CAR/DK GRN), TOMATO SAUCE","Pork, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27320410,"HAM, POTATOES & VEG (NO CARROTS/DK GREEN), NO SAUCE","Ham, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27320450,"HAM, POTATOES & VEG (W/ CARROTS/DK GREEN), NO SAUCE","Ham, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27320500,"SWEET & SOUR PORK W/ RICE","Sweet and sour pork with rice"
+27330010,"SHEPHERD'S PIE W/ LAMB","Shepherd's pie with lamb"
+27330030,"LAMB STEW W/ POT & VEG (INCL CAR/DK GREEN), GRAVY","Lamb or mutton stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy"
+27330050,"LAMB, RICE & VEGETABLES (NO CARROT/DK GREEN), GRAVY","Lamb or mutton, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27330060,"LAMB, RICE & VEG (INCL CAR/DK GRN), TOMATO SAUCE","Lamb or mutton, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27330080,"LAMB, RICE, & VEGETABLES (INCL CAR, DK GRN), GRAVY","Lamb or mutton, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy"
+27330110,"LAMB STEW W/ POT & VEG (NO CAR/DK GREEN), GRAVY","Lamb or mutton stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy"
+27330170,"STUFFED GRAPE LEAVES W/ LAMB & RICE","Stuffed grape leaves with lamb and rice"
+27330210,"LAMB STEW W/ POT & VEG (INCL CAR/DK GRN), TOM SAUCE","Lamb or mutton stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27330220,"LAMB STEW W/ POT & VEG (NO CAR/DK GRN), TOMATO SCE","Lamb or mutton stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce"
+27331150,"VEAL FRICASSEE, P.R. (TERNERA EN FRICASE)","Veal fricassee, Puerto Rican style (ternera en fricase)"
+27332100,"VEAL STEW W/ POT, VEG (INCL CAR/DK GRN) TOM SAUCE","Veal stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27332110,"VEAL STEW W/ POT, VEG (NO CAR,DK GRN), TOMATO SAUCE","Veal stew with potatoes and vegetables (excluding carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27335100,"RABBIT STEW W/ POTATOES & VEGETABLES","Rabbit stew with potatoes and vegetables"
+27335500,"STEWED RABBIT, P.R. (FRICASE DE CONEJO)","Stewed rabbit, Puerto Rican style (Fricase de conejo)"
+27336100,"VENISON/DEER STEW W/ POTATO & VEG(W/ CAR/DK GRN),TOM SCE","Venison/deer stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27336150,"VENISON/DEER STEW W/ POTATO & VEG(NO CAR/DK GRN),TOM SCE","Venison/deer stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce"
+27336200,"VENISON/DEER, POTATOES & VEG (INCL CAR/DK GRN), GRAVY","Venison/deer, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27336250,"VENISON/DEER, POTATOES & VEG (NO CAR/DK GRN), GRAVY","Venison/deer, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27336300,"VENISON/DEER, NOODLES & VEG (INCL CAR/DK GRN),TOM SAUCE","Venison/deer, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27336310,"VENISON/DEER, NOODLES & VEG (NO CAR/DK GRN), TOM SAUCE","Venison/deer, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27341000,"CHICKEN OR TURKEY, POTATOES, CORN, AND CHEESE, WITH GRAVY","Chicken or turkey, potatoes, corn, and cheese, with gravy"
+27341010,"CHICKEN, POT & VEG (INCL CAR/DK GRN), NO SAUCE","Chicken or turkey, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27341020,"CHICKEN, POT & VEG (NO CAR/DK GRN), NO SAUCE","Chicken or turkey, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27341025,"CHICKEN, POT & VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27341030,"CHICKEN, POT & VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27341035,"CHICKEN, POT & VEG (INCL CAR/DK GRN), CREAM/SOUP-BASED SAUCE","Chicken or turkey, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27341040,"CHICKEN, POT & VEG (NO CAR/DK GRN), CREAM/SOUP-BASED SAUCE","Chicken or turkey, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27341045,"CHICKEN, POT & VEG (INCL CAR/DK GRN), CHEESE SAUCE","Chicken or turkey, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), cheese sauce (mixture)"
+27341050,"CHICKEN, POT & VEG (NO CAR/DK GRN), CHEESE SAUCE","Chicken or turkey, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27341055,"CHICKEN, POT & VEG (INCL CAR/DK GRN), TOMATO-BASED SAUCE","Chicken or turkey, potatoes, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27341060,"CHICKEN, POT & VEG (NO CAR/DK GRN), TOMATO-BASED SAUCE","Chicken or turkey, potatoes, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27341310,"CHICKEN STEW W/ POT, VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy"
+27341320,"CHICKEN STEW W/ POT & VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy"
+27341510,"CHICKEN STEW W/ POT & VEG(INCL CAR/DK GRN), TOM SCE","Chicken or turkey stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce"
+27341520,"CHICKEN STEW W/ POT & VEG(NO CAR/DK GRN), TOM SAUCE","Chicken or turkey stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato- based sauce"
+27343010,"CHICKEN, NOODLES & VEG (INCL CAR/DK GRN), NO SAUCE","Chicken or turkey, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27343020,"CHICKEN, NOODLES & VEG (NO CAR/DK GRN), NO SAUCE","Chicken or turkey, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27343410,"CHICKEN, NOODLES & VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27343420,"CHICKEN, NOODLES & VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27343470,"CHICKEN OR TURKEY, NOODLES, AND VEGETABLES (INCLUDING CARROT","Chicken or turkey, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27343480,"CHIX, NDL, VEG(NO CAR/DK GRN), CR/SOUP-BASED SAUCE","Chicken or turkey, noodles, and vegetables (excluding carrots, broccoli, and/or dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27343510,"CHICKEN, NOODLES, VEG (INCL CAR/DK GRN), TOMATO SCE","Chicken or turkey, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27343520,"CHICKEN, NOODLES, VEG (NO CAR/DK GRN), TOMATO SAUCE","Chicken or turkey, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27343910,"CHICKEN CHOW MEIN/CHOP SUEY W/ NOODLES","Chicken or turkey chow mein or chop suey with noodles"
+27343950,"CHICKEN, NOODLES & VEG(INCL CAR/DK GRN), CHEESE SCE","Chicken or turkey, noodles, and vegetables (including carrots, broccoli, and/or dark-green leafy), cheese sauce (mixture)"
+27343960,"CHICKEN, NOODLES & VEG(NO CAR/DK GRN), CHEESE SAUCE","Chicken or turkey, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27345010,"CHICKEN, RICE & VEG (INCL CAR/DK GRN), NO SAUCE","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27345020,"CHICKEN, RICE & VEG (NO CAR/DK GRN), NO SAUCE","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), no sauce (mixture)"
+27345210,"CHICKEN, RICE & VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27345220,"CHICKEN, RICE & VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27345230,"CHICKEN OR TURKEY, RICE, CORN, AND CHEESE WITH GRAVY","Chicken or turkey, rice, corn, and cheese, with gravy"
+27345310,"CHICKEN, RICE & VEG (INCL CAR/DK GRN), SOY SAUCE","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), soy-based sauce (mixture)"
+27345320,"CHICKEN, RICE & VEG (NO CAR/DK GRN), SOY SAUCE","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), soy-based sauce (mixture)"
+27345410,"CHIX, RICE, & VEG(INCL CAR/DK GRN), CR/SOUP-BASED SAU","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27345420,"CHIX, RICE, AND VEG(NO CAR/DK GRN), CR/SOUP-BASED SAU","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), cream sauce, white sauce, or mushroom soup-based sauce (mixture)"
+27345440,"CHICKEN, RICE & VEG (INCL CAR/DK GRN), CHEESE SAUCE","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), cheese sauce (mixture)"
+27345450,"CHICKEN, RICE, VEG (NO CAR/DK GRN), CHEESE SAUCE","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27345510,"CHICKEN, RICE & VEG (INCL CAR/DK GRN), TOMATO SAUCE","Chicken or turkey, rice, and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-based sauce (mixture)"
+27345520,"CHICKEN, RICE & VEG (NO CAR/DK GRN), TOMATO SAUCE","Chicken or turkey, rice, and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-based sauce (mixture)"
+27347100,"CHICKEN OR TURKEY POT PIE","Chicken or turkey pot pie"
+27347200,"CHICKEN, STUFFING & VEG (INCL CAR/DK GRN), NO SAUCE","Chicken or turkey, stuffing, and vegetables (including carrots, broccoli, and/or dark-green leafy), no sauce (mixture)"
+27347210,"CHICKEN, STUFFING, VEG (NO CAR/DK GRN), NO SAUCE","Chicken or turkey,stuffing, and vegetables (excluding carrots, broccoli, and dark green leafy), no sauce (mixture)"
+27347220,"CHICKEN, STUFFING & VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey, stuffing, and vegetables (including carrots, broccoli, and/or dark-green leafy), gravy (mixture)"
+27347230,"CHICKEN, STUFFING & VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey, stuffing, and vegetables (excluding carrots, broccoli, and dark-green leafy), gravy (mixture)"
+27347240,"CHICKEN, DUMPLINGS, VEG (INCL CAR/DK GRN), GRAVY","Chicken or turkey, dumplings, and vegetables (including carrots, broccoli, and/or dark green leafy), gravy (mixture)"
+27347250,"CHICKEN, DUMPLINGS, VEG (NO CAR/DK GRN), GRAVY","Chicken or turkey, dumplings, and vegetables (excluding carrots, broccoli, and dark green leafy), gravy (mixture)"
+27348100,"CHICKEN FRICASSEE, P.R. (FRICASE DE POLLO)","Chicken fricassee, Puerto Rican style (Fricase de pollo)"
+27350020,"PAELLA WITH SEAFOOD","Paella with seafood"
+27350030,"SEAFOOD STEW W/ POT & VEG (NO CAR/DK GREEN),TOM SCE","Seafood stew with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy), tomato-base sauce"
+27350050,"SHRIMP CHOW MEIN OR CHOP SUEY W/ NOODLES","Shrimp chow mein or chop suey with noodles"
+27350060,"SHRIMP CREOLE W/ RICE (INCLUDE SHRIMP JAMBALAYA)","Shrimp creole, with rice"
+27350070,"TUNA POT PIE","Tuna pot pie"
+27350080,"TUNA NOODLE CASSEROLE W/ VEG, CREAM OR WHITE SAUCE","Tuna noodle casserole with vegetables, cream or white sauce"
+27350090,"FISH, NOODLES, VEG (INCL CAR/DK GRN), CHEESE SAUCE","Fish, noodles, and vegetables (including carrots, broccoli, and/or dark green leafy), cheese sauce (mixture)"
+27350100,"FISH, NOODLES, VEG (NO CAR/DK GRN), CHEESE SAUCE","Fish, noodles, and vegetables (excluding carrots, broccoli, and dark-green leafy), cheese sauce (mixture)"
+27350110,"BOUILLABAISSE","Bouillabaisse"
+27350200,"OYSTER PIE (INCLUDE OYSTER POT PIE)","Oyster pie"
+27350310,"SEAFOOD STEW W/ POT & VEG (W/ CAR/DK GREEN),TOM SCE","Seafood stew with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy), tomato-base sauce"
+27350410,"TUNA NOODLE CASSEROLE W/ VEG & (MUSHROOM) SOUP","Tuna noodle casserole with vegetables and (mushroom) soup"
+27351010,"CODFISH W/ STARCHY VEG, P.R. (SERENATA DE BACALAO)","Codfish with starchy vegetables, Puerto Rican style (Serenata de bacalao) (mixture)"
+27351020,"CODFISH SALAD, P.R. (GAZPACHO DE BACALAO)","Codfish salad, Puerto Rican style (Gazpacho de bacalao)"
+27351030,"STEWED CODFISH, P.R. (BACALAO GUISADO)","Stewed codfish, Puerto Rican style (Bacalao guisado)"
+27351040,"BISCAYNE CODFISH, P.R. (BACALAO A LA VIZCAINA)","Biscayne codfish, Puerto Rican style (Bacalao a la Vizcaina)"
+27351050,"CODFISH SALAD, P.R. (ENSALADA DE BACALAO)","Codfish salad, Puerto Rican style (Ensalada de bacalao)"
+27360000,"STEW, NFS","Stew, NFS"
+27360010,"GOULASH, NFS","Goulash, NFS"
+27360050,"MEAT PIE, NFS","Meat pie, NFS"
+27360080,"CHOW MEIN, NS AS TO TYPE OF MEAT, W/ NOODLES","Chow mein or chop suey, NS as to type of meat, with noodles"
+27360090,"PAELLA, NFS","Paella, NFS"
+27360100,"BRUNSWICK STEW","Brunswick stew"
+27360120,"CHOW MEIN/CHOP SUEY,VARIOUS MEATS, W/ NOODLES","Chow mein or chop suey, various types of meat, with noodles"
+27361010,"STEWED VARIETY MEATS (MOSTLY LIVER), P.R.(GANDINGA)","Stewed variety meats, Puerto Rican style (mostly liver) (Gandinga)"
+27362000,"STEWED TRIPE W/ POTATOES, P.R. (MONDONGO)","Stewed tripe, Puerto Rican style, with potatoes (Mondongo)"
+27363000,"GUMBO W/ RICE (NEW ORLEANS TYPE)","Gumbo with rice (New Orleans type with shellfish, pork, and/or poultry, tomatoes, okra, rice)"
+27363100,"JAMBALAYA W/ MEAT & RICE","Jambalaya with meat and rice"
+27410210,"BEEF & VEG (W/ CAR/DK GREEN, NO POTATO), NO SAUCE","Beef and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), no sauce (mixture)"
+27410220,"BEEF & VEG (NO CAR/DK GREEN, NO POTATO), NO SAUCE","Beef and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), no sauce (mixture)"
+27410250,"BEEF SHISH KABOB W/ VEGETABLES, EXCLUDING POTATOES","Beef shish kabob with vegetables, excluding potatoes"
+27411100,"BEEF & VEG(W/ CAR/DK GREEN, NO POTATO), TOMATO SCE","Beef with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27411120,"SWISS STEAK","Swiss steak"
+27411150,"BEEF ROLL,STUFFED W/VEG/MEAT MIXTURE,TOM-BASE SAUCE","Beef rolls, stuffed with vegetables or meat mixture, tomato-based sauce"
+27411200,"BEEF W/ VEG (NO CAR/DK GREEN, NO POTATO),TOMATO SCE","Beef with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27414100,"BEEF W/ VEG (INCL CAR/DK GRN, NO POT), SOUP","Beef with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), (mushroom) soup (mixture)"
+27414200,"BEEF W/ VEG (NO CAR/DK GRN, NO POT), SOUP","Beef with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), (mushroom) soup (mixture)"
+27415100,"BEEF & VEG (W/ CAR/DK GREEN, NO POTATO), SOY SAUCE","Beef and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27415110,"BEEF AND BROCCOLI","Beef and broccoli"
+27415120,"BEEF, TOFU & VEG(W/ CAR/DK GRN, NO POTATO),SOY SCE","Beef, tofu, and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27415130,"SZECHUAN BEEF","Szechuan beef"
+27415140,"HUNAN BEEF","Hunan beef"
+27415150,"BEEF, CHOW MEIN OR CHOP SUEY, NO NOODLES","Beef chow mein or chop suey, no noodles"
+27415170,"KUNG PAO BEEF","Kung Pao beef"
+27415200,"BEEF & VEG (NO CAR/DK GREEN, NO POTATO), SOY SAUCE","Beef and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27415220,"BEEF, TOFU & VEG(NO CAR/DK GRN, NO POTATO), SOY SCE","Beef, tofu, and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27416100,"BEEF & VEGETABLES, HAWAIIAN STYLE (MIXTURE)","Beef and vegetables, Hawaiian style (mixture)"
+27416150,"PEPPER STEAK","Pepper steak"
+27416200,"BEEF, GROUND, W/ EGG & ONION (MIXTURE)","Beef, ground, with egg and onion (mixture)"
+27416250,"BEEF SALAD","Beef salad"
+27416300,"BEEF TACO FILLING: BEEF, CHEESE, TOMATO, TACO SAUCE","Beef taco filling: beef, cheese, tomato, taco sauce"
+27416400,"SUKIYAKI (STIR FRIED BEEF & VEGS IN SOY SAUCE)","Sukiyaki (stir fried beef and vegetables in soy sauce)"
+27416450,"BEEF & VEG (INCL CAR/DK GRN, NO POTATOES), GRAVY","Beef and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), gravy (mixture)"
+27416500,"BEEF & VEG (NO CAR/DK GREEN, NO POT), GRAVY","Beef and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), gravy (mixture)"
+27418110,"SEASONED SHREDDED SOUP MEAT","Seasoned shredded soup meat (Ropa vieja, sopa de carne ripiada)"
+27418210,"BEEF STEW, P.R. W/ VEGETABLES, NO POTATO (CARNE A LA JUDIA)","Puerto Rican style beef stew with vegetables, excluding potatoes (Carne a la Judia)"
+27418310,"CORNED BEEF W/ TOMATO SAUCE & ONION, P.R. STYLE","Corned beef with tomato sauce and onion, Puerto Rican style (mixture)"
+27418410,"BEEF STEAK W/ ONIONS, P.R. (BIFTEC ENCEBOLLADO)","Beef steak with onions, Puerto Rican style (mixture) (Biftec encebollado)"
+27420010,"CABBAGE W/ HAM HOCKS (MIXTURE)","Cabbage with ham hocks (mixture)"
+27420020,"HAM OR PORK SALAD","Ham or pork salad"
+27420040,"FRANKFURTERS OR HOT DOGS & SAUERKRAUT (MIXTURE)","Frankfurters or hot dogs and sauerkraut (mixture)"
+27420060,"PORK & VEG (W/ CAR/DK GREEN, NO POTATO), NO SAUCE","Pork and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), no sauce (mixture)"
+27420080,"GREENS W/ HAM OR PORK (MIXTURE)","Greens with ham or pork (mixture)"
+27420100,"PORK, TOFU & VEG (W/ CAR/DK GRN,NO POTATO), SOY SCE","Pork, tofu, and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-base sauce (mixture)"
+27420110,"PORK & VEGETABLES, HAWAIIAN STYLE (MIXTURE)","Pork and vegetables, Hawaiian style (mixture)"
+27420120,"PORK & WATERCRESS W/ SOY-BASED SAUCE (MIXTURE)","Pork and watercress with soy-based sauce (mixture)"
+27420150,"KUNG PAO PORK","Kung Pao pork"
+27420160,"MOO SHU (MU SHI) PORK, W/O PANCAKE","Moo Shu (Mu Shi) Pork, without Chinese pancake"
+27420170,"PORK AND ONIONS W/ SOY-BASED SAUCE","Pork and onions with soy-based sauce (mixture)"
+27420200,"PORK HASH,HAWAIIAN--PORK,VEG(NO CAR/DK GRN),SOY SCE","Pork hash, Hawaiian style-ground pork, vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce"
+27420250,"HAM & VEG (W/ CARROT/DK GREEN, NO POTATO), NO SAUCE","Ham and vegetables (including carrots, broccoli, and/or dark- green leafy (no potatoes)), no sauce (mixture)"
+27420270,"HAM & VEG (NO CARROT/DK GREEN, NO POTATO), NO SAUCE","Ham and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), no sauce (mixture)"
+27420350,"PORK & VEG (NO CAR/DK GREEN, NO POTATO), NO SAUCE","Pork and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), no sauce (mixture)"
+27420370,"PORK,TOFU & VEG(NO CAR/DK GREEN,NO POTATO)SOY SAUCE","Pork, tofu, and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27420390,"PORK CHOW MEIN OR CHOP SUEY, NO NOODLES","Pork chow mein or chop suey, no noodles"
+27420400,"PORK & VEG (INCL CAR/DK GRN, NO POT), TOMATO SAUCE","Pork and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27420410,"PORK & VEG (NO CAR/DK GRN, NO POT), TOMATO SAUCE","Pork and vegetables (excluding carrots, broccoli, and dark- green leafy (no potatoes)), tomato-based sauce (mixture)"
+27420450,"SAUSAGE & VEG (INCL CAR/DK GRN)(NO POT), TOM SAUCE","Sausage and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27420460,"SAUSAGE & VEG (NO CAR/DK GRN/POT), TOMATO SAUCE","Sausage and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27420470,"SAUSAGE & PEPPERS, NO SAUCE","Sausage and peppers, no sauce (mixture)"
+27420500,"PORK & VEG (INCL CAR/DK GRN), SOY-BASED SAUCE","Pork and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27420510,"PORK & VEG (NO CAR/DK GRN), SOY-BASED SAUCE","Pork and vegetables (excluding carrots, broccoli, and dark- green leafy (no potatoes)), soy-based sauce (mixture)"
+27420520,"PORK SHISH KABOB WITH VEGETABLES, EXCLUDING POTATOES","Pork shish kabob with vegetables, excluding potatoes"
+27421010,"STUFFED CHRISTOPHINE, P.R. (CHAYOTE RELLENO)","Stuffed christophine, Puerto Rican style (Chayote relleno)"
+27422010,"PORK CHOPS STEWED W/VEG, P.R. (CHULETAS A LA JARD.)","Pork chop stewed with vegetables, Puerto Rican style (mixture) (Chuletas a la jardinera)"
+27430400,"LAMB STEW W/ VEG (INCL CAR/DK GRN, NO POT), GRAVY","Lamb or mutton stew with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), gravy"
+27430410,"LAMB STEW W/ VEG (NO CAR/DK GRN, NO POT), GRAVY","Lamb or mutton stew with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), gravy"
+27430500,"VEAL GOULASH W/VEG(NO CAR/DK GREEN, NO POT),TOM SCE","Veal goulash with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), tomato-base sauce"
+27430510,"VEAL GOULASH W/VEG(W/ CAR/DK GREEN, NO POT),TOM SCE","Veal goulash with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-base sauce"
+27430580,"VEAL W/ VEG (INCL CAR/DK GRN), NO POT, CREAM SAUCE","Veal with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), cream or white sauce"
+27430590,"VEAL W/ VEG (NO CAR/DK GRN), NO POT, CREAM SAUCE","Veal with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), cream or white sauce"
+27430610,"LAMB SHISH KABOB W/ VEGETABLES, EXCLUDING POTATOES","Lamb shish kabob with vegetables, excluding potatoes"
+27440110,"CHICK/TURK & VEG (W/ CAR/DK GRN, NO POT), NO SAUCE","Chicken or turkey and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), no sauce (mixture)"
+27440120,"CHICK/TURK & VEG (NO CAR/DK GRN, NO POT), NO SAUCE","Chicken or turkey and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), no sauce (mixture)"
+27440130,"CHICKEN OR TURKEY SHISH KABOB W/VEGETABLES, EXCL POTATOES","Chicken or turkey shish kabob with vegetables, excluding potatoes"
+27441120,"CHICKEN CREOLE W/O RICE","Chicken or turkey creole, without rice"
+27442110,"CHICKEN/TURKEY & VEG (W/ CAR/DK GREEN,NO POT),GRAVY","Chicken or turkey and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), gravy (mixture)"
+27442120,"CHICKEN/TURKEY & VEG(NO CAR/DK GREEN,NO POT), GRAVY","Chicken or turkey and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), gravy (mixture)"
+27443110,"CHICKEN A LA KING W/VEG(INCL CAR/DK GRN),WHITE SCE","Chicken or turkey a la king with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), cream, white, or soup-based sauce"
+27443120,"CHICKEN A LA KING W/ VEG(NO CAR/DK GRN),WHITE SAUCE","Chicken or turkey a la king with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), cream, white, or soup-based sauce"
+27443150,"CHICKEN DIVAN","Chicken or turkey divan"
+27445110,"CHICKEN & VEG (INCL CAR/DK GRN, NO POT), SOY SAUCE","Chicken or turkey and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27445120,"CHICKEN & VEG (NO CAR/DK GRN, NO POT), SOY SAUCE","Chicken or turkey and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27445125,"CHICKEN & VEG (INCL CAR/DK GRN, NO POT), TOMATO SAUCE","Chicken or turkey and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27445130,"CHICKEN & VEG (NO CAR/DK GRN, NO POT), TOMATO SAUCE","Chicken or turkey and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27445150,"GENERAL TSO CHICKEN","General Tso chicken"
+27445180,"MOO GOO GAI PAN","Moo Goo Gai Pan"
+27445220,"KUNG PAO CHICKEN","Kung pao chicken"
+27445250,"ALMOND CHICKEN","Almond chicken"
+27446100,"CHICKEN CHOW MEIN/CHOP SUEY, NO NOODLES","Chicken or turkey chow mein or chop suey, no noodles"
+27446200,"CHICKEN OR TURKEY SALAD, W/ MAYO","Chicken or turkey salad, made with mayonnaise"
+27446205,"CHICKEN/TURKEY SALAD WITH NUTS AND/OR FRUITS","Chicken or turkey salad with nuts and/or fruits"
+27446220,"CHICKEN SALAD W/ EGG","Chicken or turkey salad with egg"
+27446225,"CHICKEN OR TURKEY SALAD, W/ LT MAYO","Chicken or turkey salad, made with light mayonnaise"
+27446230,"CHICKEN OR TURKEY SALAD, W/ MAYO-TYPE DRSG","Chicken or turkey salad, made with mayonnaise-type salad dressing"
+27446235,"CHICKEN OR TURKEY SALAD, MADE W/ LT MAYO-TYPE DRSG","Chicken or turkey salad, made with light mayonnaise-type salad dressing"
+27446240,"CHICKEN OR TURKEY SALAD, W/CREAMY DRSG","Chicken or turkey salad, made with creamy dressing"
+27446245,"CHICKEN OR TURKEY SALAD, W/ LIT CREAMY DRSG","Chicken or turkey salad, made with light creamy dressing"
+27446250,"CHICKEN OR TURKEY SALAD, MADE W/ ITALIAN DRESSING","Chicken or turkey salad, made with Italian dressing"
+27446255,"CHICKEN OR TURKEY SALAD, MADE W/ LT ITALIAN DRSG","Chicken or turkey salad, made with light Italian dressing"
+27446260,"CHICKEN OR TURKEY SALAD, MADE W/ FAT FREE DRSG","Chicken or turkey salad, made with any type of fat free dressing"
+27446300,"CHICKEN GARDEN SALAD W/ TOMATO/CARROT, NO DRESSING","Chicken or turkey garden salad (chicken and/or turkey, tomato and/or carrots, other vegetables), no dressing"
+27446310,"CHICKEN GARDEN SALAD W/VEG, NO CAR/TOM, NO DRESSING","Chicken or turkey garden salad (chicken and/or turkey, other vegetables excluding tomato and carrots), no dressing"
+27446315,"CHICKEN GARDEN SALAD W/ BACON,CHEESE,TOMATO/CARROT,NO DRSG","Chicken or turkey garden salad with bacon and cheese (chicken and/or turkey, bacon, cheese, lettuce and/or greens, tomato and/or carrots, other vegetables), no dressing"
+27446320,"CHICKN(BRD,FRD)GARDEN SALAD W/ BACON,CHEESE,TOM/CAR,NO DRSG","Chicken or turkey (breaded, fried) garden salad with bacon and cheese (chicken and/or turkey, bacon, cheese, lettuce and/or greens, tomato and/or carrots, other vegetables), no dressing"
+27446330,"CHICKN GARDEN SALAD W/ CHEESE,TOM/CAR,NO DRSG","Chicken or turkey garden salad with cheese (chicken and/or turkey, cheese, lettuce and/or greens, tomato and/or carrots, other vegetables), no dressing"
+27446332,"CHICKN(BRD,FRD)GARDEN SALAD W/ CHEESE,TOM/CAR,NO DRSG","Chicken or turkey (breaded, fried) garden salad with cheese (chicken and/or turkey, cheese, lettuce and/or greens, tomato and/or carrots, other vegetables), no dressing"
+27446350,"ASIAN CHICKEN/TURKEY GARDEN SALAD, NO DRESSING","Asian chicken or turkey garden salad (chicken and/or turkey, lettuce, fruit, nuts), no dressing"
+27446355,"ASIAN CHICKEN GARDEN SALAD W/CRISPY NOODLES , NO DRESSING","Asian chicken or turkey garden salad with crispy noodles (chicken and/or turkey, lettuce, fruit, nuts, crispy noodles), no dressing"
+27446360,"CHICKEN/TURKEY CAESAR GARDEN SALAD, NO DRESSING","Chicken or turkey caesar garden salad (chicken and/or turkey, lettuce, tomato, cheese), no dressing"
+27446362,"CHICKEN/TURKEY (BREADED, FRIED) CAESAR GARDEN SALAD, NO DRSG","Chicken or turkey (breaded, fried) caesar garden salad (chicken and/or turkey, lettuce, tomatoes, cheese), no dressing"
+27446400,"CHICKEN & VEG (INCL CAR/DK GRN)(NO POT), CHEESE SCE","Chicken or turkey and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), cheese sauce (mixture)"
+27446410,"CHICKEN & VEG (NO CAR/DK GRN)(NO POT), CHEESE SAUCE","Chicken or turkey and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), cheese sauce (mixture)"
+27448020,"CHICKEN FRICASSEE W/SAUCE,NO POT,PUERTO RICAN STYLE","Chicken or turkey fricassee, with sauce, no potatoes, Puerto Rican style (potatoes reported separately)"
+27448030,"CHICKEN FRICASSEE, NO SCE OR POT,PUERTO RICAN STYLE","Chicken or turkey fricassee, no sauce, no potatoes, Puerto Rican style (sauce and potatoes reported separately)"
+27450010,"CRAB SALAD","Crab salad"
+27450020,"LOBSTER SALAD","Lobster salad"
+27450030,"SALMON SALAD","Salmon salad"
+27450040,"SHRIMP CHOW MEIN OR CHOP SUEY, NO NOODLES","Shrimp chow mein or chop suey, no noodles"
+27450060,"TUNA SALAD, W/MAYO","Tuna salad, made with mayonnaise"
+27450061,"TUNA SALAD, W/LT MAYO","Tuna salad, made with light mayonnaise"
+27450062,"TUNA SALAD, W/ MAYO-TYPE DRESSING","Tuna salad, made with mayonnaise-type salad dressing"
+27450063,"TUNA SALAD, W/ LT MAYO-TYPE DRSG","Tuna salad, made with light mayonnaise-type salad dressing"
+27450064,"TUNA SALAD, W/ CREAMY DRSG","Tuna salad, made with creamy dressing"
+27450065,"TUNA SALAD, W/ LT CREAMY DRSG","Tuna salad, made with light creamy dressing"
+27450066,"TUNA SALAD, W/ ITALIAN DRSG","Tuna salad, made with Italian dressing"
+27450067,"TUNA SALAD, W/ LT ITALIAN DRSG","Tuna salad, made with light Italian dressing"
+27450068,"TUNA SALAD, W/ ANY TYPE OF FAT FREE DRSG","Tuna salad, made with any type of fat free dressing"
+27450070,"SHRIMP SALAD","Shrimp salad"
+27450080,"SEAFOOD SALAD","Seafood salad"
+27450090,"TUNA SALAD W/ CHEESE","Tuna salad with cheese"
+27450100,"TUNA SALAD W/ EGG","Tuna salad with egg"
+27450110,"SHRIMP GARDEN SALAD W/ TOMATO/CARROT, NO DRESSING","Shrimp garden salad (shrimp, lettuce, eggs, tomato and/or carrots, other vegetables), no dressing"
+27450120,"SHRIMP GARDEN SALAD (NO TOMATO/CARROT, NO DRESSING)","Shrimp garden salad (shrimp, lettuce, eggs, vegetables excluding tomato and carrots), no dressing"
+27450130,"CRAB SALAD MADE W/ IMITATION CRAB","Crab salad made with imitation crab"
+27450150,"FISH, TOFU, & VEGETABLES, TEMPURA, HAWAIIAN","Fish, tofu, and vegetables, tempura, Hawaiian style (mixture)"
+27450180,"SEAFOOD GARDEN SALAD W/ VEG(NO TOM/CAR), NO DRESSING","Seafood garden salad with seafood, lettuce, vegetables excluding tomato and carrots, no dressing"
+27450190,"SEAFOOD GARDEN SALAD W/ TOM/CAR, NO DRESSING","Seafood garden salad with seafood, lettuce, tomato and/or carrots, other vegetables, no dressing"
+27450200,"SEAFOOD GARDEN SALAD W/ EGG, VEG, (NO CAR/TOM) NO DRESSING","Seafood garden salad with seafood, lettuce, eggs, vegetables excluding tomato and carrots, no dressing"
+27450210,"SEAFOOD GARDEN SALAD W/EGG, TOM/CAR, NO DRESSING","Seafood garden salad with seafood, lettuce, eggs, tomato and/or carrots, other vegetables, no dressing"
+27450250,"OYSTERS ROCKEFELLER","Oysters Rockefeller"
+27450310,"LOMI SALMON","Lomi salmon"
+27450400,"SHRIMP & VEG (W/ CAR/DK GREEN, NO POT), NO SAUCE","Shrimp and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), no sauce (mixture)"
+27450405,"SHRIMP & VEG (NO CARROT/DK GREEN, NO POT), NO SAUCE","Shrimp and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), no sauce (mixture)"
+27450410,"SHRIMP & VEG (W/ CAR/DK GREEN, NO POT), SOY SAUCE","Shrimp and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27450420,"SHRIMP & VEG (NO CARROT/DK GREEN, NO POT),SOY SAUCE","Shrimp and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27450430,"SHRIMP SHISH KABOB WITH VEGETABLES, EXCLUDING POTATOES","Shrimp shish kabob with vegetables, excluding potatoes"
+27450450,"SHRIMP CREOLE, NO RICE","Shrimp creole, no rice"
+27450470,"KUNG PAO SHRIMP","Kung Pao shrimp"
+27450510,"TUNA CASSEROLE W/ VEG & SOUP, NO NOODLES","Tuna casserole with vegetables and (mushroom) soup, no noodles"
+27450600,"SHELLFISH MIXTURE & VEG (INCL CAR/DK GRN), SOY SCE","Shellfish mixture and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce"
+27450610,"SHELLFISH MIXTURE & VEG (NO CAR/DK GRN), SOY SAUCE","Shellfish mixture and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce"
+27450650,"SHELLFISH & VEG(INCL CAR/DK GRN)(NO POT),SOUP SAUCE","Shellfish mixture and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), (mushroom) soup (mixture)"
+27450660,"SHELLFISH & VEG(NO CAR/DK GRN/POT),SOUP-BASED SAUCE","Shellfish mixture and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), (mushroom) soup (mixture)"
+27450700,"FISH & VEG (INCL CAR/DK GRN, NO POT), TOMATO SAUCE","Fish and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), tomato-based sauce (mixture)"
+27450710,"FISH & VEG (NO CAR/DK GRN, NO POT), TOMATO SAUCE","Fish and vegetables (excluding carrots, broccoli, and dark- green leafy (no potatoes)), tomato-based sauce (mixture)"
+27450740,"FISH & VEGETABLES (W/ CAR/DK GRN), SOY-BASED SAUCE","Fish and vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27450750,"FISH & VEGETABLES (NO CAR/DK GRN), SOY-BASED SAUCE","Fish and vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes)), soy-based sauce (mixture)"
+27450760,"FISH SHISH KABOB WITH VEGETABLES, EXCLUDING POTATOES","Fish shish kabob with vegetables, excluding potatoes"
+27451010,"FRIED FISH W/ SAUCE, P.R. (PESCADO FRITO CON MOJO)","Fried fish with sauce, Puerto Rican style (Pescado frito con mojo)"
+27451030,"LOBSTER W/ SAUCE, P.R. (LANGOSTA A LA CRIOLLA)","Lobster with sauce, Puerto Rican style (Langosta a la criolla)"
+27451060,"OCTOPUS SALAD, P.R. (ENSALADA DE PULPO)","Octopus salad, Puerto Rican style (Ensalada de pulpo)"
+27451070,"CODFISH SALAD, P.R. (SERENATA)","Codfish salad, Puerto Rican style (Serenata)"
+27460010,"CHOW MEIN, NS AS TO TYPE OF MEAT, NO NOODLES","Chow mein or chop suey, NS as to type of meat, no noodles"
+27460100,"LAU LAU(PORK & FISH WRAPPED IN TARO/SPINACH LEAVES)","Lau lau (pork and fish wrapped in taro or spinach leaves)"
+27460490,"JULIENNE SALAD (MEAT, CHEESE, EGG, VEG) NO DRESSING","Julienne salad (meat, cheese, eggs, vegetables), no dressing"
+27460510,"ANTIPASTO W/ HAM, FISH, CHEESE, VEGETABLES","Antipasto with ham, fish, cheese, vegetables"
+27460710,"LIVERS, CHICKEN, CHOPPED, W/ EGGS & ONION (MIXTURE)","Livers, chicken, chopped, with eggs and onion (mixture)"
+27460750,"LIVER, BEEF OR CALVES, & ONIONS","Liver, beef or calves, and onions"
+27461010,"STEWED SEASONED GROUND BEEF, P.R.","Stewed seasoned ground beef, Puerto Rican style (Picadillo para relleno)"
+27462000,"STEWED CHITTERLINGS, P.R. (CUAJO GUISADO)","Stewed chitterlings, Puerto Rican style (cuajo guisado)"
+27463000,"STEWED GIZZARDS, P.R. (MOLLEJITAS GUISADAS)","Stewed gizzards, Puerto Rican style (Mollejitas guisadas)"
+27464000,"GUMBO, NO RICE (NEW ORLEANS TYPE W/MEAT, TOM, OKRA)","Gumbo, no rice (New Orleans type with shellfish, pork, and/or poultry, tomatoes, okra)"
+27500050,"SANDWICH, NFS","Sandwich, NFS"
+27500100,"MEAT SANDWICH, NFS","Meat sandwich, NFS"
+27500200,"WRAP SANDWICH, W/ MEAT, POULTRY OR FISH, VEGETABLES & CHEESE","Wrap sandwich, filled with meat, poultry, or fish, vegetables, and cheese"
+27500300,"WRAP SANDWICH, W/ MEAT, POULTRY OR FISH & VEGETABLES","Wrap sandwich, filled with meat, poultry, or fish, and vegetables"
+27510000,"BEEF SANDWICH, NFS","Beef sandwich, NFS"
+27510110,"BEEF BARBECUE SANDWICH OR SLOPPY JOE, ON BUN","Beef barbecue sandwich or Sloppy Joe, on bun"
+27510130,"BEEF BARBECUE SUBMARINE SANDWICH, ON BUN","Beef barbecue submarine sandwich, on bun"
+27510210,"CHEESEBURGER, PLAIN, ON BUN","Cheeseburger, plain, on bun"
+27510220,"CHEESEBURGER, W/ MAYO, ON BUN","Cheeseburger, with mayonnaise or salad dressing, on bun"
+27510230,"CHEESEBURGER, W/ MAYO & TOMATO/CATSUP, ON BUN","Cheeseburger, with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510240,"CHEESEBURGER, 1/4 LB MEAT, PLAIN, ON BUN","Cheeseburger, 1/4 lb meat, plain, on bun"
+27510250,"CHEESEBURGER, 1/4 LB MEAT, W/ MAYO, ON BUN","Cheeseburger, 1/4 lb meat, with mayonnaise or salad dressing, on bun"
+27510260,"CHEESEBURGER, 1/4 LB, W/ MUSHROOM SAUCE, ON BUN","Cheeseburger, 1/4 lb meat, with mushrooms in sauce, on bun"
+27510265,"DOUBLE CHEESEBURGER, PLAIN, ON MINIATURE BUN","Double cheeseburger, (2 patties, 1 oz each), plain, on miniature bun"
+27510270,"DOUBLE CHEESEBURGER, PLAIN, ON BUN","Double cheeseburger (2 patties), plain, on bun"
+27510280,"DOUBLE CHEESEBURGER, W/ MAYO, ON BUN","Double cheeseburger (2 patties), with mayonnaise or salad dressing, on bun"
+27510290,"DOUBLE CHEESEBURGER, PLAIN, ON DOUBLE-DECKER BUN","Double cheeseburger (2 patties), plain, on double-decker bun"
+27510300,"DOUBLE CHEESEBURGER, W/MAYO, ON DOUBLE-DECKER BUN","Double cheeseburger (2 patties), with mayonnaise or salad dressing, on double-decker bun"
+27510310,"CHEESEBURGER W/ TOMATO & OR CATSUP, ON BUN","Cheeseburger with tomato and/or catsup, on bun"
+27510311,"CHEESEBURGER, 1 OZ MEAT, PLAIN, ON MINI BUN","Cheeseburger, 1 oz meat, plain, on miniature bun"
+27510320,"CHEESEBURGER, 1/4 LB MEAT,W/ TOMATO/CATSUP, BUN","Cheeseburger, 1/4 lb meat, with tomato and/or catsup, on bun"
+27510330,"DOUBLE CHEESEBURGER W/TOMATO & OR CATSUP, ON BUN","Double cheeseburger (2 patties), with tomato and/or catsup, on bun"
+27510340,"DOUBLE CHEESEBURGER, W/ MAYO & TOMATO, ON BUN","Double cheeseburger (2 patties), with mayonnaise or salad dressing and tomatoes and/or catsup, on bun"
+27510350,"CHEESEBURGER, 1/4 LB MEAT, W/ MAYO & TOMATO/CATSUP, ON BUN","Cheeseburger, 1/4 lb meat, with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510355,"CHEESEBURGER, 1/3 LB MEAT, W/MAYO, TOMATO, ON BUN","Cheeseburger, 1/3 lb meat, with mayonnaise or salad dressing, tomato and/or catsup on bun"
+27510359,"CHEESEBURGER, 1/3 LB MEAT, W/MAYO, MUSHROOMS,ON BUN","Cheeseburger, 1/3 lb meat, with mayonnaise or salad dressing, and mushrooms, on bun"
+27510360,"BACON CHEESEBURGER, W/MAYO/SALAD DRSG, TOMATO/CATSUP,ON BUN","Bacon cheeseburger, with mayonnaise or salad dressing, tomato and/or catsup, on bun"
+27510370,"DOUBLE CHEESEBURGER W/ MAYONNAISE, ON BUN","Double cheeseburger (2 patties, 1/4 lb meat each), with mayonnaise or salad dressing, on bun"
+27510375,"DOUBLE CHEESEBURGER(2 PATTIES,1/4 LB EA) W/TOMATO/CATSUP/BUN","Double cheeseburger (2 patties, 1/4 lb meat each), with tomato and/or catsup, on bun"
+27510380,"TRIPLE CHEESEBURGER W/ MAYO, TOMATO, ON BUN","Triple cheeseburger (3 patties, 1/4 lb meat each), with mayonnaise or salad dressing and tomatoes and/or catsup, on bun"
+27510385,"DOUBLE BACON CHEESEBURGER (2 PATTIES), W/ TOMATO/CATSUP","Double bacon cheeseburger (2 patties), with tomato and/or catsup, on bun"
+27510390,"DOUBLE BACON CHEESEBURGER, ON BUN","Double bacon cheeseburger (2 patties, 1/4 lb meat each), on bun"
+27510400,"BACON CHEESEBURGER, 1/4 LB MEAT, W/ TOMATO, ON BUN","Bacon cheeseburger, 1/4 lb meat, with tomato and/or catsup, on bun"
+27510410,"CHILIBURGER, ON BUN (INCLUDE HAMBURGER W/ CHILI)","Chiliburger, on bun"
+27510420,"TACO BURGER, ON BUN (INCL CHILIBURGER W/ CHEESE)","Taco burger, on bun"
+27510425,"DOUBLE BACON CHEESEBURGER (2 PATTIES,1/4 LB EA), W/ MAYO/BUN","Double bacon cheeseburger (2 patties, 1/4 lb meat each), with mayonnaise or salad dressing, on bun"
+27510430,"DOUBLE BACON CHEESEBURGER, W/MAYO/DRSG,TOMATO/CATSUP,ON BUN","Double bacon cheeseburger (2 patties, 1/4 lb meat each), with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510435,"DOUBLE BACON CHEESEBURGER (2 PATTIES,1/3 LB EA) W/ MAYO/ BUN","Double bacon cheeseburger (2 patties,1/3 lb meat each), with mayonnaise or salad dressing, on bun"
+27510440,"BACON CHEESEBURGER, 1/4 LB, W/MAYO/DRSG,TOMATO/CATSUP,ON BUN","Bacon cheeseburger, 1/4 lb meat, with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510445,"BACON CHEESEBURGER, 1/3 LB MEAT, W/TOMATO +/OR CATSUP,","Bacon cheeseburger, 1/3 lb meat, with tomato and/or catsup, on bun"
+27510450,"CHEESEBURGER, 1/4 LB MEAT, W/ HAM, ON BUN","Cheeseburger, 1/4 lb meat, with ham, on bun"
+27510480,"CHEESEBURGER, W/ ONIONS, ON RYE BUN","Cheeseburger (hamburger with cheese sauce), 1/4 lb meat, with grilled onions, on rye bun"
+27510500,"HAMBURGER, PLAIN, ON BUN","Hamburger, plain, on bun"
+27510510,"HAMBURGER, W/ TOMATO & OR CATSUP, ON BUN","Hamburger, with tomato and/or catsup, on bun"
+27510520,"HAMBURGER, W/ MAYO & TOMATO/CATSUP, ON BUN","Hamburger, with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510530,"HAMBURGER, 1/4 LB MEAT, PLAIN, ON BUN","Hamburger, 1/4 lb meat, plain, on bun"
+27510540,"DOUBLE HAMBURGER W/TOMATO & OR CATSUP, ON BUN","Double hamburger (2 patties), with tomato and/or catsup, on bun"
+27510550,"DOUBLE HAMBURGER W/ MAYO & TOMATO, DBL-DECKER BUN","Double hamburger (2 patties), with mayonnaise or salad dressing and tomatoes, on double-decker bun"
+27510560,"HAMBURGER, 1/4 LB MEAT W/ MAYO & TOMATO/CATSUP, ON BUN","Hamburger, 1/4 lb meat, with mayonnaise or salad dressing, and tomato and/or catsup, on bun"
+27510570,"HAMBURGER, 2.5 OZ MEAT, W/ MAYO & TOMATO, ON BUN","Hamburger, 2-1/2 oz meat, with mayonnaise or salad dressing and tomatoes, on bun"
+27510590,"HAMBURGER, W/ MAYO, ON BUN","Hamburger, with mayonnaise or salad dressing, on bun"
+27510600,"HAMBURGER, 1 OZ MEAT,PLAIN, ON MINIATURE BUN","Hamburger, 1 oz meat, plain, on miniature bun"
+27510610,"HAMBURGER, 1 OZ MEAT, TOMATO, ON MINIATURE BUN","Hamburger, 1 oz meat, with tomato and/or catsup, on miniature bun"
+27510620,"HAMBURGER, 1/4 LB MEAT, W/ TOMATO & OR CATSUP, BUN","Hamburger, 1/4 lb meat, with tomato and/or catsup, on bun"
+27510630,"HAMBURGER, 1/4 LB MEAT, W/ MAYO, ON BUN","Hamburger, 1/4 lb meat, with mayonnaise or salad dressing, on bun"
+27510650,"DOUBLE HAMBURGER, PLAIN, ON BUN","Double hamburger (2 patties), plain, on bun"
+27510660,"DOUBLE HAMBURGER, W/ MAYO, ON BUN","Double hamburger (2 patties), with mayonnaise or salad dressing, on bun"
+27510670,"DOUBLE HAMBURGER, W/ MAYO & TOMATO, ON BUN","Double hamburger (2 patties), with mayonnaise or salad dressing and tomatoes, on bun"
+27510680,"DOUBLE HAMBURGER (1/2 LB MEAT), W/ TOM/CATSUP, BUN","Double hamburger (2 patties, 1/4 lb meat each), with tomato and/or catsup, on bun"
+27510690,"DOUBLE HAMBURGER,1/2 LB MEAT,W/MAYO&TOM/CATSUP,BUN","Double hamburger (2 patties, 1/4 lb meat each), with mayonnaise or salad dressing and tomatoes and/or catsup, on double-decker bun"
+27510700,"MEATBALL & SPAG SAU SUB SAND","Meatball and spaghetti sauce submarine sandwich"
+27510710,"PIZZABURGER (HAMBURGER, CHEESE, SAUCE), ON 1/2 BUN","Pizzaburger (hamburger, cheese, sauce) on 1/2 bun"
+27510720,"PIZZABURGER (HAMBURGER, CHEESE, SAUCE), WHOLE BUN","Pizzaburger (hamburger, cheese, sauce) on whole bun"
+27510910,"CORNED BEEF SANDWICH","Corned beef sandwich"
+27510950,"REUBEN(CORN BEEF W/ SAUERKRAUT & CHEESE) W/ SPREAD","Reuben sandwich (corned beef sandwich with sauerkraut and cheese), with spread"
+27511010,"PASTRAMI SANDWICH","Pastrami sandwich"
+27513010,"ROAST BEEF SANDWICH","Roast beef sandwich"
+27513020,"ROAST BEEF SANDWICH, W/ GRAVY","Roast beef sandwich, with gravy"
+27513040,"ROAST BEEF SUB SAND, W/ LETT, TOM, SPRD","Roast beef submarine sandwich, with lettuce, tomato and spread"
+27513041,"ROAST BEEF SUB SAND, W/ CHEESE, LETTUCE, TOMATO, SPRD","Roast beef submarine sandwich, with cheese, lettuce, tomato and spread"
+27513050,"ROAST BEEF SANDWICH W/ CHEESE","Roast beef sandwich with cheese"
+27513060,"ROAST BEEF SANDWICH W/ BACON & CHEESE SAUCE","Roast beef sandwich with bacon and cheese sauce"
+27513070,"ROAST BEEF SUBMARINE SANDWICH, ON ROLL, AU JUS","Roast beef submarine sandwich, on roll, au jus"
+27515000,"STEAK SUBMARINE SANDWICH WITH LETTUCE AND TOMATO","Steak submarine sandwich with lettuce and tomato"
+27515010,"STEAK SANDWICH, PLAIN, ON ROLL","Steak sandwich, plain, on roll"
+27515020,"STEAK , CHEESE SUB SAND, W/ LETT, TOM","Steak and cheese submarine sandwich, with lettuce and tomato"
+27515030,"STEAK & CHEESE SANDWICH, PLAIN, ON ROLL","Steak and cheese sandwich, plain, on roll"
+27515040,"STEAK & CHEESE SUBMARINE SANDWICH, PLAIN, ON ROLL","Steak and cheese submarine sandwich, plain, on roll"
+27515050,"FAJITA-STYLE BEEF SAND W/ CHEESE,PITA BRD,W/LET+TOM","Fajita-style beef sandwich with cheese, on pita bread, with lettuce and tomato"
+27515070,"STEAK & CHEESE SUB, FRIED PEP & ONIONS, ON ROLL","Steak and cheese submarine sandwich, with fried peppers and onions, on roll"
+27515080,"STEAK SANDWICH, PLAIN, ON BISCUIT","Steak sandwich, plain, on biscuit"
+27516010,"GYRO SANDWICH W/ TOMATO & SPREAD","Gyro sandwich (pita bread, beef, lamb, onion, condiments), with tomato and spread"
+27517000,"WRAP SANDWICH FILLED WITH BEEF PATTY, CHEESE, LETTUCE,SPREAD","Wrap sandwich filled with beef patty, cheese and spread and/or sauce"
+27517010,"WRAP SANDWICH FILLED WITH BEEF PATTY, CHEESE, TOMATO, SPREAD","Wrap sandwich filled with beef patty, cheese, tomato and/or catsup, and spread and/or sauce"
+27518000,"WRAP SAND W/BEEF PATTY,BAC, CHS, TOM,SPREAD","Wrap sandwich filled with beef patty, bacon, cheese, tomato and/or catsup, and spread and/or sauce"
+27520110,"BACON SANDWICH W/ SPREAD","Bacon sandwich, with spread"
+27520120,"BACON & CHEESE SANDWICH, W/ SPREAD","Bacon and cheese sandwich, with spread"
+27520130,"BACON, CHICK, & TOM CLUB SANDWICH W/ LETTUCE+SPREAD","Bacon, chicken, and tomato club sandwich, with lettuce and spread"
+27520135,"BACON, CHICKN & TOMATO CLUB SANDWICH W/CHEESE, LETTUCE &SPRD","Bacon, chicken, and tomato club sandwich, with cheese, lettuce and spread"
+27520140,"BACON & EGG SANDWICH","Bacon and egg sandwich"
+27520150,"BACON, LETTUCE, & TOMATO SANDWICH W/ SPREAD","Bacon, lettuce, and tomato sandwich with spread"
+27520160,"BACON,CHICK,&TOMATO CLUB SANDWICH,MULTIGR W/ SPREAD","Bacon, chicken, and tomato club sandwich, on multigrain roll with lettuce and spread"
+27520165,"BACON, CHICK FILLET (BRD, FRIED),& TOM CLUB W/LETTUCE & SPRD","Bacon, chicken fillet (breaded, fried), and tomato club with lettuce and spread"
+27520166,"BACON, CHICK FILLET (BRD,FRIED),&TOM CLUB W/CHS,LETTUCE&SPRD","Bacon, chicken fillet (breaded, fried), and tomato club sandwich with cheese, lettuce and spread"
+27520170,"BACON ON BISCUIT","Bacon on biscuit"
+27520250,"HAM ON BISCUIT","Ham on biscuit"
+27520300,"HAM SANDWICH W/ SPREAD","Ham sandwich, with spread"
+27520310,"HAM SANDWICH W/ LETTUCE & SPREAD","Ham sandwich with lettuce and spread"
+27520320,"HAM & CHEESE SANDWICH, W/ LETTUCE & SPREAD","Ham and cheese sandwich, with lettuce and spread"
+27520330,"HAM & EGG SANDWICH","Ham and egg sandwich"
+27520340,"HAM SALAD SANDWICH","Ham salad sandwich"
+27520350,"HAM & CHEESE SANDWICH W/ SPREAD, GRILLED","Ham and cheese sandwich, with spread, grilled"
+27520360,"HAM & CHEESE SANDWICH ON BUN W/ LETTUCE & SPREAD","Ham and cheese sandwich, on bun, with lettuce and spread"
+27520370,"HOT HAM & CHEESE SANDWICH, ON BUN","Hot ham and cheese sandwich, on bun"
+27520380,"HAM & CHEESE ON ENGLISH MUFFIN","Ham and cheese on English muffin"
+27520390,"HAM & CHEESE SUB, W/ LETTUCE, TOMATO & SPREAD","Ham and cheese submarine sandwich, with lettuce, tomato and spread"
+27520410,"CUBAN SAND, P.R STYLE(SANDWICH CUBANA), W/ SPREAD","Cuban sandwich, (Sandwich cubano), with spread"
+27520420,"MIDNIGHT SAND,P.R. STYLE (MEDIA NOCHE), W/ SPREAD","Midnight sandwich, (Media noche), with spread"
+27520500,"PORK SANDWICH, ON WHITE ROLL, W/ ONIONS, PICKLES & BBQ SAUCE","Pork sandwich, on white roll, with onions, dill pickles and barbecue sauce"
+27520510,"PORK BARBECUE SANDWICH OR SLOPPY JOE, ON BUN","Pork barbecue sandwich or Sloppy Joe, on bun"
+27520520,"PORK SANDWICH","Pork sandwich"
+27520530,"PORK SANDWICH W/ GRAVY","Pork sandwich, with gravy"
+27520540,"HAM & TOMATO CLUB SAND, W/ SPREAD","Ham and tomato club sandwich, with lettuce and spread"
+27540110,"CHICKEN SANDWICH, W/ SPREAD","Chicken sandwich, with spread"
+27540111,"CHICKEN SANDWICH, W/ CHEESE & SPREAD","Chicken sandwich, with cheese and spread"
+27540120,"CHICKEN SALAD OR CHICKEN SPREAD SANDWICH","Chicken salad or chicken spread sandwich"
+27540130,"CHICKEN BARBECUE SANDWICH","Chicken barbecue sandwich"
+27540140,"CHICKEN FILLET (BREADED, FRIED) SANDWICH","Chicken fillet (breaded, fried) sandwich"
+27540145,"CHICKEN FILLET (BREADED, FRIED) SANDWICH ON BISCUIT","Chicken fillet (breaded, fried) sandwich on biscuit"
+27540150,"CHICKEN FILLET(BR FRIED) SAND W/ LET, TOM & SPREAD","Chicken fillet (breaded, fried) sandwich with lettuce, tomato and spread"
+27540151,"CHICKEN FILLET(BRD, FRIED) SAND W/ CHEESE, LETT, TOM & SPRD","Chicken fillet (breaded, fried) sandwich with cheese, lettuce, tomato and spread"
+27540170,"CHICKEN PATTY SANDWICH, MINI, W/ SPREAD","Chicken patty sandwich, miniature, with spread"
+27540180,"CHICKEN PATTY SANDWICH ON BISCUIT","Chicken patty sandwich or biscuit"
+27540190,"CHICKEN PATTY SANDWICH W/ LETTUCE & SPREAD","Chicken patty sandwich, with lettuce and spread"
+27540200,"FAJITA-STYLE CHICKEN SANDWICH W/ CHEESE, LETTUC,TOM","Fajita-style chicken sandwich with cheese, on pita bread, with lettuce and tomato"
+27540210,"WRAP SNDWCH W/CHICK STRIPS(BREADED,FRIED),CHS,LETTUCE & SPRD","Wrap sandwich filled with chicken strips (breaded, fried), cheese, lettuce, and spread"
+27540230,"CHICKEN PATTY SAND W/ CHEES,WHEAT BUN,LET,TOM, SPRE","Chicken patty sandwich with cheese, on wheat bun, with lettuce, tomato and spread"
+27540235,"CHICKEN FILLET, BROILED, SANDWICH WITH LETTUCE, TOMATO, AND","Chicken fillet, broiled, sandwich with lettuce, tomato, and spread"
+27540240,"CHICKEN FILLET,(BROIL) SAND W/ LET, TOM, & SPREAD","Chicken fillet, (broiled), sandwich, on whole wheat roll, with lettuce, tomato and spread"
+27540250,"CHICK FILLET,BROIL,SANDWICH,W/CHEESE,WW ROLL","Chicken fillet, broiled, sandwich with cheese, on whole wheat roll, with lettuce, tomato and non-mayonnaise type spread"
+27540260,"CHICK FILLET, BROILED,SANDWICH,ON OAT BRAN BUN(LTS)","Chicken fillet, broiled, sandwich, on oat bran bun, with lettuce, tomato, spread"
+27540270,"CHICKEN FILLET,SANDWICH,W/LETT,TOM,&NON-MAYO SPREAD","Chicken fillet, broiled, sandwich, with lettuce, tomato, and non-mayonnaise type spread"
+27540280,"CHICKEN FILLET,BROILED,SANDWICH,W/CHEESE,ON BUN","Chicken fillet, broiled, sandwich with cheese, on bun, with lettuce, tomato and spread"
+27540290,"CHICKEN SUB SANDWICH, W/ LETTUCE, TOMATO & SPREAD","Chicken submarine sandwich, with lettuce, tomato, and spread"
+27540291,"CHICKEN SUB SANDWICH, W/ CHEESE, LETTUCE, TOMATO & SPREAD","Chicken submarine sandwich, with cheese, lettuce, tomato, and spread"
+27540300,"WRAP SNDWCH W/CHICK STRIPS (BROILED),CHS,LETTUCE & SPRD","Wrap sandwich filled with chicken strips (broiled), cheese, lettuce, and spread"
+27540310,"TURKEY SANDWICH W/ SPREAD","Turkey sandwich, with spread"
+27540320,"TURKEY SALAD SANDWICH","Turkey salad or turkey spread sandwich"
+27540330,"TURKEY SANDWICH W/ GRAVY","Turkey sandwich, with gravy"
+27540350,"TURKEY SUB SAND, W/ CHEESE, LETT, TOM, SPRD","Turkey submarine sandwich, with cheese, lettuce, tomato and spread"
+27541000,"TURKEY, HAM & ROAST BEEF CLUB SANDWCH W/LETT,TOM,SPRD","Turkey, ham, and roast beef club sandwich, with lettuce, tomato and spread"
+27541001,"TURKEY, HAM & ROAST BEEF CLUB SANDWCH W/CHEESE,LETT,TOM,SPRD","Turkey, ham, and roast beef club sandwich with cheese, lettuce, tomato, and spread"
+27550000,"FISH SANDWICH, ON BUN, W/ SPREAD","Fish sandwich, on bun, with spread"
+27550100,"FISH SANDWICH, ON BUN, W/ CHEESE AND SPREAD","Fish sandwich, on bun, with cheese and spread"
+27550110,"CRAB CAKE SANDWICH, ON BUN","Crab cake sandwich, on bun"
+27550510,"SARDINE SANDWICH, W/ LETTUCE & SPREAD","Sardine sandwich, with lettuce and spread"
+27550710,"TUNA SALAD SANDWICH W/ LETTUCE","Tuna salad sandwich, with lettuce"
+27550720,"TUNA SALAD SANDWICH","Tuna salad sandwich"
+27550730,"TUNA MELT SANDWICH","Tuna melt sandwich"
+27550750,"TUNA SALSUB SAND, W/ LETT & TOMATO","Tuna salad submarine sandwich, with lettuce and tomato"
+27550751,"TUNA SALAD SUB SANDWCH, W/ CHEESE, LETTUCE & TOMATO","Tuna salad submarine sandwich, with cheese, lettuce and tomato"
+27560000,"LUNCHEON MEAT SANDWICH, NFS, W/ SPREAD","Luncheon meat sandwich, NFS, with spread"
+27560110,"BOLOGNA SANDWICH, W/ SPREAD","Bologna sandwich, with spread"
+27560120,"BOLOGNA & CHEESE SANDWICH W/ SPREAD","Bologna and cheese sandwich, with spread"
+27560300,"CORN DOG (FRANKFURTER/HOT DOG W/ CORNBREAD COATING)","Corn dog (frankfurter or hot dog with cornbread coating)"
+27560350,"PIG IN A BLANKET (FRANKFURTER OR HOT DOG WRAPPED IN DOUGH)","Pig in a blanket (frankfurter or hot dog wrapped in dough)"
+27560410,"PUERTO RICAN SANDWICH, P.R. (SANDWICH CRIOLLO)","Puerto Rican sandwich (Sandwich criollo)"
+27560500,"PEPPERONI, SALAMI SUBM SANDWICH, WITH LETTUCE, TOM, SPREAD","Pepperoni and salami submarine sandwich, with lettuce, tomato, and spread"
+27560510,"SALAMI SANDWICH W/ SPREAD","Salami sandwich, with spread"
+27560650,"SAUSAGE ON BISCUIT(INCL JIMMY DEAN SAUSAGE BISCUIT)","Sausage on biscuit"
+27560660,"SAUSAGE GRIDDLE CAKE SANDWICH","Sausage griddle cake sandwich"
+27560670,"SAUSAGE & CHEESE ON ENGLISH MUFFIN","Sausage and cheese on English muffin"
+27560705,"SAUSAGE BALLS (MADE W/ BISCUIT MIX & CHEESE)","Sausage balls (made with biscuit mix and cheese)"
+27560710,"SAUSAGE SANDWICH","Sausage sandwich"
+27560720,"SAUSAGE & SPAGH SAUCE SANDWICH","Sausage and spaghetti sauce sandwich"
+27560910,"COLD CUT SUB SANDWICH, W/ CHEESE, LETTUCE, TOMATO, SPRD","Cold cut submarine sandwich, with cheese, lettuce, tomato, and spread"
+27563010,"MEAT SPREAD OR POTTED MEAT SANDWICH","Meat spread or potted meat sandwich"
+27564000,"FRANKFURTER OR HOT DOG, NFS, PLAIN, ON BUN","Frankfurter or hot dog sandwich, NFS, plain, on bun"
+27564010,"FRANKFURTER OR HOT DOG, NFS, PLAIN, ON WHITE BREAD","Frankfurter or hot dog sandwich, NFS, plain, on white bread"
+27564020,"FRANKFURTER OR HOT DOG, NFS, PLAIN, ON WHEAT BREAD","Frankfurter or hot dog sandwich, NFS, plain, on wheat bread"
+27564030,"FRANKFURTER/HOT DOG, NFS, PLAIN, WHL WHT BREAD, NS TO 100%","Frankfurter or hot dog sandwich, NFS, plain, on whole wheat bread, NS as to 100%"
+27564040,"FRANKFURTER OR HOT DOG, NFS, PLAIN, ON WHOLE GRAIN WHITE BRE","Frankfurter or hot dog sandwich, NFS, plain, on whole grain white bread"
+27564050,"FRANKFURTER OR HOT DOG, NFS, PLAIN, ON MULTIGRAIN BREAD","Frankfurter or hot dog sandwich, NFS, plain, on multigrain bread"
+27564060,"FRANKFURTER OR HOT DOG, BEEF, PLAIN, ON BUN","Frankfurter or hot dog sandwich, beef, plain,on bun"
+27564070,"FRANKFURTER OR HOT DOG, PLAIN, WHITE BREAD","Frankfurter or hot dog sandwich, beef, plain, on white bread"
+27564080,"FRANKFURTER OR HOT DOG, PLAIN, WHEAT BREAD","Frankfurter or hot dog sandwich, beef, plain, on wheat bread"
+27564090,"FRANKFURTER/ HOT DOG, BEEF,PLAIN, WHOLE WHEAT BREAD, NS 100%","Frankfurter or hot dog sandwich, beef, plain, on whole wheat bread, NS as to 100%"
+27564100,"FRANKFURTER OR HOT DOG, PLAIN, ON WHOLE GRAIN WHITE","Frankfurter or hot dog sandwich, beef, plain, on whole grain white bread"
+27564110,"FRANKFURTER OR HOT DOG, BEEF, PLAIN, ON MULTIGRAIN BREAD","Frankfurter or hot dog sandwich, beef, plain, on multigrain bread"
+27564120,"FRANKFURTER OR HOT DOG, BEEF/PORK, PLAIN, ON BUN","Frankfurter or hot dog sandwich, beef and pork, plain, on bun"
+27564130,"FRANKFURTER OR HOT DOG, BEEF & PORK, PLAIN, ON WHITE BREAD","Frankfurter or hot dog sandwich, beef and pork, plain, on white bread"
+27564140,"FRANKFURTER OR HOT DOG, BEEF/PORK, PLAIN, ON WHEAT BREAD","Frankfurter or hot dog sandwich, beef and pork, plain, on wheat bread"
+27564150,"FRANKFURTER/HOT DOG, BEEF&PORK,PLAIN,ON WHL WHT, NS TO 100%","Frankfurter or hot dog sandwich, beef and pork, plain, on whole wheat bread, NS as to 100%"
+27564160,"FRANKFURTER OR HOT DOG, BEEF/PORK, PLAIN, WHOLE GRAIN WHITE","Frankfurter or hot dog sandwich, beef and pork, plain, on whole grain white bread"
+27564170,"FRANKFURTER OR HOT DOG, BEEF/PORK, PLAIN, MULTIGRAIN BREAD","Frankfurter or hot dog sandwich, beef and pork, plain, on multigrain bread"
+27564180,"FRANKFURTER OR HOT DOG, MEAT/POULTRY, PLAIN, ON BUN","Frankfurter or hot dog sandwich, meat and poultry, plain, on bun"
+27564190,"FRANKFURTER OR HOT DOG, MEAT AND POULTRY, PLAIN, ON WHITE BR","Frankfurter or hot dog sandwich, meat and poultry, plain, on white bread"
+27564200,"FRANKFURTER OR HOT DOG, MEAT AND POULTRY, PLAIN, ON WHEAT BR","Frankfurter or hot dog sandwich, meat and poultry, plain, on wheat bread"
+27564210,"FRANKFURTER/HOT DOG, MEAT&POULTRY,PLAIN,WHL WHT,NS TO 100%","Frankfurter or hot dog sandwich, meat and poultry, plain, on whole wheat bread, NS as to 100%"
+27564220,"FRANKFURTER OR HOT DOG, MEAT AND POULTRY, PLAIN, ON WHOLE GR","Frankfurter or hot dog sandwich, meat and poultry, plain, on whole grain white bread"
+27564230,"FRANKFURTER OR HOT DOG, MEAT AND POULTRY, PLAIN, ON MULTIGRA","Frankfurter or hot dog sandwich, meat and poultry, plain, on multigrain bread"
+27564240,"FRANKFURTER OR HOT DOG, CHICKEN AND/OR TURKEY, PLAIN, ON BUN","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on bun"
+27564250,"FRANKFURTER OR HOT DOG, CHICKEN / TURKEY, PLAIN, ON WHITE BR","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on white bread"
+27564260,"FRANKFURTER OR HOT DOG, CHICKEN AND/OR TURKEY, PLAIN, ON WHE","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on wheat bread"
+27564270,"FRANKFURTER/HOT DOG, CHICK/TURKEY,PLAIN,WHL WHT,NS TO 100%","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on whole wheat bread, NS as to 100%"
+27564280,"FRANKFURTER OR HOT DOG, CHICKEN AND/OR TURKEY, PLAIN, ON WHO","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on whole grain white bread"
+27564290,"FRANKFURTER OR HOT DOG, CHICKEN AND/OR TURKEY, PLAIN, ON MUL","Frankfurter or hot dog sandwich, chicken and/or turkey, plain, on multigrain bread"
+27564300,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, PLAIN, ON BUN","Frankfurter or hot dog sandwich, reduced fat or light, plain, on bun"
+27564310,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, PLAIN, ON WHIT","Frankfurter or hot dog sandwich, reduced fat or light, plain, on white bread"
+27564320,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, PLAIN, ON WHEA","Frankfurter or hot dog sandwich, reduced fat or light, plain, on wheat bread"
+27564330,"FRANKFURTER/HOT DOG, RED FAT/LIGHT,PLAIN,WHL WHT,NS TO 100%","Frankfurter or hot dog sandwich, reduced fat or light, plain, on whole wheat bread, NS as to 100%"
+27564340,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, PLAIN, ON WHOL","Frankfurter or hot dog sandwich, reduced fat or light, plain, on whole grain white bread"
+27564350,"FRANKFURTER OR HOT DOG, REDUCED FAT OR LIGHT, PLAIN, ON MULT","Frankfurter or hot dog sandwich, reduced fat or light, plain, on multigrain bread"
+27564360,"FRANKFURTER OR HOT DOG, FAT FREE, PLAIN, ON BUN","Frankfurter or hot dog sandwich, fat free, plain, on bun"
+27564370,"FRANKFURTER OR HOT DOG, FAT FREE, PLAIN, ON WHITE BREAD","Frankfurter or hot dog sandwich, fat free, plain, on white bread"
+27564380,"FRANKFURTER OR HOT DOG, FAT FREE, PLAIN, ON WHEAT BREAD","Frankfurter or hot dog sandwich, fat free, plain, on wheat bread"
+27564390,"FRANKFURTER/HOT DOG, FAT FREE, PLAIN, WHL WHT, NS TO 100%","Frankfurter or hot dog sandwich, fat free, plain, on whole wheat bread, NS as to 100%"
+27564400,"FRANKFURTER OR HOT DOG, FAT FREE, PLAIN, ON WHOLE GRAIN WHIT","Frankfurter or hot dog sandwich, fat free, plain, on whole grain white bread"
+27564410,"FRANKFURTER OR HOT DOG, FAT FREE, PLAIN, ON MULTIGRAIN BREAD","Frankfurter or hot dog sandwich, fat free, plain, on multigrain bread"
+27564420,"FRANKFURTER OR HOT DOG, MEATLESS, PLAIN, ON BUN","Frankfurter or hot dog sandwich, meatless, plain, on bun"
+27564430,"FRANKFURTER OR HOT DOG, MEATLESS, PLAIN, ON BREAD","Frankfurter or hot dog sandwich, meatless, plain, on bread"
+27564440,"FRANKFURTER OR HOT DOG, WITH CHILI, ON BUN","Frankfurter or hot dog sandwich, with chili, on bun"
+27564450,"FRANKFURTER OR HOT DOG, WITH CHILI, ON WHITE BREAD","Frankfurter or hot dog sandwich, with chili, on white bread"
+27564460,"FRANKFURTER OR HOT DOG, WITH CHILI, ON WHEAT BREAD","Frankfurter or hot dog sandwich, with chili, on wheat bread"
+27564470,"FRANKFURTER/HOT DOG, W/CHILI, ON WHL WHT BREAD, NS TO 100%","Frankfurter or hot dog sandwich, with chili, on whole wheat bread, NS as to 100%"
+27564480,"FRANKFURTER OR HOT DOG, WITH CHILI, ON WHOLE GRAIN WHITE BRE","Frankfurter or hot dog sandwich, with chili, on whole grain white bread"
+27564490,"FRANKFURTER OR HOT DOG, WITH CHILI, ON MULTI-GRAIN BREAD","Frankfurter or hot dog sandwich, with chili, on multi-grain bread"
+27564500,"FRANKFURTER OR HOT DOG, W/ VEGETARIAN CHILI, ON BUN","Frankfurter or hot dog sandwich, with vegetarian chili, on bun"
+27564510,"FRANKFURTER OR HOT DOG, W/ VEGETARIAN CHILI, ON WHITE BREAD","Frankfurter or hot dog sandwich, with vegetarian chili, on white bread"
+27564520,"FRANKFURTER OR HOT DOG, W/ VEGETARIAN CHILI, ON WHEAT BREAD","Frankfurter or hot dog sandwich, with vegetarian chili, on wheat bread"
+27564530,"FRANKFURTER/HOT DOG, W/MEATLESS CHILI, ON WHL WHT,NS TO 100%","Frankfurter or hot dog sandwich, with meatless chili, on whole wheat bread, NS as to 100%"
+27564540,"FRANKFURTER OR HOT DOG, W/ VEGETARIAN CHILI, ON WHOLE GRAIN","Frankfurter or hot dog sandwich, with vegetarian chili, on whole grain white bread"
+27564550,"FRANKFURTER OR HOT DOG, W/ VEGETARIAN CHILI, ON MULTIGRAIN B","Frankfurter or hot dog sandwich, with vegetarian chili, on multigrain bread"
+27564560,"FRANKFURTER OR HOT DOG, MEATLESS, ON BUN, WITH CHILI","Frankfurter or hot dog sandwich, meatless, on bun, with vegetarian chili"
+27564570,"FRANKFURTER OR HOT DOG, MEATLESS, ON BREAD, WITH CHILI","Frankfurter or hot dog sandwich, meatless, on bread, with vegetarian chili"
+27570310,"HORS D'OEUVRES, W/ SPREAD","Hors d'oeuvres, with spread"
+27601000,"BEEF STEW, BABY FOOD, TODDLER","Beef stew, baby food, toddler"
+27610100,"BEEF & EGG NOODLES, BABY, NS AS TO STR OR JR","Beef and egg noodles, baby food, NS as to strained or junior"
+27610110,"BEEF & EGG NOODLES, BABY, STRAINED","Beef and egg noodles, baby food, strained"
+27610120,"BEEF & EGG NOODLES, BABY, JUNIOR","Beef and egg noodles, baby food, junior"
+27610710,"BEEF W/ VEGETABLES, BABY, STRAINED","Beef with vegetables, baby food, strained"
+27610730,"BEEF W/ VEGETABLES, BABY FOOD, TODDLER","Beef with vegetables, baby food, toddler"
+27640050,"CHICKEN & RICE DINNER, BABY, STRAINED","Chicken and rice dinner, baby food, strained"
+27640100,"CHICKEN NOODLE DINNER, BABY, NS AS TO STR OR JR","Chicken noodle dinner, baby food, NS as to strained or junior"
+27640110,"CHICKEN NOODLE DINNER, BABY, STRAINED","Chicken noodle dinner, baby food, strained"
+27640120,"CHICKEN NOODLE DINNER, BABY, JUNIOR","Chicken noodle dinner, baby food, junior"
+27640810,"CHICKEN, NOODLES & VEGETABLES, BABY, TODDLER","Chicken, noodles, and vegetables, baby food, toddler"
+27641000,"CHICKEN STEW, BABY FOOD, TODDLER","Chicken stew, baby food, toddler"
+27642100,"TURKEY, RICE & VEGETABLES, BABY, NS AS TO STR OR JR","Turkey, rice and vegetables, baby food, NS as to strained or junior"
+27642110,"TURKEY, RICE & VEGETABLES, BABY, STRAINED","Turkey, rice and vegetables, baby food, strained"
+27642120,"TURKEY, RICE & VEGETABLES, BABY, JUNIOR","Turkey, rice and vegetables, baby food, junior"
+27642130,"TURKEY, RICE, & VEGETABLES, BABY, TODDLER","Turkey, rice, and vegetables, baby food, toddler"
+27644110,"CHICKEN SOUP, BABY","Chicken soup, baby food"
+28101000,"FROZEN DINNER, NFS","Frozen dinner, NFS"
+28110000,"BEEF DINNER, NFS (FROZEN)","Beef dinner, NFS (frozen meal)"
+28110120,"BEEF W/ POTATOES (FROZEN MEAL, LARGE MEAT PORTION)","Beef with potatoes (frozen meal, large meat portion)"
+28110150,"BEEF W/ VEGETABLE (DIET FROZEN MEAL)","Beef with vegetable (diet frozen meal)"
+28110220,"SIRLOIN, CHOPPED, W/ GRAVY, POT, VEG (FROZEN MEAL)","Sirloin, chopped, with gravy, mashed potatoes, vegetable (frozen meal)"
+28110250,"SIRLOIN TIPS W/ GRAVY, POTATOES, VEG (FROZEN MEAL)","Sirloin tips with gravy, potatoes, vegetable (frozen meal)"
+28110270,"SIRLOIN BEEF W/ GRAVY, POTATOES, VEG (FROZ MEAL)","Sirloin beef with gravy, potatoes, vegetable (frozen meal)"
+28110300,"SALISBURY STEAK DINNER, NFS (FROZEN)","Salisbury steak dinner, NFS (frozen meal)"
+28110310,"SALISBURY STEAK W/ GRAVY, POTATOES, VEG (FROZ MEAL)","Salisbury steak with gravy, potatoes, vegetable (frozen meal)"
+28110330,"SALISBURY STEAK, GRAVY, POT, VEG, DESSERT(FRZ MEAL)","Salisbury steak with gravy, whipped potatoes, vegetable, dessert (frozen meal)"
+28110340,"SALISBURY STK, GRAVY,POT,VEG,SOUP,DESSERT(FRZ MEAL)","Salisbury steak with gravy, potatoes, vegetable, soup or macaroni and cheese, dessert (frozen meal)"
+28110350,"SALISBURY STEAK, POT,VEG,DESSERT(FROZ MEAL,LG MEAT)","Salisbury steak with gravy, potatoes, vegetable, dessert (frozen meal, large meat portion)"
+28110370,"SALISBURY STEAK, GRAVY, MAC&CHEESE, VEG (FROZ MEAL)","Salisbury steak with gravy, macaroni and cheese, vegetable (frozen meal)"
+28110380,"SALISBURY STEAK W/GRAV,MACARONI & CHEESE (FRZ MEAL)","Salisbury steak with gravy, macaroni and cheese (frozen meal)"
+28110390,"SALISBURY STEAK, POT, VEG, DESSERT (DIET FZN MEAL)","Salisbury steak, potatoes, vegetable, dessert (diet frozen meal)"
+28110510,"BEEF, SLICED, W/ GRAVY, POTATOES, VEG (FROZEN MEAL)","Beef, sliced, with gravy, potatoes, vegetable (frozen meal)"
+28110620,"SHORTRIBS W/ BBQ SAUCE, POTATOES & VEG (FROZ MEAL)","Beef short ribs, boneless, with barbecue sauce, potatoes, vegetable (frozen meal)"
+28110640,"MEATBALLS, SWEDISH, IN SAUCE W/ NOODLES (FROZ MEAL)","Meatballs, Swedish, in sauce, with noodles (frozen meal)"
+28110660,"MEATBALLS,SWEDISH,W/GRAVY & NOODLES (DIET FRZ MEAL)","Meatballs, Swedish, in gravy, with noodles (diet frozen meal)"
+28113110,"SALISBURY STEAK W/ TOM SAUCE, VEG (DIET FROZ MEAL)","Salisbury steak, baked, with tomato sauce, vegetable (diet frozen meal)"
+28113140,"BEEF W/ SPAETZLE OR RICE, VEGETABLE (FROZEN MEAL)","Beef with spaetzle or rice, vegetable (frozen meal)"
+28130000,"VEAL DINNER, NFS (FROZEN)","Veal dinner, NFS (frozen meal)"
+28133110,"VEAL, BREADED, W/ SPAGHETTI, TOM SAUCE (FROZ MEAL)","Veal, breaded, with spaghetti, in tomato sauce (frozen meal)"
+28133340,"VEAL PARMIGIANA, VEG, FETTUCCINE,DESSERT(FROZ MEAL)","Veal parmigiana with vegetable, fettuccine alfredo, dessert (frozen meal)"
+28140100,"CHICKEN DINNER, NFS (FROZEN)","Chicken dinner, NFS (frozen meal)"
+28140150,"CHICKEN DIVAN (FROZEN MEAL)","Chicken divan (frozen meal)"
+28140250,"CHICKEN,GRAVY,DRESS,RICE,VEG,DESSRT(Z MEAL,LG MEAT)","Chicken, boneless, with gravy, dressing, rice, vegetable, dessert (frozen meal, large meat portion)"
+28140320,"CHICKEN & NOODLES W/ VEG, DESSERT (FROZEN MEAL)","Chicken and noodles with vegetable, dessert (frozen meal)"
+28140710,"CHICKEN, FRIED, W/ POTATOES, VEGETABLE (FROZ MEAL)","Chicken, fried, with potatoes, vegetable (frozen meal)"
+28140720,"CHICKEN PATTY, POTATOES, VEGETABLE (FROZEN MEAL)","Chicken patty, or nuggets, boneless, breaded, potatoes, vegetable (frozen meal)"
+28140730,"CHICKEN PATTY, TOM SCE, FETTUCCINE, VEG (FROZ MEAL)","Chicken patty, breaded, with tomato sauce and cheese, fettuccine alfredo, vegetable (frozen meal)"
+28140740,"CHICKEN PATTY/NUGGET,PASTA,FRUIT,DESSERT(FROZ MEAL)","Chicken patty, or nuggets, boneless, breaded, with pasta and tomato sauce, fruit, dessert (frozen meal)"
+28140810,"CHICKEN, FRIED, W/ POT, VEG, DESSERT (FROZEN MEAL)","Chicken, fried, with potatoes, vegetable, dessert (frozen meal)"
+28141010,"CHICKEN, FRIED, POT,VEG, DESSERT(FROZ MEAL,LG MEAT)","Chicken, fried, with potatoes, vegetable, dessert (frozen meal, large meat portion)"
+28141050,"CHICKEN PATTY PARMIGIANA, W/ VEG (DIET FROZ MEAL)","Chicken patty parmigiana, breaded, with vegetable (diet frozen meal)"
+28141201,"TERIYAKI CHICKEN W/ RICE & VEGETABLE (DIET FROZ MEAL)","Teriyaki chicken with rice and vegetable (diet frozen meal)"
+28141250,"CHICKEN W/ RICE-VEGETABLE MIXTURE (DIET FROZ MEAL)","Chicken with rice-vegetable mixture (diet frozen meal)"
+28141300,"CHICKEN W/RICE & VEG, REDUCED FAT&SODIUM(DIET FROZ)","Chicken with rice and vegetable, reduced fat and sodium (diet frozen meal)"
+28141600,"CHICKEN A LA KING W/ RICE (FROZEN MEAL)","Chicken a la king with rice (frozen meal)"
+28141610,"CHICKEN & VEGETABLES IN CREAM SCE (DIET FROZ MEAL)","Chicken and vegetables in cream or white sauce (diet frozen meal)"
+28141650,"CHICKEN & VEGETABLES AU GRATIN (DIET FROZEN MEAL)","Chicken and vegetables au gratin with rice-vegetable mixture (diet frozen entree)"
+28143020,"CHICKEN AND VEGETABLE W/ RICE, ASIAN (DIET FROZEN MEAL)","Chicken and vegetable entree with rice, Asian (diet frozen meal)"
+28143040,"CHICKEN CHOW MEIN W/ RICE (DIET FROZEN MEAL)","Chicken chow mein with rice (diet frozen meal)"
+28143050,"CHICK CHOWMEIN W/RICE,REDUCED FAT&SODIUM(DIET FROZ)","Chicken chow mein with rice, reduced fat and sodium (diet frozen meal)"
+28143080,"CHICKEN W/NOODLES & CHEESE SAUCE (DIET FROZEN MEAL)","Chicken with noodles and cheese sauce (diet frozen meal)"
+28143110,"CHICKEN CACCIATORE W/ NOODLES (DIET FROZEN MEAL)","Chicken cacciatore with noodles (diet frozen meal)"
+28143130,"CHICKEN & VEG ENTREE W/ NOODLES (FROZEN MEAL)","Chicken and vegetable entree with noodles (frozen meal)"
+28143150,"CHICK & VEG ENTREE W/ NOODLES, (DIET FROZEN MEAL)","Chicken and vegetable entree with noodles (diet frozen meal)"
+28143170,"CHICKEN IN CREAM SAUCE W/ NOODLES & VEG (FROZ MEAL)","Chicken in cream sauce with noodles and vegetable (frozen meal)"
+28143180,"CHICKEN,BUTTER SCE,W/POT & VEG (FRZ, DIET MEAL)","Chicken in butter sauce with potatoes and vegetable (diet frozen meal)"
+28143190,"CHICKEN, MUSHROOM SAUCE, WILD RICE, VEG (FROZ MEAL)","Chicken in mushroom sauce, white and wild rice, vegetable (frozen meal)"
+28143200,"CHICKEN IN SOY-BASED SAUCE,RICE&VEG (FROZEN MEAL)","Chicken in soy-based sauce, rice and vegetables (frozen meal)"
+28143210,"CHICKEN IN ORANGE SAUCE W/ RICE (DIET FROZEN MEAL)","Chicken in orange sauce with almond rice (diet frozen meal)"
+28143220,"CHICKEN IN BBQ SCE,W/RICE,VEG&DES,RED FAT&SODIUM,FRZ,DIET","Chicken in barbecue sauce, with rice, vegetable and dessert, reduced fat and sodium (diet frozen meal)"
+28144100,"CHICKEN & VEG W/ NOODLES & CREAM SCE (FROZEN MEAL)","Chicken and vegetable entree with noodles and cream sauce (frozen meal)"
+28145000,"TURKEY DINNER, NFS (FROZEN)","Turkey dinner, NFS (frozen meal)"
+28145100,"TURKEY W/DRESSING, GRAVY,VEG, FRUIT (DIET FRZ MEAL)","Turkey with dressing, gravy, vegetable and fruit (diet frozen meal)"
+28145110,"TURKEY W/ VEGETABLE, STUFFING (DIET FROZEN MEAL)","Turkey with vegetable, stuffing (diet frozen meal)"
+28145210,"TURKEY W/ GRAVY, DRESSING, POT, VEG (FROZEN MEAL)","Turkey with gravy, dressing, potatoes, vegetable (frozen meal)"
+28145610,"TURKEY, DRESSING,POT,VEG,DESSERT(FROZ MEAL,LG MEAT)","Turkey with gravy, dressing, potatoes, vegetable, dessert (frozen meal, large meat portion)"
+28145710,"TURKEY TETRAZZINI (FROZEN MEAL)","Turkey tetrazzini (frozen meal)"
+28150000,"FISH DINNER, NFS (FROZEN)","Fish dinner, NFS (frozen meal)"
+28150210,"HADDOCK W/ CHOPPED SPINACH (DIET FROZEN MEAL)","Haddock with chopped spinach (diet frozen meal)"
+28150220,"FLOUNDER W/ CHOPPED BROCCOLI (DIET FROZEN MEAL)","Flounder with chopped broccoli (diet frozen meal)"
+28150510,"FISH IN LEMON SAUCE W/ STARCH ITEM, VEG (FROZ MEAL)","Fish in lemon-butter sauce with starch item, vegetable (frozen meal)"
+28150650,"FISH,BREADED/FISH STICKS,W/PASTA,VEG,DES (FRZ MEAL)","Fish, breaded, or fish sticks, with pasta, vegetable and dessert (frozen meal)"
+28153010,"SHRIMP & CLAMS IN TOMATO SCE, W/ NOODLES(FROZ MEAL)","Shrimp and clams in tomato-based sauce, with noodles (frozen meal)"
+28154010,"SHRIMP & VEG IN SAUCE W/ NOODLES (DIET FROZEN MEAL)","Shrimp and vegetables in sauce with noodles (diet frozen meal)"
+28160300,"MEAT LOAF DINNER, NFS (FROZEN)","Meat loaf dinner, NFS (frozen meal)"
+28160310,"MEATLOAF W/ POTATO, VEG (FROZ MEAL)","Meat loaf with potatoes, vegetable (frozen meal)"
+28160650,"STUFFED GREEN PEPPER (FROZEN MEAL)","Stuffed green pepper (frozen meal)"
+28160710,"STUFFED CABBAGE, W/ MEAT & TOM SCE (DIET FROZ MEAL)","Stuffed cabbage, with meat and tomato sauce (diet frozen meal)"
+28310110,"BEEF BROTH, BOUILLON OR CONSOMME (INCL BROTH, NFS)","Beef, broth, bouillon, or consomme"
+28310120,"BEEF BROTH OR BOUILLON, CANNED, LOW SODIUM","Beef, broth, bouillon, or consomme, canned, low sodium"
+28310150,"OXTAIL SOUP","Oxtail soup"
+28310160,"BEEF BROTH, W/ TOMATO, HOME RECIPE","Beef broth, with tomato, home recipe"
+28310170,"BEEF BROTH, W/O TOMATO, HOME RECIPE","Beef broth, without tomato, home recipe"
+28310230,"MEATBALL SOUP, MEXICAN STYLE, HOME RECIPE (SOPA DE ALBONDIGA","Meatball soup, Mexican style, home recipe (Sopa de Albondigas)"
+28310320,"BEEF NOODLE SOUP, P.R. (SOPA DE CARNE Y FIDEOS)","Beef noodle soup, Puerto Rican style (Sopa de carne y fideos)"
+28310330,"MEAT AND RICE NOODLE SOUP, ASIAN STYLE (VIETNAMESE PHO BO)","Meat and rice noodle soup, Asian style (Vietnamese Pho Bo)"
+28310420,"BEEF & RICE SOUP, P.R.","Beef and rice soup, Puerto Rican style"
+28311010,"PEPPERPOT (TRIPE) SOUP","Pepperpot (tripe) soup"
+28311020,"MENUDO SOUP, HOME RECIPE","Menudo soup, home recipe"
+28311030,"MENUDO, CANNED","Menudo soup, canned, prepared with water or ready-to-serve"
+28315050,"BEEF VEGETABLE SOUP W/ POTATO, PASTA OR RICE, CHUNKY STYLE","Beef vegetable soup with potato, pasta, or rice, chunky style, canned, or ready-to-serve"
+28315140,"BEEF VEGETABLE SOUP, MEXICAN STYLE, HOME RECIPE, (SOPA / CAL","Beef vegetable soup, Mexican style, home recipe, (Sopa / Caldo de Res)"
+28315150,"MEAT AND CORN HOMINY SOUP, MEXICAN STYLE, HOME RECIPE (POZOL","Meat and corn hominy soup, Mexican style, home recipe (Pozole)"
+28315160,"ITALIAN WEDDING SOUP","Italian Wedding Soup"
+28317010,"BEEF STROGANOFF SOUP, CHUNKY STYLE, HOME RECIPE, CANNED OR R","Beef stroganoff soup, chunky style, home recipe, canned or ready-to-serve"
+28320130,"HAM, RICE, & POTATO SOUP, P.R.","Ham, rice, and potato soup, Puerto Rican style"
+28320140,"HAM, NOODLE & VEGETABLE SOUP, P.R.","Ham, noodle, and vegetable soup, Puerto Rican style"
+28320160,"PORK VEGETABLE SOUP W/ POTATO, PASTA, OR RICE, CHUNKY","Pork vegetable soup with potato, pasta, or rice, stew type, chunky style"
+28320300,"PORK W/VEG (NO CAR, BROC AND/OR DK GRN)SOUP, ASIAN STYLE","Pork with vegetable (excluding carrots, broccoli and/or dark-green leafy) soup, Asian Style"
+28321130,"BACON SOUP, CREAM OF, PREPARED W/ WATER","Bacon soup, cream of, prepared with water"
+28330110,"SCOTCH BROTH (LAMB, VEGETABLES, BARLEY)","Scotch broth (lamb, vegetables, and barley)"
+28331110,"LAMB, PASTA & VEGETABLE SOUP, P.R.","Lamb, pasta, and vegetable soup, Puerto Rican style"
+28340110,"CHICKEN OR TURKEY BROTH, BOUILLON, OR CONSOMME","Chicken or turkey broth, bouillon, or consomme"
+28340120,"CHICKEN OR TURKEY BROTH, WITHOUT TOMATO, HOME RECIPE","Chicken or turkey broth, without tomato, home recipe"
+28340130,"CHICKEN OR TURKEY BROTH, WITH TOMATO, HOME RECIPE","Chicken or turkey broth, with tomato, home recipe"
+28340150,"MEXICAN STYLE CHICKEN BROTH SOUP STOCK","Mexican style chicken broth soup stock"
+28340180,"CHICKEN OR TURKEY BROTH, LESS/REDUCED SODIUM, CANNED OR RTS","Chicken or turkey broth, less or reduced sodium, canned or ready-to-serve"
+28340210,"CHICKEN RICE SOUP, P.R. (SOPA DE POLLO CON ARROZ)","Chicken rice soup, Puerto Rican style (Sopa de pollo con arroz)"
+28340220,"CHICKEN SOUP W/ NOODLES & POTATOES, P.R.","Chicken soup with noodles and potatoes, Puerto Rican style"
+28340310,"CHICKEN OR TURKEY GUMBO SOUP","Chicken or turkey gumbo soup, home recipe, canned or ready-to-serve"
+28340510,"CHICKEN OR TURKEY NOODLE SOUP, CHUNKY STYLE, CANNED OR RTS","Chicken or turkey noodle soup, chunky style, canned or ready-to-serve"
+28340550,"SWEET & SOUR SOUP","Sweet and sour soup"
+28340580,"CHICKEN OR TURKEY SOUP WITH VEGETABLES, ASIAN STYLE","Chicken or turkey soup with vegetables (broccoli, carrots, celery, potatoes and onions), Asian style"
+28340590,"CHICKEN OR TURKEY CORN SOUP WITH NOODLES, HOME RECIPE","Chicken or turkey corn soup with noodles, home recipe"
+28340600,"CHICK/TURK+VEG SOUP, CANNED","Chicken or turkey vegetable soup, canned, prepared with water or ready-to-serve"
+28340610,"CHICKEN VEGETABLE SOUP, STEW TYPE (INCL CHUNKY)","Chicken or turkey vegetable soup, stew type"
+28340630,"CHICKEN OR TURKEY VEGETABLE SOUP WITH RICE, STEW TYPE, CHUNK","Chicken or turkey vegetable soup with rice, stew type, chunky style"
+28340640,"CHICKEN OR TURKEY VEGETABLE SOUP WITH NOODLES, STEW TYPE, CH","Chicken or turkey vegetable soup with noodles, stew type, chunky style, canned or ready-to-serve"
+28340660,"CHICKEN OR TURKEY VEGETABLE SOUP, HOME RECIPE","Chicken or turkey vegetable soup, home recipe"
+28340670,"CHICKEN OR TURKEY VEGETABLE SOUP WITH RICE, MEXICAN STYLE, H","Chicken or turkey vegetable soup with rice, Mexican style, home recipe (Sopa / Caldo de Pollo)"
+28340680,"CHICKEN OR TURKEY AND CORN HOMINY SOUP, MEXICAN STYLE, HOME","Chicken or turkey and corn hominy soup, Mexican style, home recipe (Pozole)"
+28340690,"CHICKEN OR TURKEY VEGETABLE SOUP WITH POTATO AND CHEESE, CHU","Chicken or turkey vegetable soup with potato and cheese, chunky style, canned or ready-to-serve"
+28340700,"BIRD'S NEST SOUP (CHICKEN, HAM, NOODLES)","Bird's nest soup (chicken, ham, and noodles)"
+28340750,"HOT & SOUR SOUP (INCLUDE HOT & SPICY CHINESE SOUP)","Hot and sour soup"
+28340800,"CHICKEN OR TURKEY SOUP WITH VEGETABLES AND FRUIT, ASIAN STYL","Chicken or turkey soup with vegetables and fruit, Asian Style"
+28345010,"CHICKEN/TURKEY SOUP, CM OF, CAN, RED SOD, NS W/ MILK/WATER","Chicken or turkey soup, cream of, canned, reduced sodium, NS as to made with milk or water"
+28345020,"CHICKEN/TURKEY SOUP, CM OF, CAN, RED SOD, W/ MILK","Chicken or turkey soup, cream of, canned, reduced sodium, made with milk"
+28345030,"CHICKEN/TURKEY SOUP, CM OF, CAN, RED SOD, W/ WATER","Chicken or turkey soup, cream of, canned, reduced sodium, made with water"
+28345110,"CHICKEN SOUP, CREAM OF, NS AS TO MILK OR WATER","Chicken or turkey soup, cream of, NS as to prepared with milk or water"
+28345120,"CHICKEN/TURKEY SOUP,CREAM OF, W/ MILK","Chicken or turkey soup, cream of, prepared with milk"
+28345130,"CHICKEN SOUP, CREAM OF, PREPARED W/ WATER","Chicken or turkey soup, cream of, prepared with water"
+28345160,"CHICKEN OR TURKEY MUSHROOM SOUP, CREAM OF, PREPARED WITH MIL","Chicken or turkey mushroom soup, cream of, prepared with milk"
+28345170,"DUCK SOUP","Duck soup"
+28350040,"FISH STOCK, HOME RECIPE","Fish stock, home recipe"
+28350050,"FISH CHOWDER (INCL FISHERMAN'S SOUP, SEAFOOD CHOWD)","Fish chowder"
+28350110,"CRAB SOUP, NS AS TO TOMATO-BASE OR CREAM","Crab soup, NS as to tomato-base or cream style"
+28350120,"CRAB SOUP, TOMATO BASE","Crab soup, tomato-base"
+28350210,"CLAM CHOWDER, NS AS TO MANHATTAN OR NEW ENGLAND","Clam chowder, NS as to Manhattan or New England style"
+28350220,"CLAM CHOWDER, MANHATTAN (INCLUDE CHUNKY)","Clam chowder, Manhattan"
+28350310,"TURTLE & VEGETABLE SOUP (INCLUDE SNAPPER SOUP)","Turtle and vegetable soup"
+28351110,"FISH AND VEGETABLE SOUP, NO POTATOES (SOPA DE PESCADO Y MARI","Fish and vegetable soup, no potatoes (Sopa de pescado y mariscos)"
+28351120,"FISH SOUP, WITH POTATOES (SOPA DE PESCADO Y MARISCOS)","Fish soup, with potatoes (Sopa de Pescado y Mariscos)"
+28351160,"CODFISH, RICE & VEGETABLE SOUP, P.R.","Codfish, rice, and vegetable soup, Puerto Rican style"
+28351170,"CODFISH SOUP W/ NOODLES, P.R.","Codfish soup with noodles, Puerto Rican style"
+28355110,"CLAM CHOWDER, NEW ENG, NS AS TO MILK OR WATER ADDED","Clam chowder, New England, NS as to prepared with water or milk"
+28355120,"CLAM CHOWDER, NEW ENGLAND, W/ MILK","Clam chowder, New England, prepared with milk"
+28355130,"CLAM CHOWDER, NEW ENGLAND, W/ WATER","Clam chowder, New England, prepared with water"
+28355140,"CLAM CHOWDER, NEW ENGLAND, REDUCED SODIUM, CANNED OR READY-T","Clam chowder, New England, reduced sodium, canned or ready-to-serve"
+28355210,"CRAB SOUP, CREAM OF, W/ MILK","Crab soup, cream of, prepared with milk"
+28355250,"LOBSTER BISQUE","Lobster bisque"
+28355260,"LOBSTER GUMBO","Lobster gumbo"
+28355310,"OYSTER STEW","Oyster stew"
+28355350,"SALMON SOUP, CREAM STYLE","Salmon soup, cream style"
+28355410,"SHRIMP SOUP, CREAM OF, NS AS TO MILK/WATER ADDED","Shrimp soup, cream of, NS as to prepared with milk or water"
+28355420,"SHRIMP SOUP, CREAM OF, W/ MILK","Shrimp soup, cream of, prepared with milk"
+28355430,"SHRIMP SOUP, CREAM OF, W/ WATER","Shrimp soup, cream of, prepared with water"
+28355440,"SHRIMP GUMBO","Shrimp gumbo"
+28355450,"SEAFOOD SOUP W/ POTATOES & VEGETABLES (INCL DK GREEN LEAF)","Seafood soup with potatoes and vegetables (including carrots, broccoli, and/or dark-green leafy)"
+28355460,"SEAFOOD SOUP W/ POTATOES & VEGETABLES (EXCL DK GREEN LEAF)","Seafood soup with potatoes and vegetables (excluding carrots, broccoli, and dark-green leafy)"
+28355470,"SEAFOOD SOUP W/ VEGETABLES (INCL DK GREEN LEAFY)","Seafood soup with vegetables (including carrots, broccoli, and/or dark-green leafy (no potatoes))"
+28355480,"SEAFOOD SOUP W/ VEGETABLES (EXCL DK GREEN LEAFY)","Seafood soup with vegetables (excluding carrots, broccoli, and dark-green leafy (no potatoes))"
+28360100,"MEAT BROTH, P.R. STYLE","Meat broth, Puerto Rican style"
+28360210,"SPANISH VEGETABLE SOUP, P.R. (CALDO GALLEGO)","Spanish vegetable soup, Puerto Rican style (Caldo gallego)"
+28500000,"GRAVY, POULTRY","Gravy, poultry"
+28500010,"GRAVY, MEAT/POULTRY, W/ WINE","Gravy, meat or poultry, with wine"
+28500020,"GRAVY, MEAT, W/ FRUIT (INCLUDE FRENCH SAUCE)","Gravy, meat, with fruit"
+28500030,"GRAVY, POULTRY, LOW SODIUM","Gravy, poultry, low sodium"
+28500040,"GRAVY, BEEF/MEAT (INCL GRAVY,NFS;BROWN GRAVY;SWISS STEAK GRV","Gravy, beef or meat"
+28500050,"GRAVY, GIBLET(INCL ANY POULTRY GRAVY W/PCS OF MEAT)","Gravy, giblet"
+28500060,"GRAVY, BEEF OR MEAT, LOW SODIUM","Gravy, beef or meat, low sodium"
+28500070,"GRAVY, BEEF OR MEAT, HOME RECIPE","Gravy, beef or meat, home recipe"
+28500080,"GRAVY, POULTRY, HOME RECIPE","Gravy, poultry, home recipe"
+28500100,"GRAVY, MUSHROOM","Gravy, mushroom"
+28500150,"GRAVY, REDEYE","Gravy, redeye"
+28501010,"GRAVY, BEEF/MEAT, FAT FREE","Gravy, beef or meat, fat free"
+28501110,"GRAVY, POULTRY, FAT FREE","Gravy, poultry, fat free"
+28510010,"GRAVY/SAUCE, POULTRY FROM CHICKEN FRICASSEE, P.R.","Gravy or sauce, poultry-based from Puerto Rican-style chicken fricasse"
+28510020,"GRAVY, MEAT-BASED, FROM PUERTO RICAN POT ROAST","Gravy, meat-based, from Puerto-Rican style stuffed pot roast"
+28510030,"GRAVY, MEAT-BASED, FROM PUERTO RICAN BEEF STEW","Gravy, meat-based, from Puerto-Rican style beef stew"
+28520000,"GRAVY/SAUCE,CHINESE(SOY SCE,STOCK/BOUILL,CRNSTRCH)","Gravy or sauce, Chinese (soy sauce, stock or bouillon, cornstarch)"
+28520100,"OYSTER-FLAVORED SAUCE","Oyster-flavored sauce"
+28522000,"MOLE POBLANA (SAUCE)","Mole poblano (sauce)"
+28522050,"MOLE VERDE (SAUCE)","Mole verde (sauce)"
+31101010,"EGGS, WHOLE, RAW","Egg, whole, raw"
+31102000,"EGGS, WHOLE, COOKED, NS AS TO METHOD","Egg, whole, cooked, NS as to cooking method"
+31103010,"EGG, WHOLE, BOILED OR POACHED","Egg, whole, boiled or poached"
+31105010,"EGG, WHOLE, FRIED WITHOUT FAT","Egg, whole, fried without fat"
+31105020,"EGG, WHOLE, FRIED WITH MARGARINE","Egg, whole, fried with margarine"
+31105030,"EGG, WHOLE, FRIED WITH OIL","Egg, whole, fried with oil"
+31105040,"EGG, WHOLE, FRIED WITH BUTTER","Egg, whole, fried with butter"
+31105060,"EGG, WHOLE, FRIED WITH ANIMAL FAT OR MEAT DRIPPINGS","Egg, whole, fried with animal fat or meat drippings"
+31105080,"EGG, WHOLE, FRIED WITH COOKING SPRAY","Egg, whole, fried with cooking spray"
+31105090,"EGG, WHOLE, FRIED, FROM FAST FOOD / RESTAURANT","Egg, whole, fried, from fast food / restaurant"
+31106000,"EGGS, WHOLE, BAKED, NS AS TO ADDED FAT","Egg, whole, baked, NS as to fat added in cooking"
+31106010,"EGGS, WHOLE, BAKED, NO FAT ADDED","Egg, whole, baked, fat not added in cooking"
+31106020,"EGGS, WHOLE, BAKED, FAT ADDED","Egg, whole, baked, fat added in cooking"
+31107000,"EGGS, WHOLE, PICKLED","Egg, whole, pickled"
+31108010,"EGGS, WHITE ONLY, RAW","Egg, white only, raw"
+31110010,"EGG YOLK, ONLY, RAW","Egg, yolk only, raw"
+31111000,"EGG, YOLK ONLY, COOKED, NS AS TO FAT ADDED IN COOKING","Egg, yolk only, cooked, NS as to fat added in cooking"
+31111010,"EGG, YOLK ONLY, COOKED, NO FAT ADDED","Egg, yolk only, cooked, fat not added in cooking"
+31111020,"EGG, YOLK ONLY, COOKED, FAT ADDED IN COOKING","Egg, yolk only, cooked, fat added in cooking"
+31201000,"DUCK EGG, COOKED","Duck egg, cooked"
+31202000,"GOOSE EGG, COOKED","Goose egg, cooked"
+31203000,"QUAIL EGG, CANNED","Quail egg, canned"
+32101000,"EGGS, CREAMED","Egg, creamed"
+32101500,"EGGS, BENEDICT","Egg, Benedict"
+32101530,"EGG CURRY","Egg curry"
+32102000,"EGGS, DEVILED","Egg, deviled"
+32103000,"EGG SALAD, W/ MAYO","Egg salad, made with mayonnaise"
+32103015,"EGG SALAD, W/ LT MAYO","Egg salad, made with light mayonnaise"
+32103020,"EGG SALAD, W/ MAYO-TYPE DRSG","Egg salad, made with mayonnaise-type salad dressing"
+32103025,"EGG SALAD, W/ LIGHT MAYO-TYPE DRSG","Egg salad, made with light mayonnaise-type salad dressing"
+32103030,"EGG SALAD, W/ CREAMY DRSG","Egg salad, made with creamy dressing"
+32103035,"EGG SALAD,W/ LT CREAMY DRSG","Egg salad, made with light creamy dressing"
+32103040,"EGG SALAD, W/ ITALIAN DRSG","Egg salad, made with Italian dressing"
+32103045,"EGG SALAD, W/ LT ITALIAN DRSG","Egg salad, made with light Italian dressing"
+32103050,"EGG SALAD, W/ ANY TYPE OF FAT FREE DRSG","Egg Salad, made with any type of fat free dressing"
+32105180,"HUEVOS RANCHEROS","Huevos rancheros"
+32105190,"EGG CASSEROLE W/ BREAD, CHEESE, MILK & MEAT","Egg casserole with bread, cheese, milk and meat"
+32105200,"EGG FOO YUNG, NFS","Egg foo yung (young), NFS"
+32105210,"CHICKEN EGG FOO YUNG","Chicken egg foo yung (young)"
+32105220,"PORK EGG FOO YUNG","Pork egg foo yung (young)"
+32105230,"SHRIMP EGG FOO YUNG","Shrimp egg foo yung (young)"
+32105240,"BEEF EGG FOO YUNG","Beef egg foo yung (young)"
+32105310,"RIPE PLANTAIN OMELET, P.R. (TORTILLA DE AMARILLO)","Ripe plantain omelet, Puerto Rican style (Tortilla de amarillo)"
+32105330,"SCRAMBLED EGGS W/ JERKED BEEF, P.R.","Scrambled eggs with jerked beef, Puerto Rican style (Revoltillo de tasajo)"
+32110100,"EGGS, A LA MALAGUENA, P.R.(HUEVOS A LA MALAGUENA)","Eggs a la Malaguena, Puerto Rican style (Huevos a la Malaguena)"
+32110150,"SHRIMP-EGG PATTY (TORTA DE CAMERON SECO)","Shrimp-egg patty (Torta de Cameron seco)"
+32120100,"EGG DESSERT, CUSTARD-LIKE, W/ WATER & SUGAR, P.R.","Egg dessert, custard-like, made with water and sugar, Puerto Rican style (Tocino del cielo; Heaven's delight)"
+32120200,"ZABAGLIONE","Zabaglione"
+32130000,"EGG OMELET OR SCRAMBLED EGG, MADE WITH MARGARINE","Egg omelet or scrambled egg, made with margarine"
+32130010,"EGG OMELET OR SCRAMBLED EGG, MADE WITH OIL","Egg omelet or scrambled egg, made with oil"
+32130020,"EGG OMELET OR SCRAMBLED EGG, MADE WITH BUTTER","Egg omelet or scrambled egg, made with butter"
+32130040,"EGG OMELET OR SCRAMBLED EGG, MADE W/ANIMAL FAT OR MEAT DRIP","Egg omelet or scrambled egg, made with animal fat or meat drippings"
+32130060,"EGG OMELET OR SCRAMBLED EGG, MADE WITH COOKING SPRAY","Egg omelet or scrambled egg, made with cooking spray"
+32130070,"EGG OMELET OR SCRAMBLED EGG, MADE WITHOUT FAT","Egg omelet or scrambled egg, made without fat"
+32130080,"EGG OMELET OR SCRAMBLED EGG, FROM FAST FOOD / RESTAURANT","Egg omelet or scrambled egg, from fast food / restaurant"
+32130100,"EGG OMELET OR SCRAMBLED EGG, WITH CHEESE, MADE WITH MARGARIN","Egg omelet or scrambled egg, with cheese, made with margarine"
+32130110,"EGG OMELET OR SCRAMBLED EGG, WITH CHEESE, MADE WITH OIL","Egg omelet or scrambled egg, with cheese, made with oil"
+32130120,"EGG OMELET OR SCRAMBLED EGG, WITH CHEESE, MADE WITH BUTTER","Egg omelet or scrambled egg, with cheese, made with butter"
+32130140,"EGG OMELET OR SCRAMBLED EGG, W/ CHEESE, MADE W/ ANIMAL FAT","Egg omelet or scrambled egg, with cheese, made with animal fat or meat drippings"
+32130160,"EGG OMELET OR SCRAMBLED EGG, WITH CHEESE, MADE WITH COOKING","Egg omelet or scrambled egg, with cheese, made with cooking spray"
+32130170,"EGG OMELET OR SCRAMBLED EGG, WITH CHEESE, MADE WITHOUT FAT","Egg omelet or scrambled egg, with cheese, made without fat"
+32130200,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE WITH MARGARINE","Egg omelet or scrambled egg, with meat, made with margarine"
+32130210,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE WITH OIL","Egg omelet or scrambled egg, with meat, made with oil"
+32130220,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE WITH BUTTER","Egg omelet or scrambled egg, with meat, made with butter"
+32130240,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE WITH ANIMAL FAT","Egg omelet or scrambled egg, with meat, made with animal fat or meat drippings"
+32130260,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE W/COOKING SPRAY","Egg omelet or scrambled egg, with meat, made with cooking spray"
+32130270,"EGG OMELET OR SCRAMBLED EGG, WITH MEAT, MADE WITHOUT FAT","Egg omelet or scrambled egg, with meat, made without fat"
+32130300,"EGG OMELET OR SCRAMBLED EGG, W/CHEESE & MEAT, MADE W/MARGARI","Egg omelet or scrambled egg, with cheese and meat, made with margarine"
+32130310,"EGG OMELET OR SCRAMBLED EGG, W/CHEESE & MEAT, MADE W/OIL","Egg omelet or scrambled egg, with cheese and meat, made with oil"
+32130320,"EGG OMELET OR SCRAMBLED EGG, W/ CHEESE &MEAT, MADEW/BUTTER","Egg omelet or scrambled egg, with cheese and meat, made with butter"
+32130340,"EGG OMELET OR SCR EGG, WITH CHEESE & MEAT, MADE W/ANIMAL FAT","Egg omelet or scrambled egg, with cheese and meat, made with animal fat or meat drippings"
+32130360,"EGG OMELET OR SCR EGG, W/CHEESE& MEAT, MADE W/COOKING SPRAY","Egg omelet or scrambled egg, with cheese and meat, made with cooking spray"
+32130370,"EGG OMELET OR SCRAMBLED EGG, W/CHEESE & MEAT, MADE WO/FAT","Egg omelet or scrambled egg, with cheese and meat, made without fat"
+32130400,"EGG OMELET OR SCRAMBLED EGG, WITH TOMATOES, FAT ADDED IN COO","Egg omelet or scrambled egg, with tomatoes, fat added in cooking"
+32130410,"EGG OMELET OR SCRAMBLED EGG, WITH TOMATOES, FAT NOT ADDED IN","Egg omelet or scrambled egg, with tomatoes, fat not added in cooking"
+32130420,"EGG OMELET OR SCRAMBLED EGG, WITH TOMATOES, NS AS TO FAT ADD","Egg omelet or scrambled egg, with tomatoes, NS as to fat added in cooking"
+32130430,"EGG OMELET OR SCRAMBLED EGG, W/ DARK-GREEN VEGS, FAT ADDED","Egg omelet or scrambled egg, with dark-green vegetables, fat added in cooking"
+32130440,"EGG OMELET OR SCRAMBLED EGG, W/DARK-GREEN VEGS, FAT NOT ADDE","Egg omelet or scrambled egg, with dark-green vegetables, fat not added in cooking"
+32130450,"EGG OMELET OR SCRAMBLED EGG, W/ DARK-GREEN VEGS,NS AS TO FAT","Egg omelet or scrambled egg, with dark-green vegetables, NS as to fat added in cooking"
+32130460,"EGG OMELET OR SCR EGG, W/TOMATOES & DK-GREEN VEGS, FAT ADDED","Egg omelet or scrambled egg, with tomatoes and dark-green vegetables, fat added in cooking"
+32130470,"EGG OMELET OR SCR EGG, W/ TOMATOES & DK-GRN VEGS,FAT NOT ADD","Egg omelet or scrambled egg, with tomatoes and dark-green vegetables, fat not added in cooking"
+32130480,"EGG OMELET OR SCR EGG, W/ TOMATOES & DK-GRN VEGS, NS FAT","Egg omelet or scrambled egg, with tomatoes and dark-green vegetables, NS as to fat added in cooking"
+32130490,"EGG OMELET OR SCR EGG, W/ OTHER VEGS, FAT ADDED","Egg omelet or scrambled egg, with vegetables other than dark green and/or tomatoes, fat added in cooking"
+32130500,"EGG OMELET OR SCRAMBLED EGG, WITH OTHER VEGS. FAT NOT ADDED","Egg omelet or scrambled egg, with vegetables other than dark green and/or tomatoes, fat not added in cooking"
+32130510,"EGG OMELET OR SCRAMBLED EGG, W/ OTHER VEGS, NS FAT","Egg omelet or scrambled egg, with vegetables other than dark green and/or tomatoes, NS as to fat added in cooking"
+32130600,"EGG OMELET OR SCR EGG, W/CHEESE & TOMATOES, FAT ADDED","Egg omelet or scrambled egg, with cheese and tomatoes, fat added in cooking"
+32130610,"EGG OMELET OR SCR EGG, W/CHEESE & TOMATOES, FAT NOT ADDED","Egg omelet or scrambled egg, with cheese and tomatoes, fat not added in cooking"
+32130620,"EGG OMELET OR SCR EGG, W/CHEESE & TOMATOES, NS FAT ADDED","Egg omelet or scrambled egg, with cheese and tomatoes, NS as to fat added in cooking"
+32130630,"EGG OMELET OR SCR EGG, W/ CHEESE&DK-GRN VEGS, FAT ADDED","Egg omelet or scrambled egg, with cheese and dark-green vegetables, fat added in cooking"
+32130640,"EGG OMELET OR SCR EGG, W/ CHEESE&DK-GRN VEGS, FAT NOT ADDED","Egg omelet or scrambled egg, with cheese and dark-green vegetables, fat not added in cooking"
+32130650,"EGG OMELET OR SCR EGG, W/ CHEESE&DK-GRN VEGS, NS FAT ADDED","Egg omelet or scrambled egg, with cheese and dark-green vegetables, NS as to fat added in cooking"
+32130660,"EGG OMELET OR SCR EGG, W/CHEESE, TOM & DK-GRN VEGS,FAT ADDED","Egg omelet or scrambled egg, with cheese, tomatoes, and dark-green vegetables, fat added in cooking"
+32130670,"EGG OMELET OR SCR EGG, W/CHEESE, TOM & DK-GRN VEGS,FAT NOT A","Egg omelet or scrambled egg, with cheese, tomatoes, and dark-green vegetables, fat not added in cooking"
+32130680,"EGG OMELET OR SCR EGG, W/CHEESE, TOM & DK-GRN VEGS,NS FAT AD","Egg omelet or scrambled egg, with cheese, tomatoes, and dark-green vegetables, NS as to fat added in cooking"
+32130690,"EGG OMELET OR SCR EGG, W/CHEESE & OTHER VEGS, FAT ADDED","Egg omelet or scrambled egg, with cheese and vegetables other than dark green and/or tomatoes, fat added in cooking"
+32130700,"EGG OMELET OR SCREGG, W/CHEESE & OTHER VEGS, FAT NOT ADDED","Egg omelet or scrambled egg, with cheese and vegetables other than dark green and/or tomatoes, fat not added in cooking"
+32130710,"EGG OMELET OR SCREGG, W/CHEESE & OTHER VEGS, NS FAT ADDED","Egg omelet or scrambled egg, with cheese and vegetables other than dark green and/or tomatoes, NS as to fat added in cooking"
+32130800,"EGG OMELET OR SCRAMBLED EGG, W/MEAT & TOMATOES, FAT ADDED","Egg omelet or scrambled egg, with meat and tomatoes, fat added in cooking"
+32130810,"EGG OMELET OR SCRAMBLED EGG, W/MEAT & TOMATOES, FAT NOT ADDE","Egg omelet or scrambled egg, with meat and tomatoes, fat not added in cooking"
+32130820,"EGG OMELET OR SCRAMBLED EGG, W/MEAT & TOMATOES, NS FAT ADDED","Egg omelet or scrambled egg, with meat and tomatoes, NS as to fat added in cooking"
+32130830,"EGG OMELET OR SCR EGG, W/MEAT & DK-GRN VEGS, FAT ADDED","Egg omelet or scrambled egg, with meat and dark-green vegetables, fat added in cooking"
+32130840,"EGG OMELET OR SCR EGG, W/MEAT & DK-GRN VEGS, FAT NOT ADDED","Egg omelet or scrambled egg, with meat and dark-green vegetables, fat not added in cooking"
+32130850,"EGG OMELET OR SCR EGG, W/MEAT & DK-GRN VEGS, NS FAT ADDED","Egg omelet or scrambled egg, with meat and dark-green vegetables, NS as to fat added in cooking"
+32130860,"EGG OMELET OR SCR EGG, W/MEAT,TOM & DK-GRN VEGS, FAT ADDED","Egg omelet or scrambled egg, with meat, tomatoes, and dark-green vegetables, fat added in cooking"
+32130870,"EGG OMELET OR SCR EGG, W/MEAT,TOM & DK-GRN VEGS, FAT NOT ADD","Egg omelet or scrambled egg, with meat, tomatoes, and dark-green vegetables, fat not added in cooking"
+32130880,"EGG OMELET OR SCR EGG, W/MEAT,TOM & DK-GRN VEGS, NS FAT ADDE","Egg omelet or scrambled egg, with meat, tomatoes, and dark-green vegetables, NS as to fat added in cooking"
+32130890,"EGG OMELET OR SCR EGG, W/MEAT & OTHER VEGS, FAT ADDED","Egg omelet or scrambled egg, with meat and vegetables other than dark-green and/or tomatoes, fat added in cooking"
+32130900,"EGG OMELET OR SCR EGG, W/MEAT & OTHER VEGS, FAT NOT ADDED","Egg omelet or scrambled egg, with meat and vegetables other than dark-green and/or tomatoes, fat not added in cooking"
+32130910,"EGG OMELET OR SCR EGG, W/MEAT & OTHER VEGS, NS FAT ADDED","Egg omelet or scrambled egg, with meat and vegetables other than dark-green and/or tomatoes, NS as to fat added in cooking"
+32131000,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & TOMATOES, FAT ADDED","Egg omelet or scrambled egg, with cheese, meat, and tomatoes, fat added in cooking"
+32131010,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & TOMATOES, FAT NOT A","Egg omelet or scrambled egg, with cheese, meat, and tomatoes, fat not added in cooking"
+32131020,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & TOMATOES, NS FAT AD","Egg omelet or scrambled egg, with cheese, meat, and tomatoes, NS as to fat added in cooking"
+32131030,"EGG OMELET OR SCR EGG, W/CHEESE, MEAT&DK GRN VEG,FAT ADDED","Egg omelet or scrambled egg, with cheese, meat, and dark-green vegetables, fat added in cooking"
+32131040,"EGG OMELET OR SCR EGG, W/CHEESE, MEAT&DK GRN VEG,FAT NOT ADD","Egg omelet or scrambled egg, with cheese, meat, and dark-green vegetables, fat not added in cooking"
+32131050,"EGG OMELET OR SCR EGG, W/CHEESE, MEAT&DK GRN VEG,NS FAT ADDE","Egg omelet or scrambled egg, with cheese, meat, and dark-green vegetables, NS as to fat added in cooking"
+32131060,"EGG OMELET/SCR EGG,W/CHEESE,MEAT,TOM&DK GRN VEG,FAT ADDED","Egg omelet or scrambled egg, with cheese, meat, tomatoes, and dark-green vegetables, fat added in cooking"
+32131070,"EGG OMELET/SCR EGG,W/CHEESE,MEAT,TOM&DK GRN VEG,FAT NOT ADDE","Egg omelet or scrambled egg, with cheese, meat, tomatoes, and dark-green vegetables, fat not added in cooking"
+32131080,"EGG OMELET/SCR EGG,W/CHEESE,MEAT,TOM&DK GRN VEG,NS FAT ADDED","Egg omelet or scrambled egg, with cheese, meat, tomatoes, and dark-green vegetables, NS as to fat added in cooking"
+32131090,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & OTHER VEG,FAT ADDED","Egg omelet or scrambled egg, with cheese, meat, and vegetables other than dark-green and/or tomatoes, fat added in cooking"
+32131100,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & OTHER VEG,FAT NOT A","Egg omelet or scrambled egg, with cheese, meat, and vegetables other than dark-green and/or tomatoes, fat not added in cooking"
+32131110,"EGG OMELET OR SCR EGG, W/ CHEESE, MEAT & OTHER VEG,NS FAT AD","Egg omelet or scrambled egg, with cheese, meat, and vegetables other than dark-green and/or tomatoes, NS as to fat added in cooking"
+32131200,"EGG OMELET OR SCR EGG, W/POTATOES +/OR ONIONS, FAT ADDED","Egg omelet or scrambled egg, with potatoes and/or onions, fat added in cooking"
+32131210,"EGG OMELET OR SCR EGG, W/POTATOES +/OR ONIONS, FAT NOT ADDED","Egg omelet or scrambled egg, with potatoes and/or onions, fat not added in cooking"
+32131220,"EGG OMELET OR SCR EGG, W/POTATOES +/OR ONIONS, NS FAT ADDED","Egg omelet or scrambled egg, with potatoes and/or onions, NS as to fat added in cooking"
+32201000,"FRIED EGG SANDWICH","Fried egg sandwich"
+32202000,"EGG, CHEESE, HAM, & BACON ON BUN","Egg, cheese, ham, and bacon on bun"
+32202010,"EGG, CHEESE & HAM ON ENGLISH MUFFIN","Egg, cheese, and ham on English muffin"
+32202020,"EGG, CHEESE & HAM ON BISCUIT","Egg, cheese, and ham on biscuit"
+32202025,"EGG, CHEESE & HAM ON BAGEL","Egg, cheese and ham on bagel"
+32202030,"EGG, CHEESE & SAUSAGE ON ENGLISH MUFFIN","Egg, cheese, and sausage on English muffin"
+32202035,"EGG, EXTRA CHEESE (2 SL), & EXTRA SAUSAGE (2 PATTIES) ON BUN","Egg, extra cheese (2 slices), and extra sausage (2 patties) on bun"
+32202040,"EGG, CHEESE & BEEF ON ENGLISH MUFFIN","Egg, cheese, and beef on English Muffin"
+32202045,"EGG, CHEESE & STEAK ON BAGEL","Egg, cheese, and steak on bagel"
+32202050,"EGG, CHEESE & SAUSAGE ON BISCUIT","Egg, cheese, and sausage on biscuit"
+32202055,"EGG, CHEESE & SAUSAGE GRIDDLE CAKE SANDWICH","Egg, cheese, and sausage griddle cake sandwich"
+32202060,"EGG & SAUSAGE ON BISCUIT","Egg and sausage on biscuit"
+32202070,"EGG, CHEESE & BACON ON BISCUIT","Egg, cheese, and bacon on biscuit"
+32202075,"EGG, CHEESE & BACON GRIDDLE CAKE SANDWICH","Egg, cheese, and bacon griddle cake sandwich"
+32202080,"EGG, CHEESE & BACON ON ENGLISH MUFFIN","Egg, cheese, and bacon on English muffin"
+32202085,"EGG, CHEESE & BACON ON BAGEL","Egg, cheese and bacon on bagel"
+32202090,"EGG & BACON ON BISCUIT","Egg and bacon on biscuit"
+32202110,"EGG & HAM ON BISCUIT","Egg and ham on biscuit"
+32202120,"EGG, CHEESE & SAUSAGE ON BAGEL","Egg, cheese and sausage on bagel"
+32202130,"EGG & STEAK ON BISCUIT","Egg and steak on biscuit"
+32202200,"EGG & CHEESE ON BISCUIT","Egg and cheese on biscuit"
+32203010,"EGG SALAD SANDWICH","Egg salad sandwich"
+32204010,"SCRAMBLED EGG SANDWICH","Scrambled egg sandwich"
+32300100,"EGG DROP SOUP","Egg drop soup"
+32301100,"GARLIC EGG SOUP, P.R. (SOPA DE AJO)","Garlic egg soup, Puerto Rican style (Sopa de ajo)"
+32400060,"EGG WHITE OMELET, SCRAMBLED, OR FRIED, MADE WITH MARGARINE","Egg white omelet, scrambled, or fried, made with margarine"
+32400065,"EGG WHITE OMELET, SCRAMBLED, OR FRIED, MADE WITH OIL","Egg white omelet, scrambled, or fried, made with oil"
+32400070,"EGG WHITE OMELET, SCRAMBLED, OR FRIED, MADE WITH BUTTER","Egg white omelet, scrambled, or fried, made with butter"
+32400075,"EGG WHITE OMELET, SCRAMBLED, OR FRIED, MADE WITH COOKING SPR","Egg white omelet, scrambled, or fried, made with cooking spray"
+32400080,"EGG WHITE OMELET, SCRAMBLED, OR FRIED, MADE WITHOUT FAT","Egg white omelet, scrambled, or fried, made without fat"
+32400100,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/CHEESE, FAT ADDED","Egg white, omelet, scrambled, or fried, with cheese, fat added in cooking"
+32400110,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ CHEESE, FAT NOT A","Egg white, omelet, scrambled, or fried, with cheese, fat not added in cooking"
+32400120,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, WITH CHEESE, NS FAT","Egg white, omelet, scrambled, or fried, with cheese, NS as to fat added in cooking"
+32400200,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ MEAT, FAT ADDED","Egg white, omelet, scrambled, or fried, with meat, fat added in cooking"
+32400210,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ MEAT, FAT NOT ADD","Egg white, omelet, scrambled, or fried, with meat, fat not added in cooking"
+32400220,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, WITH MEAT, NS FAT","Egg white, omelet, scrambled, or fried, with meat, NS as to fat added in cooking"
+32400300,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ VEGS, FAT ADDED","Egg white, omelet, scrambled, or fried, with vegetables, fat added in cooking"
+32400310,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ VEGS, FAT NOT ADD","Egg white, omelet, scrambled, or fried, with vegetables, fat not added in cooking"
+32400320,"EGG WHITE, OMELET, SCRAMBLED, OR FRIED, W/ VEGS, NS FAT","Egg white, omelet, scrambled, or fried, with vegetables, NS as to fat added in cooking"
+32400400,"EGG WHITE, OMELET, SCR OR FRIED, W/ CHEESE & MEAT, FAT ADDED","Egg white, omelet, scrambled, or fried, with cheese and meat, fat added in cooking"
+32400410,"EGG WHITE, OMELET, SCR OR FRIED, W/ CHEESE & MEAT, FAT NOT A","Egg white, omelet, scrambled, or fried, with cheese and meat, fat not added in cooking"
+32400420,"EGG WHITE, OMELET, SCR OR FRIED, W/ CHEESE & MEAT, NS FAT AD","Egg white, omelet, scrambled, or fried, with cheese and meat, NS as to fat added in cooking"
+32400500,"EGG WHITE, OMELET, SCR OR FRIED, W/CHEESE & VEG, FAT ADDED","Egg white, omelet, scrambled, or fried, with cheese and vegetables, fat added in cooking"
+32400510,"EGG WHITE, OMELET, SCR OR FRIED, W/CHEESE & VEG, FAT NOT ADD","Egg white, omelet, scrambled, or fried, with cheese and vegetables, fat not added in cooking"
+32400520,"EGG WHITE, OMELET, SCR OR FRIED, W/CHEESE & VEG, NS FAT ADDE","Egg white, omelet, scrambled, or fried, with cheese and vegetables, NS as to fat added in cooking"
+32400600,"EGG WHITE, OMELET, SCR OR FRIED, W/MEAT & VEG, FAT ADDED","Egg white, omelet, scrambled, or fried, with meat and vegetables, fat added in cooking"
+32400610,"EGG WHITE, OMELET, SCR OR FRIED, W/MEAT & VEG, FAT NOT ADDED","Egg white, omelet, scrambled, or fried, with meat and vegetables, fat not added in cooking"
+32400620,"EGG WHITE, OMELET, SCR OR FRIED, W/MEAT & VEG, NS FAT ADDED","Egg white, omelet, scrambled, or fried, with meat and vegetables, NS as to fat added in cooking"
+32400700,"EGG WHITE,OMELET,SCR OR FRIED,W/CHEESE, MEAT&VEG,FAT ADDED","Egg white, omelet, scrambled, or fried, with cheese, meat, and vegetables, fat added in cooking"
+32400710,"EGG WHITE,OMELET,SCR OR FRIED,W/CHEESE, MEAT&VEG,FAT NOT ADD","Egg white, omelet, scrambled, or fried, with cheese, meat, and vegetables, fat not added in cooking"
+32400720,"EGG WHITE,OMELET,SCR OR FRIED,W/CHEESE, MEAT&VEG,NS FAT ADDE","Egg white, omelet, scrambled, or fried, with cheese, meat, and vegetables, NS as to fat added in cooking"
+32401000,"MERINGUES","Meringues"
+33001000,"EGG SUB, OMELET, SCR, OR FRIED, MADE W/ MARGARINE","Egg substitute, omelet, scrambled, or fried, made with margarine"
+33001010,"EGG SUB, OMELET, SCR, OR FRIED, MADE W/ OIL","Egg substitute, omelet, scrambled, or fried, made with oil"
+33001020,"EGG SUB, OMELET, SCR, OR FRIED, MADE W/ BUTTER","Egg substitute, omelet, scrambled, or fried, made with butter"
+33001040,"EGG SUB, OMELET, SCR, OR FRIED, MADE W/ COOKING SPRAY","Egg substitute, omelet, scrambled, or fried, made with cooking spray"
+33001050,"EGG SUB, OMELET, SCR, OR FRIED, MADE WO/ FAT","Egg substitute, omelet, scrambled, or fried, made without fat"
+33001100,"EGG SUBSTITUTE, CHSE FLAV,OMELET,SCRM,FRIED,FAT ADDED","Egg substitute, cheese flavored, omelet, scrambled, or fried, fat added in cooking"
+33001110,"EGG SUBSTITUTE, CHSE FLAV,OMELET,SCRM,FRIED,NO FAT","Egg substitute, cheese flavored, omelet, scrambled, or fried, fat not added in cooking"
+33001120,"EGG SUBSTITUTE, CHSE FLAV,OMELET,SCRM,FRIED,NS AS TO FAT","Egg substitute, cheese flavored, omelet, scrambled, or fried, NS as to fat added in cooking"
+33001200,"EGG SUBSTITUTE, VEG FLAV,OMELET,SCRM,FRIED,FAT ADDED","Egg substitute, vegetable flavored, omelet, scrambled, or fried, fat added in cooking"
+33001210,"EGG SUBSTITUTE, VEG FLAV,OMELET,SCRM,FRIED,NO FAT","Egg substitute, vegetable flavored, omelet, scrambled, or fried, fat not added in cooking"
+33001220,"EGG SUBSTITUTE, VEG FLAV,OMELET,SCRM,FRIED,NS AS TO FAT","Egg substitute, vegetable flavored, omelet, scrambled, or fried, NS as to fat added in cooking"
+33401000,"EGG SUB, OMELET, SCR, OR FRIED, W/ CHEESE, FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese, fat added in cooking"
+33401010,"EGG SUB, OMELET, SCR, OR FRIED, W/ CHEESE, FAT NOT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese, fat not added in cooking"
+33401020,"EGG SUB, OMELET, SCR, OR FRIED, W/ CHEESE, NS FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese, NS as to fat added in cooking"
+33401100,"EGG SUB, OMELET, SCR, OR FRIED, W/ MEAT, FAT ADDED","Egg substitute, omelet, scrambled, or fried, with meat, fat added in cooking"
+33401110,"EGG SUB, OMELET, SCR, OR FRIED, W/ MEAT, FAT NOT ADDED","Egg substitute, omelet, scrambled, or fried, with meat, fat not added in cooking"
+33401120,"EGG SUB, OMELET, SCR, OR FRIED, W/ MEAT, NS FAT ADDED","Egg substitute, omelet, scrambled, or fried, with meat, NS as to fat added in cooking"
+33401200,"EGG SUB, OMELET, SCR OR FRIED, W/VEGS, FAT ADDED IN COOKING","Egg substitute, omelet, scrambled, or fried, with vegetables, fat added in cooking"
+33401210,"EGG SUB, OMELET, SCR OR FRIED, W/VEGS, FAT NOT ADDED IN COOK","Egg substitute, omelet, scrambled, or fried, with vegetables, fat not added in cooking"
+33401220,"EGG SUB, OMELET, SCR OR FRIED, W/VEGS, NS FAT ADDED IN COOKI","Egg substitute, omelet, scrambled, or fried, with vegetables, NS as to fat added in cooking"
+33401300,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE&MEAT, FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and meat, fat added in cooking"
+33401310,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE&MEAT, FAT NOT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and meat, fat not added in cooking"
+33401320,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE&MEAT, NS FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and meat, NS as to fat added in cooking"
+33401400,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE & VEG, FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and vegetables, fat added in cooking"
+33401410,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE & VEG, FAT NOT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and vegetables, fat not added in cooking"
+33401420,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE & VEG, NS FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese and vegetables, NS as to fat added in cooking"
+33401500,"EGG SUB, OMELET, SCR OR FRIED, W/ MEAT & VEG, FAT ADDED","Egg substitute, omelet, scrambled, or fried, with meat and vegetables, fat added in cooking"
+33401510,"EGG SUB, OMELET, SCR OR FRIED, W/ MEAT & VEG, FAT NOT ADDED","Egg substitute, omelet, scrambled, or fried, with meat and vegetables, fat not added in cooking"
+33401520,"EGG SUB, OMELET, SCR OR FRIED, W/ MEAT & VEG, NS FAT ADDED","Egg substitute, omelet, scrambled, or fried, with meat and vegetables, NS as to fat added in cooking"
+33401600,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE,MEAT&VEG,FAT ADDED","Egg substitute, omelet, scrambled, or fried, with cheese, meat, and vegetables, fat added in cooking"
+33401610,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE,MEAT&VEG,FAT NOT ADD","Egg substitute, omelet, scrambled, or fried, with cheese, meat, and vegetables, fat not added in cooking"
+33401620,"EGG SUB, OMELET, SCR OR FRIED, W/CHEESE,MEAT&VEG,NS FAT ADDE","Egg substitute, omelet, scrambled, or fried, with cheese, meat, and vegetables, NS as to fat added in cooking"
+41101000,"BEANS, DRY, COOKED, NS AS TO TYPE, NS ADDED FAT","Beans, dry, cooked, NS as to type and as to fat added in cooking"
+41101010,"BEANS, DRY, COOKED, NS AS TO TYPE, ADDED FAT","Beans, dry, cooked, NS as to type, fat added in cooking"
+41101020,"BEANS, DRY, COOKED, NS AS TO TYPE, NO FAT ADDED","Beans, dry, cooked, NS as to type, fat not added in cooking"
+41101100,"WHITE BEAN, DRY, COOKED, NS AS TO ADDED FAT","White beans, dry, cooked, NS as to fat added in cooking"
+41101110,"WHITE BEAN, DRY, COOKED, FAT ADDED","White beans, dry, cooked, fat added in cooking"
+41101120,"WHITE BEAN, DRY, COOKED, NO FAT ADDED","White beans, dry, cooked, fat not added in cooking"
+41101200,"WHITE BEANS, CANNED, LOW SODIUM, NS AS TO FAT ADDED","White beans, canned, low sodium, NS as to fat added in cooking"
+41101210,"WHITE BEANS, CANNED, LOW SODIUM, FAT ADDED IN COOKING","White beans, canned, low sodium, fat added in cooking"
+41101220,"WHITE BEANS, CANNED, LOW SODIUM, FAT NOT ADDED IN COOKING","White beans, canned, low sodium, fat not added in cooking"
+41102000,"BLACK, BROWN OR BAYO BEAN, DRY, COOKED, FAT NS","Black, brown, or Bayo beans, dry, cooked, NS as to fat added in cooking"
+41102010,"BLACK, BROWN OR BAYO BEAN, DRY, COOKED, FAT ADDED","Black, brown, or Bayo beans, dry, cooked, fat added in cooking"
+41102020,"BLACK, BROWN OR BAYO BEAN, DRY, COOKED, NO FAT","Black, brown, or Bayo beans, dry, cooked, fat not added in cooking"
+41102100,"BLACK, BROWN, OR BAYO BEANS, CANNED, LOW SODIUM, NS FAT","Black, brown, or Bayo beans, canned, low sodium, NS as to fat added in cooking"
+41102110,"BLACK, BROWN, OR BAYO BEANS, CANNED, LOW SODIUM, FAT ADDED","Black, brown, or Bayo beans, canned, low sodium, fat added in cooking"
+41102120,"BLACK, BROWN, OR BAYO BEANS, CANNED, LOW SODIUM, NO FAT","Black, brown, or Bayo beans, canned, low sodium, fat not added in cooking"
+41102200,"FAVA BEANS, COOKED, NS AS TO ADDED FAT","Fava beans, cooked, NS as to fat added in cooking"
+41102210,"FAVA BEANS, COOKED, FAT ADDED","Fava beans, cooked, fat added in cooking"
+41102220,"FAVA BEANS, COOKED, NO FAT ADDED","Fava beans, cooked, fat not added in cooking"
+41103000,"LIMA BEANS, DRY, COOKED, NS AS TO ADDED FAT","Lima beans, dry, cooked, NS as to fat added in cooking"
+41103010,"LIMA BEANS, DRY, COOKED, FAT ADDED","Lima beans, dry, cooked, fat added in cooking"
+41103020,"LIMA BEANS, DRY, COOKED, NO FAT ADDED","Lima beans, dry, cooked, fat not added in cooking"
+41103050,"PINK BEANS, DRY, COOKED, NS AS TO FAT","Pink beans, dry, cooked, NS as to fat added in cooking"
+41103060,"PINK BEANS, DRY, COOKED, NO FAT ADDED","Pink beans, dry, cooked, fat not added in cooking"
+41103070,"PINK BEANS, DRY, COOKED, FAT ADDED","Pink beans, dry, cooked, fat added in cooking"
+41104000,"PINTO, CALICO/RED/MEX BEAN, DRY, COOKED, FAT NS","Pinto, calico, or red Mexican beans, dry, cooked, NS as to fat added in cooking"
+41104010,"PINTO, CALICO/RED/MEX BEAN, DRY, COOKED, FAT ADDED","Pinto, calico, or red Mexican beans, dry, cooked, fat added in cooking"
+41104020,"PINTO, CALICO/RED/MEX BEAN, DRY, COOKED, NO FAT","Pinto, calico, or red Mexican beans, dry, cooked, fat not added in cooking"
+41104100,"PINTO,CALICO, RED MEXICAN BEANS, CANNED, LOW SODIUM, NS FAT","Pinto, calico, or red Mexican beans, canned, low sodium, NS as to fat added in cooking"
+41104110,"PINTO,CALICO,RED MEX BEANS, CANNED, LOW SODIUM, FAT ADDED","Pinto, calico, or red Mexican beans, canned, low sodium, fat added in cooking"
+41104120,"PINTO,CALICO,RED MEXICAN BEANS, CANNED, LOW SODIUM, NO FAT","Pinto, calico, or red Mexican beans, canned, low sodium, fat not added in cooking"
+41106000,"RED KIDNEY BEANS, DRY, COOKED, NS AS TO ADDED FAT","Red kidney beans, dry, cooked, NS as to fat added in cooking"
+41106010,"RED KIDNEY BEANS, DRY, COOKED, FAT ADDED","Red kidney beans, dry, cooked, fat added in cooking"
+41106020,"RED KIDNEY BEANS, DRY, COOKED, NO FAT ADDED","Red kidney beans, dry, cooked, fat not added in cooking"
+41106100,"RED KIDNEY BEANS, CANNED, LOW SODIUM, FAT ADDED IN COOKING","Red kidney beans, canned, low sodium, NS as to fat added in cooking"
+41106110,"RED KIDNEY BEANS, CANNED, LOW SODIUM, FAT ADDED IN COOKING","Red kidney beans, canned, low sodium, fat added in cooking"
+41106120,"RED KIDNEY BEANS, CANNED, LOW SODIUM, FAT NOT ADDED","Red kidney beans, canned, low sodium, fat not added in cooking"
+41107000,"SOYBEANS, COOKED, FAT NOT ADDED","Soybeans, cooked, fat not added in cooking"
+41108000,"MUNG BEANS, NO FAT ADDED","Mung beans, fat not added in cooking"
+41108010,"MUNG BEANS, FAT ADDED","Mung beans, fat added in cooking"
+41108020,"MUNG BEANS, NS AS TO FAT ADDED","Mung beans, NS as to fat added in cooking"
+41109000,"MUNGO BEANS, COOKED, NO FAT ADDED","Mungo beans, cooked, fat not added in cooking"
+41201010,"BAKED BEANS, NFS","Baked beans, NFS"
+41201020,"BAKED BEANS, VEGETARIAN","Baked beans, vegetarian"
+41202020,"CHILI BEANS, BARBECUE BEANS, RANCH OR MEXICAN STYLE","Chili beans, barbecue beans, ranch style beans or Mexican- style beans"
+41202500,"BEANS AND TOMATOES, NS AS TO FAT ADDED","Beans and tomatoes, NS as to fat added in cooking"
+41202505,"BEANS AND TOMATOES, FAT NOT ADDED","Beans and tomatoes, fat not added in cooking"
+41202510,"BEANS AND TOMATOES, FAT ADDED","Beans and tomatoes, fat added in cooking"
+41203030,"BLACK BEAN SALAD","Black bean salad"
+41204020,"BOSTON BAKED BEANS","Boston baked beans"
+41205010,"REFRIED BEANS","Refried beans"
+41205015,"REFRIED BEANS, FAT NOT ADDED IN COOKING","Refried beans, fat not added in cooking"
+41205020,"REFRIED BEANS W/ CHEESE","Refried beans with cheese"
+41205030,"REFRIED BEANS W/ MEAT","Refried beans with meat"
+41205040,"REFRIED BEANS, CANNED, LOW SODIUM","Refried beans, canned, low sodium"
+41205050,"BEAN DIP, W/ REFRIED BEANS","Bean dip, made with refried beans"
+41205070,"HUMMUS","Hummus"
+41205100,"BLACK BEAN SAUCE","Black bean sauce"
+41206030,"BEANS & FRANKS","Beans and franks"
+41207030,"BEANS, DRY, COOKED, W/ GROUND BEEF","Beans, dry, cooked with ground beef"
+41208030,"PORK & BEANS","Pork and beans"
+41208100,"BEANS, DRY, COOKED, W/ PORK","Beans, dry, cooked with pork"
+41209000,"FALAFEL","Falafel"
+41210000,"BEAN CAKE, JAPANESE STYLE","Bean cake"
+41210090,"STEWED BEANS W/ PORK, TOMATOES, & CHILI PEPPERS, MEXICAN","Stewed beans with pork, tomatoes, and chili peppers, Mexican style (Frijoles a la charra)"
+41210100,"STEWED RED BEANS, P.R.","Stewed red beans, Puerto Rican style (Habichuelas coloradas guisadas)"
+41210110,"STEWED DRY LIMA BEANS, P.R","Stewed dry lima beans, Puerto Rican style"
+41210120,"STEWED WHITE BEANS, P.R.","Stewed white beans, Puerto Rican style"
+41210150,"STEWED PINK BEANS W/ WHITE POTATOES & HAM, P.R.","Stewed pink beans with white potatoes and ham, Puerto Rican style"
+41210160,"STEWED PINK BEANS W/ PIG'S FEET, P.R","Stewed pink beans with pig's feet, Puerto Rican style"
+41210170,"STEWED RED BEANS W/ PIG'S FEET, P.R.","Stewed red beans with pig's feet, Puerto Rican style"
+41210180,"STEWED WHITE BEANS W/ PIG'S FEET, P.R.","Stewed white beans with pig's feet, Puerto Rican style"
+41210190,"STEWED RED BEANS W/ PIGS FEET & POTATO, P.R.","Stewed red beans with pig's feet and potatoes, Puerto Rican style"
+41210200,"BLACK BEANS, CUBAN","Black beans, Cuban style (Habichuelas negras guisadas a la Cubana)"
+41221010,"BAKED BEANS, LOW SODIUM","Baked beans, low sodium"
+41221020,"CHILI WITH BEANS, WITHOUT MEAT","Chili with beans, without meat"
+41301000,"COWPEAS, DRY, COOKED, NS AS TO ADDED FAT","Cowpeas, dry, cooked, NS as to fat added in cooking"
+41301010,"COWPEAS, DRY, COOKED, FAT ADDED","Cowpeas, dry, cooked, fat added in cooking"
+41301020,"COWPEAS, DRY, COOKED, NO FAT ADDED","Cowpeas, dry, cooked, fat not added in cooking"
+41302000,"CHICKPEAS, DRY, COOKED, NS AS TO ADDED FAT","Chickpeas, dry, cooked, NS as to fat added in cooking"
+41302010,"CHICKPEAS, DRY, COOKED, FAT ADDED","Chickpeas, dry, cooked, fat added in cooking"
+41302020,"CHICKPEAS, DRY, COOKED, NO FAT ADDED","Chickpeas, dry, cooked, fat not added in cooking"
+41302100,"CHICKPEAS, CANNED, LOW SODIUM, NS AS TO FAT ADDED IN COOKING","Chickpeas, canned, low sodium, NS as to fat added in cooking"
+41302110,"CHICKPEAS, CANNED, LOW SODIUM, FAT ADDED IN COOKING","Chickpeas, canned, low sodium, fat added in cooking"
+41302120,"CHICKPEAS, CANNED, LOW SODIUM, FAT NOT ADDED IN COOKING","Chickpeas, canned, low sodium, fat not added in cooking"
+41303000,"GREEN/YELLOW SPLIT PEAS, DRY, COOKED, NO FAT ADDED","Green or yellow split peas, dry, cooked, fat not added in cooking"
+41303010,"GREEN OR YELLOW SPLIT PEAS, DRY, COOKED, FAT ADDED","Green or yellow split peas, dry, cooked, fat added in cooking"
+41303020,"SPLIT PEAS, DRY, COOKED, NS AS TO ADDED FAT","Green or yellow split peas, dry, cooked, NS as to fat added in cooking"
+41303500,"STEWED GREEN PEAS, PUERTO RICAN STYLE","Stewed green peas, Puerto Rican style"
+41303550,"STEWED GREEN PEAS, W/ PIG'S FEET & POTATO, P.R.","Stewed green peas with pig's feet and potatoes, Puerto Rican style"
+41304000,"WASABI PEAS","Wasabi peas"
+41304030,"PEAS, DRY, COOKED W/ PORK","Peas, dry, cooked with pork"
+41304130,"COWPEAS, DRY, COOKED W/ PORK","Cowpeas, dry, cooked with pork"
+41304980,"LENTILS, DRY, COOKED, NS AS TO ADDED FAT","Lentils, dry, cooked, NS as to fat added in cooking"
+41304990,"LENTILS, DRY, COOKED, FAT ADDED","Lentils, dry, cooked, fat added in cooking"
+41305000,"LENTILS, DRY, COOKED, NO FAT ADDED","Lentils, dry, cooked, fat not added in cooking"
+41306000,"LOAF, LENTIL","Loaf, lentil"
+41310100,"STEWED PIGEON PEAS, P.R.","Stewed pigeon peas, Puerto Rican style (Gandules guisados, Gandur, Gandules)"
+41310150,"STEWED CHICKPEAS, P.R.","Stewed chickpeas, Puerto Rican style"
+41310160,"STEWED CHICKPEAS, W/ POTATOES, P.R.","Stewed chickpeas, with potatoes, Puerto Rican style"
+41310200,"CHICKPEAS STEWED W/ PIG'S FEET, P.R.","Chickpeas stewed with pig's feet, Puerto Rican style (Garbanzos guisados con patitas de cerdo)"
+41310210,"CHICKPEAS, W/ SPANISH SAUSAGE, P.R.","Stewed chickpeas with Spanish sausages, Puerto Rican style (Garbanzos guisados con chorizos)"
+41310220,"FRIED CHICKPEAS W/ BACON, P.R.","Fried chickpeas with bacon, Puerto Rican style (Garbanzos fritos con tocineta)"
+41310310,"STEWED BLACKEYE PEAS OR COWPEAS, P.R.","Stewed blackeye peas or cowpeas, Puerto Rican style"
+41311000,"PAPAD(INDIAN APPETIZER),GRILLED OR BROILED","Papad (Indian appetizer), grilled or broiled"
+41410010,"SOY NUTS","Soy nuts"
+41410015,"SOY CHIPS","Soy chips"
+41420010,"SOYBEAN CURD","Soybean curd"
+41420050,"SOYBEAN CURD CHEESE","Soybean curd cheese"
+41420100,"MISO SAUCE (INCLUDES AE SAUCE)","Miso sauce"
+41420110,"MISO (FERMENTED SOYBEAN PASTE)","Miso (fermented soybean paste)"
+41420200,"NATTO (FERMENTED SOYBEAN PRODUCT)","Natto (fermented soybean product)"
+41420250,"HOISIN SAUCE","Hoisin sauce"
+41420300,"SOY SAUCE","Soy sauce"
+41420350,"SOY SAUCE, REDUCED SODIUM","Soy sauce, reduced sodium"
+41420380,"SOY YOGURT","Soy yogurt"
+41420400,"TERIYAKI SAUCE (INCLUDE ORIENTAL BARBECUE SAUCE)","Teriyaki sauce"
+41420410,"TERIYAKI SAUCE, REDUCED SODIUM","Teriyaki sauce, reduced sodium"
+41420450,"WORCESTERSHIRE SAUCE","Worcestershire sauce"
+41421010,"SOYBEAN CURD, DEEP-FRIED","Soybean curd, deep fried"
+41421020,"SOYBEAN CURD, BREADED, FRIED","Soybean curd, breaded, fried"
+41422010,"SOYBEAN MEAL","Soybean meal"
+41425010,"VERMICELLI, MADE FROM SOYBEANS","Vermicelli, made from soybeans"
+41440000,"TEXTURED VEGETABLE PROTEIN, DRY","Textured vegetable protein, dry"
+41480000,"TOFU FROZEN DESSERT, NOT CHOCOLATE (INCL TOFUTTI)","Tofu, frozen dessert, flavors other than chocolate"
+41480010,"TOFU FROZEN DESSERT, CHOCOLATE (INCLUDE TOFUTTI)","Tofu, frozen dessert, chocolate"
+41601010,"BEAN SOUP, NFS","Bean soup, NFS"
+41601020,"BEAN WITH BACON OR HAM SOUP, CANNED OR READY-TO-SERVE","Bean with bacon or ham soup, canned or ready-to-serve"
+41601030,"BLACK BEAN SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Black bean soup, home recipe, canned or ready-to-serve"
+41601040,"LIMA BEAN SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Lima bean soup, home recipe, canned or ready-to-serve"
+41601070,"SOYBEAN SOUP, MISO BROTH","Soybean soup, miso broth"
+41601080,"PINTO BEAN SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Pinto bean soup, home recipe, canned or ready-to-serve"
+41601090,"BEAN SOUP, WITH MACARONI, HOME RECIPE, CANNED, OR READY-TO-S","Bean soup, with macaroni, home recipe, canned, or ready-to-serve"
+41601100,"PORTUGUESE BEAN SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Portuguese bean soup, home recipe, canned or ready-to-serve"
+41601110,"BEAN AND HAM SOUP, CHUNKY STYLE, CANNED OR READY-TO-SERVE","Bean and ham soup, chunky style, canned or ready-to-serve"
+41601130,"BEAN SOUP, MIXED BEANS, HOME RECIPE, CANNED OR READY-TO-SERV","Bean soup, mixed beans, home recipe, canned or ready-to-serve"
+41601140,"BEAN SOUP, HOME RECIPE","Bean soup, home recipe"
+41601160,"BEAN & HAM SOUP, CAN, REDUCED SODIUM, W/ WATER/RTS","Bean and ham soup, canned, reduced sodium, prepared with water or ready-to-serve"
+41601180,"BEAN & HAM SOUP, HOME RECIPE","Bean and ham soup, home recipe"
+41601200,"LIQUID FROM STEWED KIDNEY BEANS, P.R.","Liquid from stewed kidney beans, Puerto Rican style"
+41602010,"PEA AND HAM SOUP, CHUNKY STYLE, CANNED OR READY-TO-SERVE","Pea and ham soup, chunky style, canned or ready-to-serve"
+41602020,"GARBANZO BEAN OR CHICKPEA SOUP, HOME RECIPE, CANNED OR READY","Garbanzo bean or chickpea soup, home recipe, canned or ready-to-serve"
+41602030,"SPLIT PEA & HAM SOUP","Split pea and ham soup"
+41602050,"SPLIT PEA SOUP","Split pea soup"
+41602070,"SPLIT PEA SOUP, CAN, REDUCED SODIUM, W/ WATER/RTS","Split pea soup, canned, reduced sodium, prepared with water or ready-to-serve"
+41602090,"SPLIT PEA & HAM SOUP, CAN, REDUCED SODIUM, W/ WATER/RTS","Split pea and ham soup, canned, reduced sodium, prepared with water or ready-to-serve"
+41603010,"LENTIL SOUP, HOME RECIPE, CANNED, OR READY-TO-SERVE","Lentil soup, home recipe, canned, or ready-to-serve"
+41610100,"WHITE BEAN SOUP, P.R.","White bean soup, Puerto Rican style (Sopon de habichuelas blancas)"
+41810200,"BACON STRIP, MEATLESS","Bacon strip, meatless"
+41810250,"BACON BITS, MEATLESS","Bacon bits, meatless"
+41810400,"BREAKFAST LINK,PATTY,/SLICE, MEATLESS","Breakfast link, pattie, or slice, meatless"
+41810600,"CHICKEN, MEATLESS NFS","Chicken, meatless, NFS"
+41810610,"CHICKEN, MEATLESS, BREADED, FRIED (INCL LOMA LINDA)","Chicken, meatless, breaded, fried"
+41811200,"FISH STICK, MEATLESS","Fish stick, meatless"
+41811400,"FRANKFURTER OR HOT DOG, MEATLESS","Frankfurter or hot dog, meatless"
+41811600,"LUNCHEON SLICE,MEATLESS-BEEF,CHICKEN,SALAM / TURKEY","Luncheon slice, meatless-beef, chicken, salami or turkey"
+41811800,"MEATBALL, MEATLESS","Meatball, meatless"
+41811850,"SCALLOPS, MEATLESS, BREADED, FRIED","Scallops, meatless, breaded, fried (made with meat substitute)"
+41811890,"VEGETARIAN BURGER OR PATTY, MEATLESS, NO BUN","Vegetarian burger or patty, meatless, no bun"
+41811950,"SWISS STEAK, W/ GRAVY, MEATLESS","Swiss steak, with gravy, meatless"
+41812000,"SANDWICH SPREAD, MEAT SUBSTITUTE TYPE","Sandwich spread, meat substitute type"
+41812400,"VEGETARIAN POT PIE","Vegetarian pot pie"
+41812450,"VEGETARIAN CHILI (MADE W/ MEAT SUBSTITUTE)","Vegetarian chili (made with meat substitute)"
+41812500,"TOFU & VEG (W/ CARROT/DK GRN, NO POTATO) W/ SOY SAUCE","Tofu and vegetables (including carrots, broccoli, and/or dark-green leafy vegetables (no potatoes)), with soy-based sauce (mixture)"
+41812510,"TOFU & VEG (NO CARROT/DK GRN, NO POTATO) W/ SOY SAUCE","Tofu and vegetables (excluding carrots, broccoli, and dark-green leafy vegetables (no potatoes)), with soy-based sauce (mixture)"
+41812600,"VEGETARIAN FILLET","Vegetarian, fillet"
+41812800,"VEGETARIAN STEW","Vegetarian stew"
+41812850,"VEGETARIAN STROGANOFF (MADE W/ MEAT SUBSTITUTE)","Vegetarian stroganoff (made with meat substitute)"
+41812900,"VEGETARIAN MEAT LOAF OR PATTIES","Vegetarian meat loaf or patties (meat loaf made with meat substitute)"
+41813000,"VEGATARIAN BOUILLON, DRY","Vegetarian bouillon, dry"
+41901020,"SOYBURGER W/ CHEESE ON BUN","Soyburger, meatless, with cheese on bun"
+42100050,"NUTS, NFS","Nuts, nfs"
+42100100,"ALMONDS, NFS","Almonds, NFS"
+42101000,"ALMONDS, UNROASTED","Almonds, unroasted"
+42101100,"ALMONDS, ROASTED","Almonds, roasted"
+42101200,"ALMONDS, DRY ROASTED","Almonds, dry roasted (assume salted)"
+42101210,"ALMONDS, DRY ROASTED, W/O SALT","Almonds, dry roasted, without salt"
+42101350,"ALMONDS, HONEY-ROASTED","Almonds, honey-roasted"
+42102000,"BRAZIL NUTS","Brazil nuts"
+42104000,"CASHEW NUTS, NFS","Cashew nuts, NFS"
+42104100,"CASHEW NUTS, ROASTED","Cashew nuts, roasted (assume salted)"
+42104110,"CASHEW NUTS, ROASTED, W/O SALT","Cashew nuts, roasted, without salt"
+42104200,"CASHEW NUTS, DRY ROASTED","Cashew nuts, dry roasted"
+42104205,"CASHEW NUTS, DRY ROASTED, WITHOUT SALT","Cashew nuts, dry roasted, without salt"
+42104500,"CASHEW NUTS, HONEY-ROASTED","Cashew nuts, honey-roasted"
+42105000,"CHESTNUTS, ROASTED","Chestnuts, roasted"
+42106000,"COCONUT MEAT, FRESH","Coconut meat, fresh"
+42106020,"COCONUT MEAT, DRIED, SWEETENED, SHREDDED","Coconut meat, dried, sweetened"
+42107000,"FILBERTS, HAZELNUTS","Filberts, hazelnuts"
+42109000,"MACADAMIA NUTS, UNROASTED","Macadamia nuts, unroasted"
+42109100,"MACADAMIA NUTS, ROASTED","Macadamia nuts, roasted"
+42110000,"MIXED NUTS, NFS","Mixed nuts, NFS"
+42110100,"MIXED NUTS, ROASTED, W/ PEANUTS","Mixed nuts, roasted, with peanuts"
+42110150,"MIXED NUTS, ROASTED, W/O PEANUTS","Mixed nuts, roasted, without peanuts"
+42110200,"MIXED NUTS, DRY ROASTED","Mixed nuts, dry roasted"
+42110300,"MIXED NUTS, HONEY-ROASTED, WITH PEANUTS","Mixed nuts, honey-roasted, with peanuts"
+42111000,"PEANUTS, NFS","Peanuts, NFS"
+42111030,"PEANUTS, BOILED","Peanuts, boiled"
+42111100,"PEANUTS, ROASTED, SALTED","Peanuts, roasted, salted"
+42111110,"PEANUTS, ROASTED, W/O SALT","Peanuts, roasted, without salt"
+42111200,"PEANUTS, DRY ROASTED, SALTED","Peanuts, dry roasted, salted"
+42111210,"PEANUTS, DRY ROASTED, W/O SALT","Peanuts, dry roasted, without salt"
+42111500,"PEANUTS, HONEY ROASTED (INCL BEERNUTS)","Peanuts, honey-roasted"
+42112000,"PECANS","Pecans"
+42113000,"PINE NUTS (PIGNOLIAS)","Pine nuts (Pignolias)"
+42114130,"PISTACHIO NUTS","Pistachio nuts"
+42116000,"WALNUTS","Walnuts"
+42116100,"WALNUTS, HONEY-ROASTED","Walnuts, honey-roasted"
+42200500,"ALMOND BUTTER","Almond butter"
+42200600,"ALMOND PASTE (MARZIPAN PASTE)","Almond paste (Marzipan paste)"
+42201000,"CASHEW BUTTER","Cashew butter"
+42202000,"PEANUT BUTTER","Peanut butter"
+42202010,"PEANUT BUTTER, LOW SODIUM","Peanut butter, low sodium"
+42202100,"PEANUT BUTTER, REDUCED SODIUM & REDUCED SUGAR","Peanut butter, reduced sodium and reduced sugar"
+42202130,"PEANUT BUTTER, REDUCED SUGAR","Peanut butter, reduced sugar"
+42202150,"PEANUT BUTTER, REDUCED FAT","Peanut butter, reduced fat"
+42202200,"PEANUT BUTTER, VITAMIN & MINERAL FORTIFIED","Peanut butter, vitamin and mineral fortified"
+42203000,"PEANUT BUTTER & JELLY","Peanut butter and jelly"
+42204050,"PEANUT SAUCE","Peanut sauce"
+42204100,"BROWN NUT GRAVY ( MEATLESS)","Brown nut gravy, meatless"
+42301010,"PEANUT BUTTER SANDWICH","Peanut butter sandwich"
+42302010,"PEANUT BUTTER & JELLY SANDWICH","Peanut butter and jelly sandwich"
+42303010,"PEANUT BUTTER & BANANA SANDWICH","Peanut butter and banana sandwich"
+42401010,"COCONUT MILK","Coconut milk (liquid expressed from grated coconut meat, water added)"
+42402010,"COCONUT CREAM, CANNED, SWEETENED (INCL COCO LOPEZ)","Coconut cream (liquid expressed from grated coconut meat), canned, sweetened"
+42403010,"COCONUT WATER (LIQUID FROM COCONUTS)","Coconut water (liquid from coconuts)"
+42404010,"COCONUT WATER, CANNED OR BOTTLED","Coconut water, canned or bottled"
+42501000,"NUT MIXTURE W/ DRIED FRUIT & SEEDS","Nut mixture with dried fruit and seeds"
+42501500,"NUT MIXTURE WITH DRIED FRUIT, SEEDS, AND CHOCOLATE","Nut mixture with dried fruit, seeds, and chocolate"
+42502000,"NUT MIXTURE W/ SEEDS","Nut mixture with seeds"
+43101000,"PUMPKIN & SQUASH SEEDS, HULLED, UNROASTED","Pumpkin and/or squash seeds, hulled, unroasted"
+43101100,"PUMPKIN & SQUASH SEEDS, HULLED, ROASTED, SALTED","Pumpkin and/or squash seeds, hulled, roasted, salted"
+43101150,"PUMPKIN & SQUASH SEEDS, HULLED, ROASTED, NO SALT","Pumpkin and/or squash seeds, hulled, roasted, without salt"
+43102000,"SUNFLOWER SEEDS, HULLED, UNROASTED, WITHOUT SALT","Sunflower seeds, hulled, unroasted, without salt"
+43102100,"SUNFLOWER SEEDS, HULLED, ROASTED, SALTED","Sunflower seeds, hulled, roasted, salted"
+43102110,"SUNFLOWER SEEDS, HULLED, ROASTED, W/O SALT","Sunflower seeds, hulled, roasted, without salt"
+43102200,"SUNFLOWER SEEDS, HULLED, DRY ROASTED","Sunflower seeds, hulled, dry roasted"
+43103000,"SESAME SEEDS (INCLUDE TOASTED)","Sesame seeds"
+43103050,"SESAME SEEDS, WHOLE SEEDS","Sesame seeds, whole seed"
+43103100,"SESAME SAUCE","Sesame sauce"
+43103200,"SESAME PASTE","Sesame paste (sesame butter made from whole seeds)"
+43103300,"SESAME BUTTER (TAHINI) FROM KERNELS","Sesame butter (tahini) (made from kernels)"
+43104000,"FLAX SEED","Flax seeds"
+43107000,"MIXED SEEDS","Mixed seeds"
+44101000,"CAROB POWDER OR FLOUR","Carob powder or flour"
+44201000,"CAROB CHIPS","Carob chips"
+44202000,"CAROB SYRUP","Carob syrup"
+50010000,"FLOUR, WHITE (INCLUDE FLOUR, NFS)","Flour, white"
+50020000,"FLOUR, WHOLE WHEAT","Flour, whole wheat"
+50030000,"BISCUIT MIX, DRY","Biscuit mix, dry"
+51000100,"BREAD, NS AS TO MAJOR FLOUR","Bread, NS as to major flour"
+51000110,"BREAD, NS AS TO MAJOR FLOUR, TOASTED","Bread, NS as to major flour, toasted"
+51000180,"BREAD, HOMEMADE/PURCH AT A BAKERY, NS AS TO FLOUR","Bread, made from home recipe or purchased at a bakery, NS as to major flour"
+51000190,"BREAD, HOMEMADE/PURCH AT A BAKERY, TOASTD,NS FLOUR","Bread, made from home recipe or purchased at a bakery, toasted, NS as to major flour"
+51000200,"ROLL, NS AS TO MAJOR FLOUR","Roll, NS as to major flour"
+51000230,"ROLL, NS AS TO MAJOR FLOUR, TOASTED","Roll, NS as to major flour, toasted"
+51000250,"ROLL, HOMEMADE/PURCH AT A BAKERY, NS AS TO FLOUR","Roll, made from home recipe or purchased at a bakery, NS as to major flour"
+51000260,"ROLL, HOMEMADE/PURCH AT A BAKERY, TOASTD,NS FLOUR","Roll, made from home recipe or purchased at a bakery, toasted, NS as to major flour"
+51000300,"ROLL, HARD, NS AS TO MAJOR FLOUR","Roll, hard, NS as to major flour"
+51000400,"ROLL, BRAN, NS AS TO TYPE OF BRAN","Roll, bran, NS as to type of bran"
+51101000,"BREAD, WHITE","Bread, white"
+51101010,"BREAD, WHITE, TOASTED","Bread, white, toasted"
+51101050,"BREAD, WHITE, HOMEMADE OR PURCHASED AT A BAKERY","Bread, white, made from home recipe or purchased at a bakery"
+51101060,"BREAD, WHITE, HOMEMADE OR PURCH AT A BAKERY TOASTED","Bread, white, made from home recipe or purchased at a bakery, toasted"
+51102010,"BREAD, WHITE W/ WHOLE WHEAT SWIRL","Bread, white with whole wheat swirl"
+51102020,"BREAD, WHITE W/ WHOLE WHEAT SWIRL, TOASTED","Bread, white with whole wheat swirl, toasted"
+51105010,"BREAD, CUBAN (INCLUDE SPANISH, PORTUGUESE)","Bread, Cuban"
+51105040,"BREAD, CUBAN, TOASTED (INCLUDE SPANISH, PORTUGUESE)","Bread, Cuban, toasted"
+51106010,"BREAD, NATIVE, WATER, P.R. (PAN CRIOLLO)","Bread, Native, water, Puerto Rican style (Pan Criollo)"
+51106020,"BREAD, NATIVE, WATER, P.R., TOASTED (PAN CRIOLLO)","Bread, Native, water, Puerto Rican style, toasted (Pan Criollo)"
+51106200,"BREAD, LARD, P.R. (PAN DE MANTECA)","Bread, lard, Puerto Rican style (Pan de manteca)"
+51106210,"BREAD, LARD, P.R., TOASTED (PAN DE MANTECA)","Bread, lard, Puerto Rican style, toasted (Pan de manteca)"
+51106300,"BREAD, CARESSED, P.R. (PAN SOBAO)","Bread, caressed, Puerto Rican style (Pan sobao)"
+51106310,"BREAD, CARESSED, P.R., TOASTED (PAN SOBAO)","Bread, caressed, Puerto Rican style, toasted (Pan sobao)"
+51107010,"BREAD, FRENCH OR VIENNA","Bread, French or Vienna"
+51107040,"BREAD, FRENCH OR VIENNA, TOASTED","Bread, French or Vienna, toasted"
+51108010,"FOCACCIA, ITALIAN FLATBREAD, PLAIN","Focaccia, Italian flatbread, plain"
+51108100,"NAAN, INDIAN FLATBREAD","Naan, Indian flatbread"
+51109010,"BREAD, ITALIAN, GRECIAN, ARMENIAN","Bread, Italian, Grecian, Armenian"
+51109040,"BREAD, ITALIAN, GRECIAN, ARMENIAN, TOASTED","Bread, Italian, Grecian, Armenian, toasted"
+51109100,"BREAD, PITA","Bread, pita"
+51109110,"BREAD, PITA, TOASTED","Bread, pita, toasted"
+51109150,"BREAD, PITA W/ FRUIT","Bread, pita with fruit"
+51109200,"BREAD, PITA W/ FRUIT, TOASTED","Bread, pita with fruit, toasted"
+51111010,"BREAD, CHEESE (INCLUDE ONION CHEESE)","Bread, cheese"
+51111040,"BREAD, CHEESE, TOASTED (INCLUDE ONION CHEESE)","Bread, cheese, toasted"
+51113010,"BREAD, CINNAMON","Bread, cinnamon"
+51113100,"BREAD, CINNAMON, TOASTED","Bread, cinnamon, toasted"
+51115010,"BREAD, CORNMEAL AND MOLASSES","Bread, cornmeal and molasses"
+51115020,"BREAD, CORNMEAL AND MOLASSES, TOASTED","Bread, cornmeal and molasses, toasted"
+51119010,"BREAD, EGG, CHALLAH","Bread, egg, Challah"
+51119040,"BREAD, EGG, CHALLAH, TOASTED","Bread, egg, Challah, toasted"
+51121010,"BREAD, GARLIC","Bread, garlic"
+51121110,"BREAD, ONION","Bread, onion"
+51121120,"BREAD, ONION, TOASTED","Bread, onion, toasted"
+51122000,"BREAD, REDUCED CALORIE/HIGH FIBER","Bread, reduced calorie and/or high fiber, white or NFS"
+51122010,"BREAD, REDUCED CALORIE/HIGH FIBER, TOASTED","Bread, reduced calorie and/or high fiber, white or NFS, toasted"
+51122100,"BREAD, REDUCED CALORIE/ HIGH FIBER, W/ FRUIT/NUTS","Bread, reduced calorie and/or high fiber, white or NFS, with fruit and/or nuts"
+51122110,"BREAD, REDUCED CALORIE/HI FIBER, W/FRUIT/NUTS,TOAST","Bread, reduced calorie and/or high fiber, white or NFS, with fruit and/or nuts, toasted"
+51122300,"BREAD, WHITE, SPECIAL FORMULA, ADDED FIBER","Bread, white, special formula, added fiber"
+51122310,"BREAD,WHITE,SPECIAL FORMULA,ADDED FIBER,TOASTED","Bread, white, special formula, added fiber, toasted"
+51123010,"BREAD, HIGH PROTEIN","Bread, high protein"
+51123020,"BREAD, HIGH PROTEIN, TOASTED","Bread, high protein, toasted"
+51127010,"BREAD, POTATO","Bread, potato"
+51127020,"BREAD, POTATO, TOASTED","Bread, potato, toasted"
+51129010,"BREAD, RAISIN","Bread, raisin"
+51129020,"BREAD, RAISIN, TOASTED","Bread, raisin, toasted"
+51130510,"BREAD, WHITE, LOW SODIUM OR NO SALT","Bread, white, low sodium or no salt"
+51130520,"BREAD, WHITE, LOW SODIUM/NO SALT, TOASTED","Bread, white, low sodium or no salt, toasted"
+51133010,"BREAD, SOUR DOUGH","Bread, sour dough"
+51133020,"BREAD, SOUR DOUGH, TOASTED","Bread, sour dough, toasted"
+51134000,"BREAD, SWEET POTATO","Bread, sweet potato"
+51134010,"BREAD, SWEET POTATO, TOASTED","Bread, sweet potato, toasted"
+51135000,"BREAD, VEGETABLE","Bread, vegetable"
+51135010,"BREAD, VEGETABLE, TOASTED","Bread, vegetable, toasted"
+51136000,"BRUSCHETTA","Bruschetta"
+51140100,"BREAD DOUGH, FRIED","Bread, dough, fried"
+51150000,"ROLL, WHITE, SOFT","Roll, white, soft"
+51150100,"ROLL, WHITE, SOFT, TOASTED","Roll, white, soft, toasted"
+51151060,"ROLL, WHITE, SOFT, HOMEMADE/PURCH AT A BAKERY","Roll, white, soft, made from home recipe or purchased at a bakery"
+51152000,"ROLL, WHITE, SOFT, REDUCED CALORIE/ HIGH FIBER","Roll, white, soft, reduced calorie and/or high fiber"
+51152100,"ROLL, WHITE, REDUCED CALORIE/ HIGH FIBER, TOASTED","Roll, white, soft, reduced calorie and/or high fiber, toasted"
+51153000,"ROLL, WHITE, HARD","Roll, white, hard"
+51153010,"ROLL, WHITE, HARD, TOASTED","Roll, white, hard, toasted"
+51154510,"ROLL, DIET","Roll, diet"
+51154550,"ROLL, EGG BREAD","Roll, egg bread"
+51154560,"ROLL, EGG BREAD, TOASTED","Roll, egg bread, toasted"
+51154600,"ROLL, CHEESE","Roll, cheese"
+51155000,"ROLL, FRENCH OR VIENNA","Roll, French or Vienna"
+51155010,"ROLL, FRENCH OR VIENNA, TOASTED","Roll, French or Vienna, toasted"
+51156500,"ROLL, GARLIC","Roll, garlic"
+51157000,"ROLL, HOAGIE, SUBMARINE,","Roll, hoagie, submarine"
+51157010,"ROLL, HOAGIE, SUBMARINE, TOASTED","Roll, hoagie, submarine, toasted"
+51158100,"ROLL, MEXICAN, BOLILLO","Roll, Mexican, bolillo"
+51159000,"ROLL, SOUR DOUGH","Roll, sour dough"
+51160000,"ROLL, SWEET, NO FROSTING","Roll, sweet, no frosting"
+51160100,"ROLL, SWEET, CINNAMON BUN, NO FROSTING","Roll, sweet, cinnamon bun, no frosting"
+51160110,"ROLL, SWEET, CINNAMON BUN, FROSTED","Roll, sweet, cinnamon bun, frosted"
+51161000,"ROLL, SWEET, W/ FRUIT, NO FROSTING","Roll, sweet, with fruit, no frosting"
+51161020,"ROLL, SWEET, W/ FRUIT, FROSTED","Roll, sweet, with fruit, frosted"
+51161030,"ROLL, SWEET, W/ FRUIT, FROSTED, DIET","Roll, sweet, with fruit, frosted, diet"
+51161050,"ROLL, SWEET, FROSTED","Roll, sweet, frosted"
+51161250,"ROLL, SWEET, NO TOPPING, MEXICAN (PAN DULCE)","Roll, sweet, no topping, Mexican (Pan Dulce)"
+51161270,"ROLL, SWEET, SUGAR TOPPING, MEXICAN (PAN DULCE)","Roll, sweet, sugar topping, Mexican (Pan Dulce)"
+51161280,"ROLL,SWEET,W/ RAISINS & ICING,MEXICAN (PAN DULCE)","Roll, sweet, with raisins and icing, Mexican (Pan Dulce)"
+51165000,"COFFEE CAKE, YEAST TYPE","Coffee cake, yeast type"
+51166000,"CROISSANT","Croissant"
+51166100,"CROISSANT, CHEESE","Croissant, cheese"
+51166200,"CROISSANT, CHOCOLATE","Croissant, chocolate"
+51166500,"CROISSANT, FRUIT","Croissant, fruit"
+51167000,"BRIOCHE","Brioche"
+51168000,"COFFEE BREAD, SPANISH","Bread, Spanish coffee"
+51180010,"BAGEL","Bagel"
+51180020,"BAGEL, TOASTED","Bagel, toasted"
+51180030,"BAGEL, W/ RAISINS","Bagel, with raisins"
+51180040,"BAGEL, W/ RAISINS, TOASTED","Bagel, with raisins, toasted"
+51180080,"BAGEL W/ FRUIT OTHER THAN RAISINS","Bagel, with fruit other than raisins"
+51180090,"BAGEL W/ FRUIT OTHER THAN RAISINS, TOASTED","Bagel, with fruit other than raisins, toasted"
+51182010,"BREAD, STUFFING (INCLUDE HOMEMADE; STUFFING, NFS)","Bread stuffing"
+51182020,"BREAD STUFFING W/ EGG","Bread stuffing made with egg"
+51184000,"BREAD STICK, HARD","Bread sticks, hard"
+51184010,"BREAD STICK, SOFT","Bread stick, soft"
+51184020,"BREAD STICK, NS AS TO HARD OR SOFT","Bread stick, NS as to hard or soft"
+51184030,"BREAD STICK, SOFT, PREP W/ GARLIC & PARMESAN CHEESE","Bread stick, soft, prepared with garlic and parmesan cheese"
+51184100,"BREAD STICK, HARD, LOW SODIUM","Bread stick, hard, low sodium"
+51185000,"CROUTONS","Croutons"
+51186010,"MUFFIN, ENGLISH (INCLUDE SOUR DOUGH)","Muffin, English"
+51186020,"MUFFIN, ENGLISH, TOASTED","Muffin, English, toasted"
+51186100,"MUFFIN, ENGLISH, W/ RAISINS","Muffin, English, with raisins"
+51186120,"MUFFIN, ENGLISH, W/ RAISINS, TOASTED","Muffin, English, with raisins, toasted"
+51186130,"MUFFIN, ENGLISH, CHEESE","Muffin, English, cheese"
+51186140,"MUFFIN, ENGLISH, CHEESE, TOASTED","Muffin, English, cheese, toasted"
+51186160,"MUFFIN, ENGLISH, W/ FRUIT OTHER THAN RAISINS","Muffin, English, with fruit other than raisins"
+51186180,"MUFFIN, ENGLISH, W/ FRUIT OTHER THAN RAISINS, TSTD","Muffin, English, with fruit other than raisins, toasted"
+51187000,"MELBA TOAST","Melba toast"
+51187020,"ANISETTE TOAST","Anisette toast"
+51188100,"PANNETONE (ITALIAN-STYLE SWEET BREAD)","Pannetone (Italian-style sweet bread)"
+51188500,"ZWIEBACK TOAST (INCL RUSK)","Zwieback toast"
+51201010,"BREAD, 100% WHOLE WHEAT","Bread, whole wheat, 100%"
+51201020,"BREAD, 100% WHOLE WHEAT, TOASTED","Bread, whole wheat, 100%, toasted"
+51201060,"BREAD, 100% WHOLE WHEAT, HOME-MADE","Bread, whole wheat, 100%, made from home recipe or purchased at bakery"
+51201070,"BREAD, 100% WHOLE WHEAT, HOME-MADE, TOASTED","Bread, whole wheat, 100%, made from home recipe or purchased at bakery, toasted"
+51201150,"BREAD, PITA, 100% WHOLE WHEAT","Bread, pita, whole wheat, 100%"
+51201160,"BREAD, PITA, 100% WHOLE WHEAT, TOASTED","Bread, pita, whole wheat, 100%, toasted"
+51202000,"MUFFIN, ENGLISH, 100% WHOLE WHEAT","Muffin, English, whole wheat, 100%"
+51202020,"MUFFIN, ENGLISH, 100% WHOLE WHEAT, TOASTED","Muffin, English, whole wheat, 100%, toasted"
+51202050,"MUFFIN, ENGLISH, 100% WHOLE WHEAT, W/ RAISINS","Muffin, English, whole wheat, 100%, with raisins"
+51202060,"MUFFIN, ENGLISH, WHOLE WHEAT, W/ RAISINS, TOASTED","Muffin, English, whole wheat, 100%, with raisins, toasted"
+51207010,"BREAD, SPROUTED WHEAT","Bread, sprouted wheat"
+51207020,"BREAD, SPROUTED WHEAT, TOASTED","Bread, sprouted wheat, toasted"
+51208000,"BAGEL, 100% WHOLE WHEAT","Bagel, whole wheat, 100%"
+51208010,"BAGEL, 100% WHOLE WHEAT, TOASTED","Bagel, whole wheat, 100%, toasted"
+51208100,"BAGEL, 100% WHOLE WHEAT, W/ RAISINS","Bagel, whole wheat, 100%, with raisins"
+51208110,"BAGEL, 100% WHOLE WHEAT, W/ RAISINS, TOASTED","Bagel, whole wheat, 100%, with raisins, toasted"
+51220000,"ROLL, 100% WHOLE WHEAT","Roll, whole wheat, 100%"
+51220010,"ROLL, 100% WHOLE WHEAT, TOASTED","Roll, whole wheat, 100%, toasted"
+51220030,"ROLL, 100% WHOLE WHEAT, HOME RECIPE/BAKERY","Roll, whole wheat, 100%, made from home recipe or purchased at bakery"
+51220040,"ROLL, 100% WHOLE WHEAT, HOME RECIPE/BAKERY, TOASTED","Roll, whole wheat, 100%, made from home recipe or purchased at bakery, toasted"
+51300050,"BREAD, WHOLE GRAIN WHITE","Bread, whole grain white"
+51300060,"BREAD, WHOLE GRAIN WHITE, TOASTED","Bread, whole grain white, toasted"
+51300100,"BAGEL, WHOLE GRAIN WHITE","Bagel, whole grain white"
+51300110,"BREAD, WHOLE WHEAT, NS AS TO 100%","Bread, whole wheat, NS as to 100%"
+51300120,"BREAD, WHOLE WHEAT, NS AS TO 100%, TOASTED","Bread, whole wheat, NS as to 100%, toasted"
+51300140,"BREAD, WHOLE WHEAT, NS AS TO 100%, MADE FROM HOME RECIPE OR","Bread, whole wheat, NS as to 100%, made from home recipe or purchased at bakery"
+51300150,"BREAD, WHOLE WHEAT, NS 100%, HOME RECIPE/BAKERY, TOASTED","Bread, whole wheat, NS as to 100%, made from home recipe or purchased at bakery, toasted"
+51300175,"BREAD, CHAPPATTI OR ROTI (INDIAN BREAD), WHEAT","Bread, chappatti or roti (Indian bread), wheat"
+51300180,"BREAD, PURI OR POORI (INDIAN PUFFED BREAD), WHEAT","Bread, puri or poori (Indian puffed bread), wheat"
+51300185,"BREAD, PARATHA, (INDIAN FLAT BREAD), WHEAT","Bread, paratha, (Indian flat bread), wheat"
+51300210,"BREAD, WHOLE WHEAT, WITH RAISINS","Bread, whole wheat, with raisins"
+51300220,"BREAD, WHOLE WHEAT, WITH RAISINS, TOASTED","Bread, whole wheat, with raisins, toasted"
+51301010,"BREAD, WHEAT OR CRACKED WHEAT","Bread, wheat or cracked wheat"
+51301020,"BREAD, WHEAT OR CRACKED WHEAT, TOASTED","Bread, wheat or cracked wheat, toasted"
+51301040,"BREAD, CRACKED WHEAT, HOME RECIPE/BAKERY","Bread, wheat or cracked wheat, made from home recipe or purchased at bakery"
+51301050,"BREAD, CRACKED WHEAT, HOME RECIPE/BAKERY, TOASTED","Bread, wheat or cracked wheat, made from home recipe or purchased at bakery, toasted"
+51301120,"BREAD, WHEAT OR CRACKED WHEAT, W/ RAISINS","Bread, wheat or cracked wheat, with raisins"
+51301130,"BREAD, WHEAT OR CRACKED WHEAT, W/ RAISINS, TOASTED","Bread, wheat or cracked wheat, with raisins, toasted"
+51301510,"BREAD, CRACKED WHEAT, REDUCED CALORIE/ HIGH FIBER","Bread, wheat or cracked wheat, reduced calorie and/or high fiber"
+51301520,"BREAD, CRACKED WHEAT, RED CALORIE/ HI FIBER, TOAST","Bread, wheat or cracked wheat, reduced calorie and/or high fiber, toasted"
+51301540,"BREAD, FRENCH OR VIENNA, WHOLE WHEAT, NS AS TO 100%","Bread, French or Vienna, whole wheat, NS as to 100%"
+51301550,"BREAD, FRENCH OR VIENNA, WHOLE WHEAT, NS AS TO 100%, TOASTED","Bread, French or Vienna, whole wheat, NS as to 100%, toasted"
+51301600,"BREAD, PITA, WHOLE WHEAT, NS AS TO 100%","Bread, pita, whole wheat, NS as to 100%"
+51301610,"BREAD, PITA, WHOLE WHEAT, NS AS TO 100%, TOASTED","Bread, pita, whole wheat, NS as to 100%, toasted"
+51301620,"BREAD, PITA, CRACKED WHEAT","Bread, pita, wheat or cracked wheat"
+51301630,"BREAD, PITA, CRACKED WHEAT, TOASTED","Bread, pita, wheat or cracked wheat, toasted"
+51301700,"BAGEL, WHEAT","Bagel, wheat"
+51301710,"BAGEL, WHEAT, TOASTED","Bagel, wheat, toasted"
+51301750,"BAGEL, WHOLE WHEAT, NS AS TO 100%","Bagel, whole wheat, NS as to 100%"
+51301760,"BAGEL, WHOLE WHEAT, NS AS TO 100%, TOASTED","Bagel, whole wheat, NS as to 100%, toasted"
+51301800,"BAGEL, WHEAT, W/ RAISINS","Bagel, wheat, with raisins"
+51301810,"BAGEL, WHEAT, W/ RAISINS, TOASTED","Bagel, wheat, with raisins, toasted"
+51301820,"BAGEL, WHEAT, W/ FRUITS & NUTS","Bagel, wheat, with fruit and nuts"
+51301830,"BAGEL, WHEAT, W/ FRUITS & NUTS, TOASTED","Bagel, wheat, with fruit and nuts, toasted"
+51301900,"BAGEL, WHEAT BRAN","Bagel, wheat bran"
+51301910,"BAGEL, WHEAT BRAN, TOASTED","Bagel, wheat bran, toasted"
+51302500,"MUFFIN, ENGLISH, WHEAT BRAN","Muffin, English, wheat bran"
+51302510,"MUFFIN, ENGLISH, WHEAT BRAN, TOASTED","Muffin, English, wheat bran, toasted"
+51302520,"MUFFIN, ENGLISH, WHEAT BRAN, W/ RAISINS","Muffin, English, wheat bran, with raisins"
+51302530,"MUFFIN, ENGLISH, WHEAT BRAN, W/ RAISINS, TOASTED","Muffin, English, wheat bran, with raisins, toasted"
+51303010,"MUFFIN, ENGLISH, WHEAT OR CRACKED WHEAT","Muffin, English, wheat or cracked wheat"
+51303020,"MUFFIN, ENGLISH, WHEAT OR CRACKED WHEAT, TOASTED","Muffin, English, wheat or cracked wheat, toasted"
+51303030,"MUFFIN, ENGLISH, WHOLE WHEAT, NS AS TO 100%","Muffin, English, whole wheat, NS as to 100%"
+51303040,"MUFFIN, ENGLISH, WHOLE WHEAT, NS AS TO 100%, TOASTED","Muffin, English, whole wheat, NS as to 100%, toasted"
+51303050,"MUFFIN, ENGLISH, WHEAT OR CRACKED WHEAT W/ RAISINS","Muffin, English, wheat or cracked wheat, with raisins"
+51303060,"MUFFIN, ENGLISH, WHEAT W/ RAISINS, TOASTED","Muffin, English, wheat or cracked wheat, with raisins, toasted"
+51303070,"MUFFIN, ENGLISH, WHOLE WHEAT, NS AS TO 100%, WITH RAISINS","Muffin, English, whole wheat, NS as to 100%, with raisins"
+51303080,"MUFFIN, ENGLISH, WHOLE WHEAT, NS 100%, W/RAISINS, TOASTED","Muffin, English, whole wheat, NS as to 100%, with raisins, toasted"
+51306000,"BREAD STICK, HARD, WHOLE WHEAT, NS AS TO 100 %","Bread stick, hard, whole wheat, NS as to 100%"
+51320010,"ROLL, WHEAT OR CRACKED WHEAT","Roll, wheat or cracked wheat"
+51320020,"ROLL, WHEAT OR CRACKED WHEAT, TOASTED","Roll, wheat or cracked wheat, toasted"
+51320040,"ROLL, CRACKED WHEAT, HOME RECIPE/BAKERY","Roll, wheat or cracked wheat, made from home recipe or purchased at bakery"
+51320050,"ROLL, CRACKED WHEAT, HOME RECIPE/BAKERY, TOASTED","Roll, wheat or cracked wheat, made from home recipe or purchased at bakery, toasted"
+51320500,"ROLL, WHOLE WHEAT, NS AS TO 100%","Roll, whole wheat, NS as to 100%"
+51320510,"ROLL, WHOLE WHEAT, NS AS TO 100%, TOASTED","Roll, whole wheat, NS as to 100%, toasted"
+51320530,"ROLL, WHOLE WHEAT, NS 100%, MADE FROM HOMEMADE/BAKERY","Roll, whole wheat, NS as to 100%, made from home recipe or purchased at bakery"
+51320540,"ROLL, WHOLE WHEAT, NS AS TO 100%, HOMEMADE/BAKERY, TOASTED","Roll, whole wheat, NS as to 100%, made from home recipe or purchased at bakery, toasted"
+51401010,"BREAD, RYE","Bread, rye"
+51401020,"BREAD, RYE, TOASTED","Bread, rye, toasted"
+51401030,"BREAD, MARBLE RYE & PUMPERNICKEL","Bread, marble rye and pumpernickel"
+51401040,"BREAD, MARBLE RYE & PUMPERNICKEL, TOASTED","Bread, marble rye and pumpernickel, toasted"
+51401060,"BREAD, RYE, REDUCED CALORIE/ HIGH FIBER (INCL LESS)","Bread, rye, reduced calorie and/or high fiber"
+51401070,"BREAD, RYE, REDUCED CALORIE/ HIGH FIBER, TOASTED","Bread, rye, reduced calorie and/or high fiber, toasted"
+51401200,"MUFFIN, ENGLISH, RYE","Muffin, English, rye"
+51401210,"MUFFIN, ENGLISH, RYE, TOASTED","Muffin, English, rye, toasted"
+51404010,"BREAD, PUMPERNICKEL","Bread, pumpernickel"
+51404020,"BREAD, PUMPERNICKEL, TOASTED","Bread, pumpernickel, toasted"
+51404500,"BAGEL, PUMPERNICKEL","Bagel, pumpernickel"
+51404510,"BAGEL, PUMPERNICKEL, TOASTED","Bagel, pumpernickel, toasted"
+51404550,"MUFFIN, ENGLISH, PUMPERNICKEL","Muffin, English, pumpernickel"
+51404560,"MUFFIN, ENGLISH, PUMPERNICKEL, TOASTED","Muffin, English, pumpernickel, toasted"
+51407010,"BREAD, BLACK","Bread, black"
+51407020,"BREAD, BLACK, TOASTED","Bread, black, toasted"
+51420000,"ROLL, RYE","Roll, rye"
+51421000,"ROLL, PUMPERNICKEL","Roll, pumpernickel"
+51421100,"ROLL, PUMPERNICKEL, TOASTED","Roll, pumpernickel, toasted"
+51501010,"BREAD, OATMEAL","Bread, oatmeal"
+51501020,"BREAD, OATMEAL, TOASTED","Bread, oatmeal, toasted"
+51501040,"BREAD, OAT BRAN","Bread, oat bran"
+51501050,"BREAD, OAT BRAN, TOASTED","Bread, oat bran, toasted"
+51501060,"BREAD, OAT BRAN, REDUCED CALORIE/ HIGH FIBER","Bread, oat bran, reduced calorie and/or high fiber"
+51501070,"BREAD, OAT BRAN REDUCED CALORIE/HI FIBER, TOASTED","Bread, oat bran, reduced calorie and/or high fiber, toasted"
+51501080,"BAGEL, OAT BRAN","Bagel, oat bran"
+51501090,"BAGEL, OAT BRAN, TOASTED","Bagel, oat bran, toasted"
+51502010,"ROLL, OATMEAL","Roll, oatmeal"
+51502020,"ROLL, OATMEAL, TOASTED","Roll, oatmeal, toasted"
+51502100,"ROLL, OAT BRAN","Roll, oat bran"
+51502110,"ROLL, OAT BRAN, TOASTED","Roll, oat bran, toasted"
+51503000,"MUFFIN, ENGLISH, OAT BRAN","Muffin, English, oat bran"
+51503010,"MUFFIN, ENGLISH, OAT BRAN, TOASTED","Muffin, English, oat bran, toasted"
+51503040,"MUFFIN, ENGLISH, OAT BRAN, WITH RAISINS","Muffin, English, oat bran, with raisins"
+51503050,"MUFFIN, ENGLISH, OAT BRAN, W/ RAISINS, TOASTED","Muffin, English, oat bran with raisins, toasted"
+51601010,"BREAD, MULTIGRAIN, TOASTED","Bread, multigrain, toasted"
+51601020,"BREAD, MULTIGRAIN","Bread, multigrain"
+51601210,"BREAD, MULTIGRAIN, W/ RAISINS","Bread, multigrain, with raisins"
+51601220,"BREAD, MULTIGRAIN, W/ RAISINS, TOASTED","Bread, multigrain, with raisins, toasted"
+51602010,"BREAD, MULTIGRAIN, REDUCED CALORIE/ HIGH FIBER","Bread, multigrain, reduced calorie and/or high fiber"
+51602020,"BREAD, MULTIGRAIN, REDUCED CALORIE/ HI FIBER, TOAST","Bread, multigrain, reduced calorie and/or high fiber, toasted"
+51620000,"ROLL, MULTIGRAIN","Roll, multigrain"
+51620010,"ROLL, MULTIGRAIN, TOASTED","Roll, multigrain, toasted"
+51630000,"BAGEL, MULTIGRAIN","Bagel, multigrain"
+51630010,"BAGEL, MULTIGRAIN, TOASTED","Bagel, multigrain, toasted"
+51630100,"BAGEL, MULTIGRAIN, W/ RAISINS","Bagel, multigrain, with raisins"
+51630110,"BAGEL, MULTIGRAIN, W/ RAISINS, TOASTED","Bagel, multigrain, with raisins, toasted"
+51630200,"MUFFIN, ENGLISH, MULTIGRAIN","Muffin, English, multigrain"
+51630210,"MUFFIN, ENGLISH, MULTIGRAIN, TOASTED","Muffin, English, multigrain, toasted"
+51801010,"BREAD, BARLEY","Bread, barley"
+51801020,"BREAD, BARLEY, TOASTED","Bread, barley, toasted"
+51804010,"BREAD, SOY","Bread, soy"
+51804020,"BREAD, SOY, TOASTED","Bread, soy, toasted"
+51805010,"BREAD, SUNFLOWER MEAL","Bread, sunflower meal"
+51805020,"BREAD, SUNFLOWER MEAL, TOASTED","Bread, sunflower meal, toasted"
+51806010,"BREAD, RICE","Bread, rice"
+51806020,"BREAD, RICE, TOASTED","Bread, rice, toasted"
+51807000,"INJERA (AMERICAN-STYLE ETHIOPIAN BREAD)","Injera (American-style Ethiopian bread)"
+51808000,"BREAD, LOW GLUTEN","Bread, low gluten"
+51808010,"BREAD, LOW GLUTEN, TOASTED","Bread, low gluten, toasted"
+52101000,"BISCUIT, BAKING POWDER OR BUTTERMILK TYPE, NFS","Biscuit, baking powder or buttermilk type, NS as to made from mix, refrigerated dough, or home recipe"
+52101030,"BISCUIT DOUGH, FRIED","Biscuit dough, fried"
+52101040,"CRUMPET","Crumpet"
+52101050,"CRUMPET, TOASTED","Crumpet, toasted"
+52101100,"BISCUIT, BAKING POWDER OR BUTTERMILK, FROM MIX","Biscuit, baking powder or buttermilk type, made from mix"
+52101150,"BISCUIT,BAKING PWR/BUTTER MILK,REFRIG DOUGH,LOWFAT","Biscuit, baking powder or buttermilk type, made from refrigerated dough, lowfat"
+52102040,"BISCUIT, BAK POWDER OR BUTTERMILK, FROM REFRG DOUGH","Biscuit, baking powder or buttermilk type, made from refrigerated dough"
+52103000,"BISCUIT, BAKING POWDER/BUTTERMILK TYPE, COMMERCIALLY BAKED","Biscuit, baking powder or buttermilk type, commercially baked"
+52104010,"BISCUIT, BAKING POWDER OR BUTTERMILK, HOMEMADE","Biscuit, baking powder or buttermilk type, made from home recipe"
+52104040,"BISCUIT, WHOLE WHEAT","Biscuit, whole wheat"
+52104100,"BISCUIT, CHEESE","Biscuit, cheese"
+52104200,"BISCUIT, CINNAMON-RAISIN","Biscuit, cinnamon-raisin"
+52105100,"SCONES","Scone"
+52105110,"SCONES, WHOLE WHEAT","Scone, whole wheat"
+52105200,"SCONE, WITH FRUIT","Scone, with fruit"
+52201000,"CORNBREAD, PREPARED FROM MIX","Cornbread, prepared from mix"
+52202060,"CORNBREAD, HOMEMADE","Cornbread, made from home recipe"
+52204000,"CORNBREAD STUFFING","Cornbread stuffing"
+52206010,"CORNBREAD MUFFIN, STICK, ROUND","Cornbread muffin, stick, round"
+52206060,"CORNBREAD MUFFIN, STICK, ROUND, HOMEMADE","Cornbread muffin, stick, round, made from home recipe"
+52207010,"CORN FLOUR PATTIES OR TARTS, FRIED","Corn flour patty or tart, fried"
+52208010,"CORN PONE,BAKED (INCL HOE CAKE)","Corn pone, baked"
+52208020,"CORN PONE FRIED","Corn pone, fried"
+52208760,"GORDITA/SOPE SHELL, PLAIN, NO FILLING","Gordita/sope shell, plain, no filling"
+52209010,"HUSH PUPPY","Hush puppy"
+52211010,"JOHNNYCAKE","Johnnycake"
+52213010,"SPOONBREAD","Spoonbread"
+52215000,"TORTILLA, NFS","Tortilla, NFS"
+52215100,"TORTILLA, CORN","Tortilla, corn"
+52215200,"TORTILLA, FLOUR (WHEAT)","Tortilla, flour (wheat)"
+52215260,"TORTILLA, WHOLE WHEAT","Tortilla, whole wheat"
+52215300,"TACO SHELL, CORN","Taco shell, corn"
+52215350,"TACO SHELL; FLOUR","Taco shell, flour"
+52220110,"CORNMEAL BREAD, DOMINICAN","Cornmeal bread, Dominican style (Arepa Dominicana)"
+52301000,"MUFFIN, NFS","Muffin, NFS"
+52302010,"MUFFIN, FRUIT","Muffin, fruit"
+52302020,"MUFFIN, FRUIT, LOW FAT","Muffin, fruit, low fat"
+52302500,"MUFFIN, CHOCOLATE CHIP","Muffin, chocolate chip"
+52302600,"MUFFIN, CHOCOLATE","Muffin, chocolate"
+52303010,"MUFFIN, WHOLE WHEAT","Muffin, whole wheat"
+52303500,"MUFFIN, WHEAT","Muffin, wheat"
+52304000,"MUFFIN, WHOLE GRAIN","Muffin, whole grain"
+52304010,"MUFFIN, WHEAT BRAN (INCLUDE W/ RAISINS & NUTS)","Muffin, wheat bran"
+52304040,"MUFFIN,BRAN,W/ FRUIT, LOWFAT","Muffin, bran with fruit, lowfat"
+52304100,"MUFFIN, OATMEAL","Muffin, oatmeal"
+52304150,"MUFFIN, OAT BRAN","Muffin, oat bran"
+52306010,"MUFFIN, PLAIN","Muffin, plain"
+52306300,"MUFFIN, CHEESE","Muffin, cheese"
+52306500,"MUFFIN, PUMPKIN, W/ RAISINS","Muffin, pumpkin"
+52306550,"MUFFIN, ZUCCHINI","Muffin, zucchini"
+52306700,"MUFFIN, CARROT (INCL W/ RAISINS/NUTS)","Muffin, carrot"
+52311010,"POPOVER","Popover"
+52401000,"BREAD, BOSTON BROWN","Bread, Boston Brown"
+52403000,"BREAD, NUT","Bread, nut"
+52404060,"BREAD, PUMPKIN (INCLUDE W/ RAISINS)","Bread, pumpkin"
+52405010,"BREAD, FRUIT","Bread, fruit"
+52407000,"BREAD, ZUCCHINI (INCL SQUASH BREAD; W/ NUTS)","Bread, zucchini"
+52408000,"BREAD, IRISH SODA","Bread, Irish soda"
+53100050,"CAKE, BATTER, CHOCOLATE, RAW","Cake batter, raw, chocolate"
+53100070,"CAKE, BATTER, RAW, NOT CHOCOLATE","Cake batter, raw, not chocolate"
+53100100,"CAKE OR CUPCAKE, NS AS TO TYPE","Cake or cupcake, NS as to type"
+53101100,"CAKE, ANGEL FOOD, W/O ICING","Cake, angel food, without icing or filling"
+53101200,"CAKE, ANGEL FOOD, W/ ICING","Cake, angel food, with icing or filling"
+53101250,"CAKE, ANGEL FOOD, W/ FRUIT & ICING/FILLING","Cake, angel food, with fruit and icing or filling"
+53102100,"CAKE OR CUPCAKE,APPLESAUCE W/O ICING","Cake or cupcake, applesauce, without icing or filling"
+53102200,"CAKE OR CUPCAKE,APPLESAUCE W/ ICING","Cake or cupcake, applesauce, with icing or filling"
+53102600,"CAKE OR CUPCAKE,BANANA, W/O ICING","Cake or cupcake, banana, without icing or filling"
+53102700,"CAKE OR CUPCAKE,BANANA, W/ ICING","Cake or cupcake, banana, with icing or filling"
+53102800,"CAKE OR CUPCAKE,BLACK FOREST (CHOC-CHERRY)","Cake or cupcake, black forest (chocolate-cherry)"
+53103000,"CAKE, BOSTON CREAM PIE","Cake, Boston cream pie"
+53104100,"CAKE OR CUPCAKE,CARROT, NO ICING","Cake or cupcake, carrot, without icing or filling"
+53104260,"CAKE OR CUPCAKE, CARROT, WITH ICING","Cake or cupcake, carrot, with icing or filling"
+53104300,"CARROT CAKE, DIET","Cake, carrot, diet"
+53104400,"CAKE OR CUPCAKE,COCONUT, W/ ICING","Cake or cupcake, coconut, with icing or filling"
+53104500,"CHEESECAKE","Cheesecake"
+53104550,"CHEESECAKE, W/ FRUIT","Cheesecake with fruit"
+53104600,"CHEESECAKE, CHOCOLATE","Cheesecake, chocolate"
+53105270,"CAKE OR CUPCAKE, CHOC, DEVIL'S FOOD OR FUDGE, W/ICING /FILL","Cake or cupcake, chocolate, devil's food or fudge, with icing or filling"
+53105275,"CAKE OR CUPCAKE, CHOCOLATE, DEVIL'S FOOD OR FUDGE, W/O ICING","Cake or cupcake, chocolate, devil's food or fudge, without icing or filling"
+53105300,"CAKE OR CUPCAKE,GERMAN CHOC, W/ ICING or FILLING","Cake or cupcake, German chocolate, with icing or filling"
+53105500,"CAKE, CHOC, W/ ICING, DIET","Cake, chocolate, with icing, diet"
+53106500,"CAKE, CREAM, W/O ICING OR TOPPING","Cake, cream, without icing or topping"
+53108200,"SNACK CAKE, CHOCOLATE, WITH ICING OR FILLING","Snack cake, chocolate, with icing or filling"
+53108220,"SNACK CAKE, CHOC, W/ICING OR FILLING, REDUCED FAT&CALORIE","Snack cake, chocolate, with icing or filling, reduced fat and calories"
+53109200,"SNACK CAKE, NOT CHOCOLATE, WITH ICING OR FILLING","Snack cake, not chocolate, with icing or filling"
+53109220,"SNACK CAKE, NOT CHOC, W/ ICING OR FILLING, RED FAT&CALS","Snack cake, not chocolate, with icing or filling, reduced fat and calories"
+53109300,"CAKE,DOBOS TORTE(NON-CHOC CAKE W/CHOC FILL & ICING)","Cake, Dobos Torte (non-chocolate layer cake with chocolate filling and icing)"
+53110000,"CAKE, FRUITCAKE, LIGHT/DARK, HOLIDAY TYPE CAKE","Cake, fruit cake, light or dark, holiday type cake"
+53111000,"CAKE OR CUPCAKE, GINGERBREAD","Cake or cupcake, gingerbread"
+53112000,"CAKE, ICE CREAM & CAKE ROLL, CHOCOLATE","Cake, ice cream and cake roll, chocolate"
+53112100,"CAKE, ICE CREAM & CAKE ROLL, NOT CHOCOLATE","Cake, ice cream and cake roll, not chocolate"
+53113000,"CAKE, JELLY ROLL","Cake, jelly roll"
+53114000,"CAKE OR CUPCAKE,LEMON, W/O ICING","Cake or cupcake, lemon, without icing or filling"
+53114100,"CAKE OR CUPCAKE,LEMON, W/ ICING","Cake or cupcake, lemon, with icing or filling"
+53115100,"CAKE OR CUPCAKE, MARBLE, W/O ICING OR FILLING","Cake or cupcake, marble, without icing or filling"
+53115200,"CAKE OR CUPCAKE, MARBLE, WITH ICING OR FILLING","Cake or cupcake, marble, with icing or filling"
+53115310,"CAKE OR CUPCAKE,NUT, W/O ICING","Cake or cupcake, nut, without icing or filling"
+53115320,"CAKE OR CUPCAKE,NUT, W/ ICING","Cake or cupcake, nut, with icing or filling"
+53115410,"CAKE OR CUPCAKE, OATMEAL","Cake or cupcake, oatmeal"
+53115450,"CAKE OR CUPCAKE, PEANUT BUTTER","Cake or cupcake, peanut butter"
+53116000,"CAKE, POUND, W/O ICING","Cake, pound, without icing or filling"
+53116020,"CAKE, POUND, W/ ICING","Cake, pound, with icing or filling"
+53116270,"CAKE, POUND, CHOCOLATE","Cake, pound, chocolate"
+53116350,"CAKE, POUND, P.R. (PONQUE)","Cake, pound, Puerto Rican style (Ponque)"
+53116390,"CAKE, POUND, REDUCED FAT, NO CHOLESTEROL","Cake, pound, reduced fat, cholesterol free"
+53116500,"CAKE OR CUPCAKE,PUMPKIN, W/O ICING","Cake or cupcake, pumpkin, without icing or filling"
+53116510,"CAKE OR CUPCAKE,PUMPKIN,W/ ICING","Cake or cupcake, pumpkin, with icing or filling"
+53116550,"CAKE OR CUPCAKE, RAISIN-NUT","Cake or cupcake, raisin-nut"
+53116570,"CAKE, RAVANI (MADE W/ FARINA)","Cake, Ravani (made with farina)"
+53116600,"CAKE, RICE FLOUR, W/O ICING","Cake, rice flour, without icing or filling"
+53116650,"CAKE, QUEZADILLA, EL SALVADORIAN STYLE","Cake, Quezadilla, El Salvadorian style"
+53117100,"CAKE OR CUPCAKE,SPICE, W/O ICING","Cake or cupcake, spice, without icing or filling"
+53117200,"CAKE OR CUPCAKE,SPICE, W/ ICING","Cake or cupcake, spice, with icing or filling"
+53118100,"CAKE, SPONGE, W/O ICING","Cake, sponge, without icing or filling"
+53118200,"CAKE, SPONGE, W/ ICING","Cake, sponge, with icing or filling"
+53118300,"CAKE, SPONGE, CHOCOLATE","Cake, sponge, chocolate"
+53118410,"RUM CAKE, WITHOUT ICING (SOPA BORRACHA)","Rum cake, without icing (Sopa Borracha)"
+53118500,"CAKE, TORTE","Cake, torte"
+53118550,"CAKE, TRES LECHE","Cake, tres leche"
+53119000,"CAKE, UPSIDE DOWN (ALL FRUITS)","Cake, upside down (all fruits)"
+53120270,"CAKE OR CUPCAKE, WHITE, WITH ICING OR FILLING","Cake or cupcake, white, with icing or filling"
+53120275,"CAKE OR CUPCAKE, WHITE, WITHOUT ICING OR FILLING","Cake or cupcake, white, without icing or filling"
+53121270,"CAKE OR CUPCAKE, YELLOW, WITH ICING OR FILLING","Cake or cupcake, yellow, with icing or filling"
+53121275,"CAKE OR CUPCAKE, YELLOW, WITHOUT ICING OR FILLING","Cake or cupcake, yellow, without icing or filling"
+53122070,"CAKE, SHORTCAKE, BISCUIT, W/ WHIPPED CREAM & FRUIT","Cake, shortcake, biscuit type, with whipped cream and fruit"
+53122080,"CAKE, SHORTCAKE, BISCUIT, W/ FRUIT","Cake, shortcake, biscuit type, with fruit"
+53123070,"CAKE, SHORTCAKE, SPONGE, W/ WHIPPED CREAM & FRUIT","Cake, shortcake, sponge type, with whipped cream and fruit"
+53123080,"CAKE, SHORTCAKE, SPONGE, W/ FRUIT","Cake, shortcake, sponge type, with fruit"
+53123500,"CAKE, SHORTCAKE, W/ WHIP TOPPING & FRUIT, DIET","Cake, shortcake, with whipped topping and fruit, diet"
+53124110,"CAKE OR CUPCAKE, ZUCCHINI","Cake or cupcake, zucchini"
+53200100,"COOKIE, BATTER OR DOUGH, RAW","Cookie, batter or dough, raw"
+53201000,"COOKIE, NFS","Cookie, NFS"
+53202000,"COOKIE, ALMOND","Cookie, almond"
+53203000,"COOKIE, APPLESAUCE","Cookie, applesauce"
+53203500,"COOKIE, BISCOTTI","Cookie, biscotti (Italian sugar cookie)"
+53204000,"COOKIE, BROWNIE, NS AS TO ICING","Cookie, brownie, NS as to icing"
+53204010,"COOKIE, BROWNIE, W/O ICING","Cookie, brownie, without icing"
+53204100,"COOKIE, BROWNIE, WITH ICING OR FILLING","Cookie, brownie, with icing or filling"
+53204840,"COOKIE, BROWNIE, REDUCED FAT, NS AS TO ICING","Cookie, brownie, reduced fat, NS as to icing"
+53204860,"COOKIE, BROWNIE, FAT FREE, NS AS TO ICING","Cookie, brownie, fat free, NS as to icing"
+53205250,"COOKIE, BUTTERSCOTCH, BROWNIE","Cookie, butterscotch, brownie"
+53205260,"COOKIE, BAR, WITH CHOCOLATE","Cookie, bar, with chocolate"
+53206000,"COOKIE, CHOCOLATE CHIP","Cookie, chocolate chip"
+53206020,"COOKIE, CHOC CHIP, HOMEMADE OR PURCHASED AT BAKERY","Cookie, chocolate chip, made from home recipe or purchased at a bakery"
+53206030,"COOKIE, CHOC CHIP, REDUCED FAT","Cookie, chocolate chip, reduced fat"
+53206100,"COOKIE, CHOCOLATE CHIP SANDWICH","Cookie, chocolate chip sandwich"
+53206500,"COOKIE, CHOCOLATE, MADE WITH RICE CEREAL","Cookie, chocolate, made with rice cereal"
+53206550,"COOKIE, CHOCOLATE, MADE W/ OATMEAL & COCONUT","Cookie, chocolate, made with oatmeal and coconut (no-bake)"
+53207000,"COOKIE, CHOCOLATE FUDGE","Cookie, chocolate or fudge"
+53207020,"COOKIE, CHOCOLATE OR FUDGE, REDUCED FAT","Cookie, chocolate or fudge, reduced fat"
+53207050,"COOKIE, CHOCOLATE, W/ CHOC FILLING/COATING, FAT FREE","Cookie, chocolate, with chocolate filling or coating, fat free"
+53208000,"COOKIE, MARSHMALLOW, CHOCOLATE-COVERED","Cookie, marshmallow, chocolate-covered"
+53208200,"COOKIE, CHOCOLATE-COVERED, MARSHMALLOW PIE","Cookie, marshmallow pie, chocolate covered"
+53209005,"COOKIE, CHOCOLATE, WITH ICING OR COATING","Cookie, chocolate, with icing or coating"
+53209010,"COOKIE, SUGAR WAFER, CHOCOLATE-COVERED","Cookie, sugar wafer, chocolate-covered"
+53209015,"COOKIE, CHOCOLATE SANDWICH","Cookie, chocolate sandwich"
+53209020,"COOKIE, CHOCOLATE SANDWICH, REDUCED FAT","Cookie, chocolate sandwich, reduced fat"
+53209100,"COOKIE, CHOCOLATE, SANDWICH, W/ EXTRA FILLING","Cookie, chocolate, sandwich, with extra filling"
+53209500,"COOKIE, CHOCOLATE & VANILLA SANDWICH","Cookie, chocolate and vanilla sandwich"
+53210000,"COOKIE, CHOCOLATE WAFER","Cookie, chocolate wafer"
+53210900,"COOKIE, GRAHAM CRACKER WITH CHOCOLATE AND MARSHMALLOW","Cookie, graham cracker with chocolate and marshmallow"
+53211000,"COOKIE, BAR, W/ CHOCOLATE, NUTS, & GRAHAM CRACKERS","Cookie bar, with chocolate, nuts, and graham crackers"
+53215500,"COOKIE, COCONUT","Cookie, coconut"
+53220000,"COOKIE, FRUIT-FILLED","Cookie, fruit-filled bar"
+53220010,"COOKIE, FRUIT-FILLED BAR, FAT FREE","Cookie, fruit-filled bar, fat free"
+53220030,"COOKIE, FIG BAR","Cookie, fig bar"
+53220040,"COOKIE, FIG BAR, FAT FREE","Cookie, fig bar, fat free"
+53222010,"COOKIE, FORTUNE","Cookie, fortune"
+53222020,"COOKIE, CONE SHELL, ICE CREAM TYPE,WAFER / CAKE","Cookie, cone shell, ice cream type, wafer or cake"
+53223000,"COOKIE, GINGERSNAPS","Cookie, gingersnaps"
+53223100,"COOKIE, GRANOLA","Cookie, granola"
+53224000,"COOKIE, LADY FINGER","Cookie, ladyfinger"
+53224250,"COOKIE, LEMON BAR","Cookie, lemon bar"
+53225000,"COOKIE, MACAROON","Cookie, macaroon"
+53226000,"COOKIE, MARSHMALLOW, W/ COCONUT","Cookie, marshmallow, with coconut"
+53226500,"COOKIE, MARSHMALLOW, W/ RICE CEREAL (NO-BAKE)","Cookie, marshmallow, with rice cereal (no-bake)"
+53226550,"COOKIE, MARSHMALLOW, W/ RICE CEREAL & CHOC CHIPS","Cookie, marshmallow, with rice cereal and chocolate chips"
+53226600,"COOKIE, MARSHMALLOW & PEANUT BUTTER, W/ OAT CEREAL (NO-BAKE)","Cookie, marshmallow and peanut butter, with oat cereal (no-bake)"
+53228000,"COOKIE, MERINGUE","Cookie, meringue"
+53230000,"COOKIE, MOLASSES","Cookie, molasses"
+53231000,"COOKIE, LEBKUCHEN","Cookie, Lebkuchen"
+53231400,"COOKIE, MULTIGRAIN, HIGH FIBER","Cookie, multigrain, high fiber"
+53233000,"COOKIE, OATMEAL","Cookie, oatmeal"
+53233010,"COOKIE, OATMEAL, W/ RAISINS OR DATES","Cookie, oatmeal, with raisins"
+53233040,"COOKIE, OATMEAL, REDUCED FAT, NS AS TO RAISINS","Cookie, oatmeal, reduced fat, NS as to raisins"
+53233050,"COOKIE, OATMEAL SANDWICH, W/ CREME FILLING","Cookie, oatmeal sandwich, with creme filling"
+53233060,"COOKIE, OATMEAL, W/ CHOCOLATE CHIPS","Cookie, oatmeal, with chocolate chips"
+53233080,"COOKIE, OATMEAL SANDWICH, W/ PEANUT BUTTER & JELLY FILLING","Cookie, oatmeal sandwich, with peanut butter and jelly filling"
+53233100,"COOKIE,OATMEAL,W/ CHOC & PEANUT BUTTER (NO-BAKE)","Cookie, oatmeal, with chocolate and peanut butter (no-bake)"
+53234000,"COOKIE, PEANUT BUTTER (INCLUDE PB WAFER)","Cookie, peanut butter"
+53234100,"COOKIE, PEANUT BUTTER, W/ CHOCOLATE (INCL NASSAU)","Cookie, peanut butter, with chocolate"
+53234250,"COOKIE, PEANUT BUTTER W/ RICE CEREAl (NO-BAKE)","Cookie, peanut butter with rice cereal (no-bake)"
+53235000,"COOKIE, PEANUT BUTTER SANDWICH","Cookie, peanut butter sandwich"
+53235500,"COOKIE, W/ PEANUT BUTTER FILLING, CHOCOLATE-COATED","Cookie, with peanut butter filling, chocolate-coated"
+53235600,"COOKIE, PFEFFERNUSSE","Cookie, Pfeffernusse"
+53236000,"COOKIE, PIZZELLE (ITALIAN STYLE WAFER)","Cookie, pizzelle (Italian style wafer)"
+53236100,"COOKIE, PUMPKIN","Cookie, pumpkin"
+53237000,"COOKIE, RAISIN","Cookie, raisin"
+53237010,"COOKIE, RAISIN SANDWICH, CREAM-FILLED","Cookie, raisin sandwich, cream-filled"
+53237500,"COOKIE, RUM BALL (NO-BAKE)","Cookie, rum ball (no-bake)"
+53238000,"COOKIE, SANDWICH TYPE, NOT CHOCOLATE OR VANILLA","Cookie, sandwich-type, not chocolate or vanilla"
+53239000,"COOKIE, SHORTBREAD","Cookie, shortbread"
+53239010,"COOKIE, SHORTBREAD, REDUCED FAT","Cookie, shortbread, reduced fat"
+53239050,"COOKIE, SHORTBREAD, WITH ICING OR FILLING","Cookie, shortbread, with icing or filling"
+53240000,"COOKIE, ANIMAL","Cookie, animal"
+53240010,"COOKIE, ANIMAL, WITH FROSTING OR ICING","Cookie, animal, with frosting or icing"
+53241500,"COOKIE, BUTTER OR SUGAR","Cookie, butter or sugar"
+53241510,"MARIE BISCUIT","Marie biscuit"
+53241600,"COOKIE, BUTTER OR SUGAR, WITH FRUIT AND/OR NUTS","Cookie, butter or sugar, with fruit and/or nuts"
+53242000,"COOKIE, SUGAR WAFER","Cookie, sugar wafer"
+53242500,"COOKIE, TOFFEE BAR","Cookie, toffee bar"
+53243000,"COOKIE, VANILLA SANDWICH","Cookie, vanilla sandwich"
+53243010,"COOKIE, VANILLA SANDWICH, EXTRA FILLING","Cookie, vanilla sandwich, extra filling"
+53243050,"COOKIE, VANILLA SANDWICH, REDUCED FAT","Cookie, vanilla sandwich, reduced fat"
+53244010,"COOKIE, BUTTER/SUGAR, W/ CHOCOLATE ICING / FILLING","Cookie, butter or sugar, with chocolate icing or filling"
+53244020,"COOKIE, BUTTER/SUGAR, W/ ICING/FILLING OTHER THAN CHOC","Cookie, butter or sugar, with icing or filling other than chocolate"
+53246000,"COOKIE, TEA, JAPANESE","Cookie, tea, Japanese"
+53247000,"COOKIE, VANILLA WAFER, NS AS TO TYPE","Cookie, vanilla wafer"
+53247050,"COOKIE, VANILLA WAFER, REDUCED FAT","Cookie, vanilla wafer, reduced fat"
+53247500,"COOKIE, VANILLA W/ CARAMEL, COCONUT, CHOC COATING","Cookie, vanilla with caramel, coconut, and chocolate coating"
+53251100,"COOKIE, RUGELACH","Cookie, rugelach"
+53260030,"COOKIE, CHOCOLATE CHIP, SUGAR FREE","Cookie, chocolate chip, sugar free"
+53260200,"COOKIE, OATMEAL, SUGAR FREE","Cookie, oatmeal, sugar free"
+53260300,"COOKIE, SANDWICH, SUGAR FREE","Cookie, sandwich, sugar free"
+53260400,"COOKIE, SUGAR OR PLAIN, SUGAR FREE","Cookie, sugar or plain, sugar free"
+53260500,"COOKIE, SUGAR WAFER, SUGAR FREE","Cookie, sugar wafer, sugar free"
+53260600,"COOKIE, PEANUT BUTTER, SUGAR FREE","Cookie, peanut butter, sugar free"
+53270100,"COOKIE, P.R. (MANTECADITOS POLVORONES)","Cookies, Puerto Rican (Mantecaditos polvorones)"
+53300100,"PIE, NFS","Pie, NFS"
+53300170,"PIE, INDIVIDUAL SIZE OR TART, NFS","Pie, individual size or tart, NFS"
+53300180,"PIE, FRIED, NFS","Pie, fried, NFS"
+53301000,"PIE, APPLE, TWO CRUST","Pie, apple, two crust"
+53301070,"PIE, APPLE, INDIVIDUAL SIZE OR TART","Pie, apple, individual size or tart"
+53301080,"PIE, APPLE, FRIED PIE","Pie, apple, fried pie"
+53301500,"PIE, APPLE, ONE CRUST (INCL W/ CRUMB TOPPING)","Pie, apple, one crust"
+53301750,"PIE, APPLE, DIET","Pie, apple, diet"
+53302000,"PIE, APRICOT, TWO CRUST","Pie, apricot, two crust"
+53302070,"PIE, APRICOT, INDIVIDUAL SIZE OR TART","Pie, apricot, individual size or tart"
+53302080,"PIE, APRICOT, FRIED","Pie, apricot, fried pie"
+53303000,"PIE, BLACKBERRY, TWO CRUST","Pie, blackberry, two crust"
+53303070,"PIE, BLACKBERRY, INDIVIDUAL SIZE OR TART","Pie, blackberry, individual size or tart"
+53303500,"PIE, BERRY NOT BLACK,BLUE,BOYSEN,RASP....,TWO CRUST","Pie, berry, not blackberry, blueberry, boysenberry, huckleberry, raspberry, or strawberry; two crust"
+53303510,"PIE, BERRY, ONE CRUST","Pie, berry, not blackberry, blueberry, boysenberry, huckleberry, raspberry, or strawberry; one crust"
+53303570,"PIE, BERRY, INDIVIDUAL SIZE OR TART","Pie, berry, not blackberry, blueberry, boysenberry, huckleberry, raspberry, or strawberry, individual size or tart"
+53304000,"PIE, BLUEBERRY, TWO CRUST","Pie, blueberry, two crust"
+53304050,"PIE, BLUEBERRY, ONE CRUST","Pie, blueberry, one crust"
+53304070,"PIE, BLUEBERRY, INDIVIDUAL SIZE OR TART","Pie, blueberry, individual size or tart"
+53305000,"PIE, CHERRY, TWO CRUST","Pie, cherry, two crust"
+53305010,"PIE, CHERRY, ONE CRUST","Pie, cherry, one crust"
+53305070,"PIE, CHERRY, INDIVIDUAL SIZE OR TART","Pie, cherry, individual size or tart"
+53305080,"PIE, CHERRY, FRIED PIE","Pie, cherry, fried pie"
+53305700,"PIE, LEMON (NOT CREAM OR MERINGUE)","Pie, lemon (not cream or meringue)"
+53305720,"PIE, LEMON (NOT CREAM OR MERINGUE), INDIVIDUAL SIZE","Pie, lemon (not cream or meringue), individual size or tart"
+53305750,"PIE, LEMON, FRIED","Pie, lemon, fried pie"
+53306000,"PIE, MINCE, TWO CRUST","Pie, mince, two crust"
+53306070,"PIE, MINCE, INDIVIDUAL SIZE OR TART","Pie, mince, individual size or tart"
+53307000,"PIE, PEACH, TWO CRUST","Pie, peach, two crust"
+53307050,"PIE, PEACH, ONE-CRUST","Pie, peach, one crust"
+53307070,"PIE, PEACH, INDIVIDUAL SIZE OR TART","Pie, peach, individual size or tart"
+53307080,"PIE, PEACH, FRIED","Pie, peach, fried pie"
+53307500,"PIE, PEAR, TWO CRUST","Pie, pear, two crust"
+53307570,"PIE, PEAR, INDIVIDUAL SIZE OR TART","Pie, pear, individual size or tart"
+53308000,"PIE, PINEAPPLE, TWO CRUST","Pie, pineapple, two crust"
+53308070,"PIE, PINEAPPLE, INDIVIDUAL SIZE OR TART","Pie, pineapple, individual size or tart"
+53308300,"PIE, PLUM, TWO CRUST","Pie, plum, two crust"
+53308500,"PIE, PRUNE, ONE CRUST","Pie, prune, one crust"
+53309000,"PIE, RAISIN, TWO CRUST","Pie, raisin, two crust"
+53309070,"PIE, RAISIN, INDIVIDUAL SIZE OR TART","Pie, raisin, individual size or tart"
+53310000,"PIE, RASPBERRY, ONE CRUST","Pie, raspberry, one crust"
+53310050,"PIE, RASPBERRY, TWO CRUST","Pie, raspberry, two crust"
+53311000,"PIE, RHUBARB, TWO CRUST","Pie, rhubarb, two crust"
+53311050,"PIE, RHUBARB, ONE CRUST","Pie, rhubarb, one crust"
+53311070,"PIE, RHUBARB, INDIVIDUAL SIZE OR TART","Pie, rhubarb, individual size or tart"
+53312000,"PIE, STRAWBERRY, ONE CRUST","Pie, strawberry, one crust"
+53313000,"PIE, STRAWBERRY-RHUBARB, TWO CRUST","Pie, strawberry-rhubarb, two crust"
+53314000,"PIE, STRAWBERRY, INDIVIDUAL SIZE OR TART","Pie, strawberry, individual size or tart"
+53340000,"PIE, APPLE-SOUR CREAM","Pie, apple-sour cream"
+53340500,"PIE, CHERRY, W/ CREAM CHEESE & SOUR CREAM","Pie, cherry, made with cream cheese and sour cream"
+53341000,"PIE, BANANA CREAM","Pie, banana cream"
+53341070,"PIE, BANANA CREAM, INDIVIDUAL SIZE OR TART","Pie, banana cream, individual size or tart"
+53341500,"PIE, BUTTERMILK","Pie, buttermilk"
+53341750,"PIE, CHESS (INCL LEMON CHESS PIE)","Pie, chess"
+53342000,"PIE, CHOCOLATE CREAM","Pie, chocolate cream"
+53342070,"PIE, CHOCOLATE CREAM, INDIVIDUAL SIZE OR TART","Pie, chocolate cream, individual size or tart"
+53343000,"PIE, COCONUT CREAM","Pie, coconut cream"
+53343070,"PIE, COCONUT CREAM, INDIVIDUAL SIZE OR TART","Pie, coconut cream, individual size or tart"
+53344000,"PIE, CUSTARD","Pie, custard"
+53344070,"PIE, CUSTARD, INDIVIDUAL SIZE OR TART","Pie, custard, individual size or tart"
+53344200,"MIXED FRUIT TART FILLED WITH CUSTARD OR CREAM CHEESE","Mixed fruit tart filled with custard or cream cheese"
+53344300,"DESSERT PIZZA","Dessert pizza"
+53345000,"PIE, LEMON CREAM","Pie, lemon cream"
+53345070,"PIE, LEMON CREAM, INDIVIDUAL SIZE OR TART","Pie, lemon cream, individual size or tart"
+53346000,"PIE, PEANUT BUTTER CREAM","Pie, peanut butter cream"
+53346500,"PIE, PINEAPPLE CREAM","Pie, pineapple cream"
+53347000,"PIE, PUMPKIN","Pie, pumpkin"
+53347070,"PIE, PUMPKIN, INDIVIDUAL SIZE OR TART","Pie, pumpkin, individual size or tart"
+53347100,"PIE, RASPBERRY CREAM","Pie, raspberry cream"
+53347500,"PIE, SOUR CREAM, RAISIN","Pie, sour cream, raisin"
+53347600,"PIE, SQUASH","Pie, squash"
+53348000,"PIE, STRAWBERRY CREAM","Pie, strawberry cream"
+53348070,"PIE, STRAWBERRY CREAM, INDIVIDUAL SIZE OR TART","Pie, strawberry cream, individual size or tart"
+53360000,"PIE, SWEET POTATO","Pie, sweet potato"
+53365000,"PIE, VANILLA CREAM","Pie, vanilla cream"
+53366000,"PIE, YOGURT, FROZEN","Pie, yogurt, frozen"
+53370000,"PIE, CHIFFON, NOT CHOCOLATE","Pie, chiffon, not chocolate"
+53371000,"PIE, CHIFFON, CHOCOLATE","Pie, chiffon, chocolate"
+53371100,"PIE, CHIFFON, W/ LIQUEUR","Pie, chiffon, with liqueur"
+53373000,"PIE, BLACK BOTTOM","Pie, black bottom"
+53381000,"PIE, LEMON MERINGUE","Pie, lemon meringue"
+53381070,"PIE, LEMON MERINGUE, INDIVIDUAL SIZE OR TART","Pie, lemon meringue, individual size or tart"
+53382000,"PIE, CHOCOLATE-MARSHMALLOW","Pie, chocolate-marshmallow"
+53385000,"PIE, PECAN","Pie, pecan"
+53385070,"PIE, PECAN, INDIVIDUAL SIZE","Pie, pecan, individual size or tart"
+53385500,"PIE, OATMEAL","Pie, oatmeal"
+53386000,"PIE, PUDDING, NOT CHOCOLATE","Pie, pudding, flavors other than chocolate"
+53386050,"PIE, PUDDING, NOT CHOC, INDIVIDUAL SIZE","Pie, pudding, flavors other than chocolate, individual size or tart"
+53386250,"PIE, PUDDING, CHOC, W/ CHOC COATING, INDIVID SIZE","Pie, pudding, chocolate, with chocolate coating, individual size"
+53386500,"PIE, PUDDING, NOT CHOC, CHOC-COATED, INDIVID SIZE","Pie, pudding, flavors other than chocolate, with chocolate coating, individual size"
+53387000,"PIE, TOLL HOUSE CHOCOLATE CHIP","Pie, Toll house chocolate chip"
+53390000,"PIE, SHOO-FLY","Pie, shoo-fly"
+53390100,"PIE, TOFU W/ FRUIT","Pie, tofu with fruit"
+53391000,"PIE SHELL","Pie shell"
+53391100,"PIE SHELL, GRAHAM CRACKER","Pie shell, graham cracker"
+53391150,"PIE SHELL, CHOCOLATE WAFER","Pie shell, chocolate wafer"
+53391200,"VANILLA WAFER DESSERT BASE","Vanilla wafer dessert base"
+53400200,"BLINTZ, CHEESE-FILLED","Blintz, cheese-filled"
+53400300,"BLINTZ, FRUIT-FILLED","Blintz, fruit-filled"
+53410100,"COBBLER, APPLE (INCLUDE FRUIT COBBLER)","Cobbler, apple"
+53410200,"COBBLER, APRICOT","Cobbler, apricot"
+53410300,"COBBLER, BERRY","Cobbler, berry"
+53410500,"COBBLER, CHERRY","Cobbler, cherry"
+53410800,"COBBLER, PEACH","Cobbler, peach"
+53410850,"COBBLER, PEAR","Cobbler, pear"
+53410860,"COBBLER, PINEAPPLE","Cobbler, pineapple"
+53410880,"COBBLER, PLUM","Cobbler, plum"
+53410900,"COBBLER, RHUBARB","Cobbler, rhubarb"
+53415100,"CRISP, APPLE, APPLE DESSERT","Crisp, apple, apple dessert"
+53415120,"FRITTER, APPLE","Fritter, apple"
+53415200,"FRITTER, BANANA","Fritter, banana"
+53415220,"FRITTER, BERRY","Fritter, berry"
+53415300,"CRISP, BLUEBERRY","Crisp, blueberry"
+53415400,"CRISP, CHERRY","Crisp, cherry"
+53415500,"CRISP, PEACH","Crisp, peach"
+53415600,"CRISP, RHUBARB","Crisp, rhubarb"
+53420000,"CREAM PUFF/ECLAIR, CUSTARD/CREAM-FILLED, NS ICING","Cream puff, eclair, custard or cream filled, NS as to icing"
+53420100,"CREAM PUFF/ECLAIR, CUSTARD/CREAM-FILLED, NOT ICED","Cream puff, eclair, custard or cream filled, not iced"
+53420200,"CREAM PUFF/ECLAIR, CUSTARD/CREAM-FILLED, ICED","Cream puff, eclair, custard or cream filled, iced"
+53420210,"CREAM PUFF/ECLAIR, CUSTARD/CREAM-FILLED, ICED, REDUCED FAT","Cream puff, eclair, custard or cream filled, iced, reduced fat"
+53420250,"CREAM PUFFS, NO FILLING OR ICING","Cream puff, no filling or icing"
+53420300,"AIR-FILLED FRITTER, W/O SYRUP, PUERTO RICAN STYLE","Air filled fritter or fried puff, without syrup, Puerto Rican style (Bunuelos de viento)"
+53420310,"WHEAT FLOUR FRITTER, W/O SYRUP","Wheat flour fritter, without syrup"
+53420400,"SOPAIPILLA W/O SYRUP OR HONEY","Sopaipilla, without syrup or honey"
+53420410,"SOPAIPILLA W/ SYRUP OR HONEY","Sopaipilla with syrup or honey"
+53430000,"CREPE, DESSERT TYPE, NS AS TO FILLING","Crepe, dessert type, NS as to filling"
+53430100,"CREPE, DESSERT TYPE, CHOCOLATE-FILLED","Crepe, dessert type, chocolate-filled"
+53430200,"CREPE, DESSERT TYPE, FRUIT-FILLED","Crepe, dessert type, fruit-filled"
+53430250,"CREPE SUZETTE","Crepe suzette"
+53430300,"CREPE, DESSERT TYPE, ICE CREAM-FILLED","Crepe, dessert type, ice cream-filled"
+53430700,"TAMALE, SWEET","Tamale, sweet"
+53430750,"TAMALE, SWEET, W/ FRUIT","Tamale, sweet, with fruit"
+53440000,"STRUDEL, APPLE (INCLUDE STRUDEL, NFS)","Strudel, apple"
+53440300,"STRUDEL, BERRY","Strudel, berry"
+53440500,"STRUDEL, CHERRY","Strudel, cherry"
+53440600,"STRUDEL, CHEESE","Strudel, cheese"
+53440700,"STRUDEL, PEACH","Strudel, peach"
+53440750,"STRUDEL, PINEAPPLE","Strudel, pineapple"
+53440800,"STRUDEL, CHEESE & FRUIT","Strudel, cheese and fruit"
+53441110,"BAKLAVA (INCLUDE KADAYIF)","Baklava"
+53441210,"BASBOUSA (SEMOLINA DESSERT DISH)","Basbousa (semolina dessert dish)"
+53450000,"TURNOVER OR DUMPLING, APPLE","Turnover or dumpling, apple"
+53450300,"TURNOVER OR DUMPLING, BERRY","Turnover or dumpling, berry"
+53450500,"TURNOVER OR DUMPLING, CHERRY","Turnover or dumpling, cherry"
+53450800,"TURNOVER OR DUMPLING, LEMON","Turnover or dumpling, lemon"
+53451000,"TURNOVER OR DUMPLING, PEACH","Turnover or dumpling, peach"
+53451500,"TURNOVER, GUAVA","Turnover, guava"
+53451750,"TURNOVER, PUMPKIN","Turnover, pumpkin"
+53452100,"PASTRY, FRUIT-FILLED","Pastry, fruit-filled"
+53452120,"PASTRY, ASIAN, MADE WITH BEAN OR LOTUS SEED PASTE FILLING","Pastry, Asian, made with bean or lotus seed paste filling (baked)"
+53452130,"PASTRY, ASIAN, MADE WITH BEAN PASTE AND SALTED EGG YOLK FILL","Pastry, Asian, made with bean paste and salted egg yolk filling (baked)"
+53452150,"PASTRY, CHINESE (INCLUDE 9-LAYER PUDDING)","Pastry, Chinese, made with rice flour"
+53452170,"PASTRY, COOKIE TYPE, FRIED(INCL POLISH PACZKI)","Pastry, cookie type, fried"
+53452200,"PASTRY, ITALIAN, W/ CHEESE (INCLUDE CANNOLI)","Pastry, Italian, with cheese"
+53452400,"PASTRY, PUFF","Pastry, puff"
+53452420,"PASTRY, PUFF, CUSTARD/CREAM FILLED, ICED/NOT ICED","Pastry, puff, custard or cream filled, iced or not iced"
+53452450,"CHEESE PASTRY PUFF","Cheese pastry puffs"
+53452500,"PASTRY, MAINLY FLOUR & WATER, FRIED","Pastry, mainly flour and water, fried"
+53453150,"EMPANADA, MEXICAN TURNOVER, FRUIT-FILLED","Empanada, Mexican turnover, fruit-filled"
+53453170,"EMPANADA, MEXICAN TURNOVER, PUMPKIN","Empanada, Mexican turnover, pumpkin"
+53500100,"BREAKFAST PASTRY, NFS","Breakfast pastry, NFS"
+53510000,"DANISH PASTRY, PLAIN/SPICE (INCL W/ ICING)","Danish pastry, plain or spice"
+53510100,"DANISH PASTRY, W/ FRUIT","Danish pastry, with fruit"
+53511000,"DANISH PASTRY, W/ CHEESE","Danish pastry, with cheese"
+53520000,"DOUGHNUT, NS AS TO CAKE OR YEAST","Doughnut, NS as to cake or yeast"
+53520110,"DOUGHNUT, CAKE TYPE","Doughnut, cake type"
+53520120,"DOUGHNUT, CHOCOLATE, CAKE TYPE","Doughnut, chocolate, cake type"
+53520140,"DOUGHNUT, CAKE TYPE, CHOCOLATE COVERED","Doughnut, cake type, chocolate covered"
+53520150,"DOUGHNUT, CAKE TYPE, CHOCOLATE COVERED, W/ PEANUTS","Doughnut, cake type, chocolate covered, dipped in peanuts"
+53520160,"DOUGHNUT, CHOCOLATE, CAKE TYPE, WITH CHOCOLATE ICING","Doughnut, chocolate, cake type, with chocolate icing"
+53520200,"CHURROS (INCL MEXICAN CRUELLERS)","Churros"
+53520500,"DOUGHNUT, ASIAN","Doughnut, Asian"
+53520600,"CRULLER, NFS","Cruller, NFS"
+53520700,"FRENCH CRULLER","French cruller"
+53521100,"DOUGHNUT, CHOCOLATE, RAISED OR YEAST, WITH CHOCOLATE ICING","Doughnut, chocolate, raised or yeast, with chocolate icing"
+53521110,"DOUGHNUT, RAISED / YEAST","Doughnut, raised or yeast"
+53521120,"DOUGHNUT, CHOCOLATE, RAISED OR YEAST","Doughnut, chocolate, raised or yeast"
+53521130,"DOUGHNUT, RAISED OR YEAST, CHOCOLATE COVERED","Doughnut, raised or yeast, chocolate covered"
+53521140,"DOUGHNUT, JELLY","Doughnut, jelly"
+53521210,"DOUGHNUT, CUSTARD-FILLED","Doughnut, custard-filled"
+53521220,"DOUGHNUT, CHOCOLATE CREAM-FILLED","Doughnut, chocolate cream-filled"
+53521230,"DOUGHNUT, CUSTARD-FILLED, WITH ICING","Doughnut, custard-filled, with icing"
+53521250,"DOUGHNUT, WHEAT","Doughnut, wheat"
+53521300,"DOUGHNUT, WHEAT, CHOCOLATE COVERED","Doughnut, wheat, chocolate covered"
+53530000,"BREAKFAST TART","Breakfast tart"
+53530010,"BREAKFAST TART, LOWFAT","Breakfast tart, lowfat"
+53610100,"COFFEE CAKE, CRUMB OR QUICK-BREAD TYPE","Coffee cake, crumb or quick-bread type"
+53610170,"COFFEE CAKE, CRUMB OR QUICK-BREAD TYPE, W/ FRUIT","Coffee cake, crumb or quick-bread type, with fruit"
+53610200,"COFFEECAKE, CRUMB OR QUICK-BREAD TYPE, CHEESE FILLD","Coffee cake, crumb or quick-bread type, cheese-filled"
+53710400,"FIBER ONE CHEWY BAR","Fiber One Chewy Bar"
+53710500,"KELLOGG'S NUTRI-GRAIN CEREAL BAR","Kellogg's Nutri-Grain Cereal Bar"
+53710502,"KELLOGG'S NUTRI-GRAIN YOGURT BAR","Kellogg's Nutri-Grain Yogurt Bar"
+53710504,"KELLOGG'S NUTRI-GRAIN FRUIT AND NUT BAR","Kellogg's Nutri-Grain Fruit and Nut Bar"
+53710600,"MILK 'N CEREAL BAR","Milk 'n Cereal bar"
+53710700,"KELLOGG'S SPECIAL K BAR","Kellogg's Special K bar"
+53710800,"KASHI GOLEAN CHEWY BARS","Kashi GOLEAN Chewy Bars"
+53710802,"KASHI TLC CHEWY GRANOLA BAR","Kashi TLC Chewy Granola Bar"
+53710804,"KASHI GOLEAN CRUNCHY BARS","Kashi GOLEAN Crunchy Bars"
+53710806,"KASHI TLC CRUNCHY GRANOLA BAR","Kashi TLC Crunchy Granola Bar"
+53710900,"NATURE VALLEY CHEWY TRAIL MIX GRANOLA BAR","Nature Valley Chewy Trail Mix Granola Bar"
+53710902,"NATURE VALLEY CHEWY GRANOLA BAR WITH YOGURT COATING","Nature Valley Chewy Granola Bar with Yogurt Coating"
+53710904,"NATURE VALLEY SWEET AND SALTY GRANOLA BAR","Nature Valley Sweet and Salty Granola Bar"
+53710906,"NATURE VALLEY CRUNCHY GRANOLA BAR","Nature Valley Crunchy Granola Bar"
+53711000,"QUAKER CHEWY GRANOLA BAR","Quaker Chewy Granola Bar"
+53711002,"QUAKER CHEWY 90 CALORIE GRANOLA BAR","Quaker Chewy 90 Calorie Granola Bar"
+53711004,"QUAKER CHEWY 25% LESS SUGAR GRANOLA BAR","Quaker Chewy 25% Less Sugar Granola Bar"
+53711006,"QUAKER CHEWY DIPPS GRANOLA BAR","Quaker Chewy Dipps Granola Bar"
+53711100,"QUAKER GRANOLA BITES","Quaker Granola Bites"
+53712000,"SNACK BAR, OATMEAL","Snack bar, oatmeal"
+53712100,"GRANOLA BAR, NFS","Granola bar, NFS"
+53712200,"GRANOLA BAR, LOWFAT, NFS","Granola bar, lowfat, NFS"
+53712210,"GRANOLA BAR, NONFAT","Granola bar, nonfat"
+53713000,"GRANOLA BAR, REDUCED SUGAR, NFS","Granola bar, reduced sugar, NFS"
+53713100,"GRANOLA BAR, PEANUTS , OATS, SUGAR, WHEAT GERM","Granola bar, peanuts , oats, sugar, wheat germ"
+53714200,"GRANOLA BAR, CHOCOLATE-COATED, NFS","Granola bar, chocolate-coated, NFS"
+53714210,"GRANOLA BAR, WITH COCONUT, CHOCOLATE-COATED","Granola bar, with coconut, chocolate-coated"
+53714220,"GRANOLA BAR WITH NUTS, CHOCOLATE-COATED","Granola bar with nuts, chocolate-coated"
+53714230,"GRANOLA BAR, OATS, NUTS, COATED WITH NON-CHOCOLATE COATING","Granola bar, oats, nuts, coated with non-chocolate coating"
+53714250,"GRANOLA BAR, COATED WITH NON-CHOCOLATE COATING","Granola bar, coated with non-chocolate coating"
+53714300,"GRANOLA BAR, HIGH FIBER, COATED W/ NON-CHOC YOGURT COATING","Granola bar, high fiber, coated with non-chocolate yogurt coating"
+53714400,"GRANOLA BAR, WITH RICE CEREAL","Granola bar, with rice cereal"
+53714500,"BREAKFAST BAR, NFS","Breakfast bar, NFS"
+53714510,"BREAKFAST BAR, DATE, WITH YOGURT COATING","Breakfast bar, date, with yogurt coating"
+53714520,"BREAKFAST BAR, CEREAL CRUST WITH FRUIT FILLING, LOWFAT","Breakfast bar, cereal crust with fruit filling, lowfat"
+53720100,"BALANCE ORIGINAL BAR","Balance Original Bar"
+53720200,"CLIF BAR","Clif Bar"
+53720300,"POWERBAR","PowerBar"
+53720400,"SLIM FAST ORIGINAL MEAL BAR","Slim Fast Original Meal Bar"
+53720500,"SNICKERS MARATHON PROTEIN BAR","Snickers Marathon Protein bar"
+53720510,"SNICKERS MARATHON ENERGY BAR","Snickers Marathon Energy bar"
+53720600,"SOUTH BEACH LIVING MEAL BAR","South Beach Living Meal Bar"
+53720610,"SOUTH BEACH LIVING HIGH PROTEIN BAR","South Beach Living High Protein Bar"
+53720700,"TIGER'S MILK BAR","Tiger's Milk bar"
+53720800,"ZONE PERFECT CLASSIC CRUNCH NUTRITION BAR","Zone Perfect Classic Crunch nutrition bar"
+53729000,"NUTRITION BAR OR MEAL REPLACEMENT BAR, NFS","Nutrition bar or meal replacement bar, NFS"
+53801000,"CEREAL BAR WITH FRUIT FILLING, BABY FOOD","Cereal bar with fruit filling, baby food"
+53803050,"COOKIE, FRUIT, BABY FOOD","Cookie, fruit, baby food"
+53803100,"COOKIE, BABY FOOD","Cookie, baby food"
+53803250,"COOKIE, TEETHING, BABY","Cookie, teething, baby"
+53803300,"COOKIE, RICE, BABY","Cookie, rice, baby"
+54001000,"CRACKER, NS AS TO SWEET/NONSWEET (INCL CRACKER,NFS)","Crackers, NS as to sweet or nonsweet"
+54102010,"CRACKERS, GRAHAM","Crackers, graham"
+54102020,"CRACKERS, GRAHAM, CHOCOLATE COVERED","Crackers, graham, chocolate covered"
+54102050,"CRACKERS, OATMEAL","Crackers, oatmeal"
+54102060,"CRACKERS, CUBAN","Crackers, Cuban"
+54102070,"CRACKERS, CUCA","Crackers, Cuca"
+54102080,"CRACKERS, GRAHAM, W/ RAISINS","Crackers, graham, with raisins"
+54102100,"CRACKERS, GRAHAM, LOWFAT","Crackers, graham, lowfat"
+54102110,"CRACKERS, GRAHAM, FAT FREE","Crackers, graham, fat free"
+54102200,"CRACKERS, GRAHAM, SANDWICH-TYPE, WITH FILLING","Crackers, graham, sandwich-type, with filling"
+54201010,"CRACKERS, MATZO, LOW SODIUM","Crackers, matzo, low sodium"
+54202010,"CRACKERS, SALTINE, LOW SODIUM","Crackers, saltine, low sodium"
+54203010,"CRACKERS, TOAST THINS (RYE/WHEAT/WHITE), LOW SODIUM","Crackers, toast thins (rye, wheat, white flour), low sodium"
+54204010,"CRACKER, 100% WHOLE WHEAT,LO SODIUM","Cracker, 100% whole wheat, low sodium"
+54205010,"CRACKER, SNACK, LOW SODIUM","Cracker, snack, low sodium"
+54205030,"CRACKER, CHEESE, LOW SODIUM","Cracker, cheese, low sodium"
+54205100,"CRACKER, SNACK, LOWFAT, LOW SODIUM","Cracker, snack, lowfat, low sodium"
+54206010,"PUFFED RICE CAKE W/O SALT","Puffed rice cake without salt"
+54207010,"CRISPBREAD, WHEAT, LOW SODIUM","Crispbread, wheat, low sodium"
+54210010,"CRACKER, MULTIGRAIN, LOW SODIUM","Cracker, multigrain, low sodium"
+54222000,"CRISPBREAD, RYE, LOW SODIUM","Crispbread, rye, low sodium"
+54301000,"CRACKER, SNACK","Cracker, snack"
+54301100,"CRACKER, SNACK, REDUCED FAT","Cracker, snack, reduced fat"
+54301200,"CRACKER, SNACK, FAT FREE","Cracker, snack, fat free"
+54304000,"CRACKERS, CHEESE","Cracker, cheese"
+54304100,"CRACKER, CHEESE, REDUCED FAT","Cracker, cheese, reduced fat"
+54304150,"CRACKER, CHEESE, WHOLE GRAIN","Cracker, cheese, whole grain"
+54304500,"CRACKER, HIGH FIBER, NO ADDED FAT","Cracker, high fiber, no added fat"
+54305000,"CRISPBREAD, WHEAT, NO ADDED FAT","Crispbread, wheat, no added fat"
+54307000,"CRACKERS, MATZO","Crackers, matzo"
+54308000,"CRACKERS, MILK","Crackers, milk"
+54309000,"CRACKERS, OAT BRAN (INCLUDE NABISCO OAT THINS)","Crackers, oat"
+54313000,"CRACKERS, OYSTER","Crackers, oyster"
+54318000,"CHIPS, BROWN RICE","Chips, brown rice"
+54318500,"RICE CAKE, CRACKER-TYPE","Rice cake, cracker-type"
+54319000,"CRACKERS, RICE","Crackers, rice"
+54319010,"PUFFED RICE CAKE","Puffed rice cake"
+54319020,"POPCORN CAKE (INCL PUFFED CORN & RICE CAKE)","Popcorn cake"
+54319200,"PUFFED WHEAT CAKE (INCL QUAKER)","Puffed wheat cake"
+54319500,"RICE PAPER","Rice paper"
+54322000,"CRISPBREAD, RYE, NO ADDED FAT","Crispbread, rye, no added fat"
+54325000,"CRACKERS, SALTINES","Crackers, saltine"
+54325010,"CRACKERS, SALTINE, FAT FREE","Crackers, saltine, fat free"
+54325050,"CRACKERS, SALTINE, WHOLE WHEAT","Crackers, saltine, whole wheat"
+54326000,"CRACKERS, MULTIGRAIN","Crackers, multigrain, made with whole wheat, wheat, oat, and other flours"
+54327950,"CRACKERS, CYLINDRICAL, PEANUT BUTTER-FILLED","Crackers, cylindrical, peanut-butter filled"
+54328000,"CRACKER, SANDWICH-TYPE, NFS","Crackers, sandwich-type, NFS"
+54328100,"CRACKER,SANDWICH-TYPE,PEANUT BUTTER FILLED","Cracker, sandwich-type, peanut butter filled"
+54328110,"CRACKER, SANDWICH, PEANUT BUTTER FILLED, RED FAT","Cracker, sandwich-type, peanut butter filled, reduced fat"
+54328200,"CRACKER,SANDWICH-TYPE, CHEESE-FILLED","Cracker, sandwich-type, cheese-filled"
+54334000,"CRACKERS, TOAST THINS","Crackers, toast thins (rye, pumpernickel, white flour)"
+54336000,"CRACKER, WATER BISCUIT","Crackers, water biscuits"
+54337000,"CRACKER, 100% WHOLE WHEAT","Cracker, 100% whole wheat"
+54337050,"CRACKER, 100% WHOLE WHEAT, REDUCED FAT","Cracker, 100% whole wheat, reduced fat"
+54338000,"CRACKERS, WHEAT","Crackers, wheat"
+54338100,"CRACKERS, WHEAT, REDUCED FAT","Crackers, wheat, reduced fat"
+54339000,"CRACKER CORN (INCL STONED CORN CRACKER)","Crackers, corn"
+54350000,"CRACKERS, BABY FOOD","Crackers, baby food"
+54350010,"GERBER FINGER FOODS, PUFFS, BABY FOOD","Gerber Finger Foods, Puffs, baby food"
+54360000,"CRUNCHY SNACKS, CORN BASED, BABY FOOD","Crunchy snacks, corn based, baby food"
+54401010,"SALTY SNACKS, CORN / CORNMEAL BASE, NUT /NUG, TSTD","Salty snacks, corn or cornmeal base, nuts or nuggets, toasted"
+54401020,"SALTY SNACKS, CORN OR CORNMEAL, CORN CHIPS, CHEESE","Salty snacks, corn or cornmeal base, corn chips, corn-cheese chips"
+54401050,"SALTY SNACKS, CORN OR CORNMEAL, CORN PUFFS, TWISTS","Salty snacks, corn or cornmeal base, corn puffs and twists; corn-cheese puffs and twists"
+54401080,"SALTY SNACKS, CORN OR CORNMEAL, TORTILLA CHIPS","Salty snacks, corn or cornmeal base, tortilla chips"
+54401090,"SALTY SNACKS, CORN/CORN-CHEESE CHIPS, UNSALTED","Salty snacks, corn or cornmeal base, corn chips, corn-cheese chips, unsalted"
+54401100,"SALTY SNACKS,CORN / CORNMEAL BASE,TORTILLA CHIPS LT","Salty snacks, corn or cornmeal base, tortilla chips, light (baked with less oil)"
+54401120,"SALTY SNACKS, TORTILLA CHIPS, FAT FREE, W/ OLEAN","Salty snacks, corn or cornmeal base, tortilla chips, fat free, made with Olean"
+54401150,"SALTY SNACKS,CORN/CORNMEAL BASE,TORTILLA,LOWFAT,BKD","Salty snacks, corn or cornmeal base, tortilla chips, lowfat, baked without fat"
+54401170,"SALTY SNACKS,CORN/CORNMEAL,TORTILLA,LOWFAT,BKD,NO SALT","Salty snacks, corn or cornmeal base, tortilla chips, lowfat, baked without fat, unsalted"
+54401200,"SALTY SNACKS, CORN/CORNML BASE,W/OAT BRAN,TORT CHPS","Salty snacks, corn or cornmeal base, with oat bran, tortilla chips"
+54401210,"SALTY SNACKS, CORN BASED/CHEESE PUFFS & TWISTS, LOWFAT","Salty snacks, corn based puffs and twists, cheese puffs and twists, lowfat"
+54402080,"TORTILLA CHIPS, UNSALTED","Salty snacks, corn or cornmeal base, tortilla chips, unsalted"
+54402200,"SALTY SNACK MIXTURE,MOSTLY CORN,W/PRETZELS,W/O NUTS","Salty snack mixture, mostly corn or cornmeal based, with pretzels, without nuts"
+54402300,"SALTY SNACKS, WHEAT-BASE, HIGH FIBER","Salty snacks, wheat-based, high fiber"
+54402500,"SALTY SNACKS, WHEAT-AND CORN-BASED CHIPS","Salty snacks, wheat- and corn-based chips"
+54402600,"SALTY SNACKS, MULTIGRAIN, WHOLE GRAIN, CHIPS","Salty snacks, multigrain, whole grain, chips (made with whole corn, whole wheat, rice flour, and whole oat flour)"
+54402610,"SALTY SNACKS, MULTIGRAIN& POT CHIPS(W/RICE FL,POT,CORN FL)","Salty snacks, multigrain and potato chips (made with rice flour, dried potatoes, corn flour, and wheat starch)"
+54402700,"PITA CHIPS","Pita chips"
+54403000,"POPCORN, POPPED IN OIL, UNBUTTERED","Popcorn, popped in oil, unbuttered"
+54403010,"POPCORN, AIR-POPPED (NO BUTTER OR OIL ADDED)","Popcorn, air-popped (no butter or no oil added)"
+54403020,"POPCORN, POPPED IN OIL, BUTTERED","Popcorn, popped in oil, buttered"
+54403040,"POPCORN, AIR-POPPED, BUTTERED","Popcorn, air-popped, buttered"
+54403050,"POPCORN, FLAVORED (CHEESE, BBQ, SOUR CREAM, ONION)","Popcorn, flavored"
+54403060,"POPCORN, POPPED IN OIL, LOWFAT, LOW SODIUM","Popcorn, popped in oil, lowfat, low sodium"
+54403070,"POPCORN, POPPED IN OIL, LOWFAT","Popcorn, popped in oil, lowfat"
+54403090,"POPCORN, POPPED IN OIL, UNSALTED","Popcorn, popped in oil, unsalted"
+54403110,"POPCORN, SUGAR SYRUP OR CARAMEL COATED","Popcorn, sugar syrup or caramel-coated"
+54403120,"POPCORN, SUGAR SYRUP OR CARAMEL COATED, W/ NUTS","Popcorn, sugar syrup or caramel-coated, with nuts"
+54403150,"POPCORN, SUGAR SYRUP/CARAMEL COATED, FAT FREE","Popcorn, sugar syrup or caramel-coated, fat free"
+54406010,"SNACKS, ONION-FLAVORED RINGS","Snacks, onion-flavored rings"
+54406200,"SHRIMP CHIPS","Shrimp chips (tapioca base)"
+54408000,"PRETZELS, NFS","Pretzels, NFS"
+54408010,"PRETZELS, HARD","Pretzels, hard"
+54408020,"PRETZELS, SOFT","Pretzels, soft"
+54408030,"PRETZELS, HARD, UNSALTED","Pretzel, hard, unsalted"
+54408040,"PRETZELS, SOFT, UNSALTED","Pretzels, soft, unsalted"
+54408050,"PRETZEL, OAT BRAN, HARD","Pretzel, oatbran, hard"
+54408070,"PRETZEL, HARD, MULTIGRAIN","Pretzel, hard, multigrain"
+54408100,"PRETZEL, BABY FOOD","Pretzel, baby food"
+54408200,"PRETZEL, HARD, CHOCOLATE COATED","Pretzel, hard, chocolate-coated"
+54408250,"PRETZEL, YOGURT COVERED","Pretzel, yogurt-covered"
+54408300,"PRETZELS, CHEESE-FILLED (INCL COMBOS)","Pretzels, cheese-filled"
+54412110,"WHEAT STICKS, 100% WHOLE WHEAT","Wheat sticks, 100% whole wheat"
+54420010,"MULTIGRAIN MIXTURE, PRETZELS, CEREAL &/ CRACKERS,NUTS","Multigrain mixture, pretzels, cereal and/or crackers, nuts"
+54420100,"ORIENTAL PARTY MIX, W/ PEANUTS, SESAME STICKS, ETC","Oriental party mix, with peanuts, sesame sticks, chili rice crackers and fried green peas"
+54420200,"MULTIGRAIN MIX, BREAD STICKS, SESAME NUGGETS, PRETZ","Multigrain mixture, bread sticks, sesame nuggets, pretzels, rye chips"
+54430010,"YOGURT CHIPS","Yogurt chips"
+54440010,"BAGEL CHIP","Bagel chip"
+55101000,"PANCAKES, PLAIN (INCLUDE PANCAKES, NFS)","Pancakes, plain"
+55101010,"PANCAKES, REDUCED CALORIE, HIGH FIBER","Pancakes, reduced calorie, high fiber"
+55101015,"PANCAKES, PLAIN, REDUCED FAT","Pancakes, plain, reduced fat"
+55101020,"PANCAKES, PLAIN, FAT FREE","Pancakes, plain, fat free"
+55103000,"PANCAKES, W/ FRUIT (INCLUDE BLUEBERRY PANCAKES)","Pancakes, with fruit"
+55103100,"PANCAKES W/ CHOC CHIPS","Pancakes, with chocolate chips"
+55105000,"PANCAKES, BUCKWHEAT","Pancakes, buckwheat"
+55105100,"PANCAKES, CORNMEAL","Pancakes, cornmeal"
+55105200,"PANCAKES, WHOLE WHEAT","Pancakes, whole wheat"
+55105205,"PANCAKES, WHOLE WHEAT, REDUCED FAT","Pancakes, whole wheat, reduced fat"
+55105210,"PANCAKES, WHOLE WHEAT, FAT FREE","Pancakes, whole wheat, fat free"
+55105300,"PANCAKES, SOURDOUGH","Pancakes, sour dough"
+55105400,"PANCAKES, RYE","Pancakes, rye"
+55201000,"WAFFLE, PLAIN","Waffle, plain"
+55202000,"WAFFLE, WHEAT, BRAN, OR MULTIGRAIN","Waffle, wheat, bran, or multigrain"
+55203000,"WAFFLE, FRUIT","Waffle, fruit"
+55203500,"WAFFLE, NUT & HONEY (INCL EGGO)","Waffle, nut and honey"
+55203600,"WAFFLE, CHOCOLATE CHIP","Waffle, chocolate chip"
+55204000,"WAFFLE, CORNMEAL","Waffle, cornmeal"
+55205000,"WAFFLE, 100% WHOLE WHEAT OR 100% WHOLE GRAIN","Waffle, 100% whole wheat or 100% whole grain"
+55206000,"WAFFLE, OAT BRAN","Waffle, oat bran"
+55207000,"WAFFLE, MULTI-BRAN (INCLUDE EGGO NUTRIGRAIN)","Waffle, multi-bran"
+55211000,"WAFFLE, PLAIN, FAT FREE","Waffle, plain, fat free"
+55211050,"WAFFLE, PLAIN, LOWFAT","Waffle, plain, lowfat"
+55212000,"WAFFLE, WHOLE WHEAT, LOWFAT","Waffle, whole wheat, lowfat"
+55301000,"FRENCH TOAST, PLAIN (INCLUDE ROMAN MEAL)","French toast, plain"
+55301050,"FRENCH TOAST STICKS, PLAIN","French toast sticks, plain"
+55310100,"BREAD FRITTERS, P.R.","Bread fritters, Puerto Rican style (Torrejas gallegas, Galician fritters)"
+55401000,"CREPE, PLAIN (INCLUDE FRENCH PANCAKE)","Crepe, plain"
+55501000,"FLOUR & WATER PATTY (INCLUDE CHINESE PANCAKE)","Flour and water patty"
+55502000,"FLOUR AND WATER GRAVY","Flour and water gravy"
+55610200,"DUMPLING, FRIED, PUERTO RICAN STYLE","Dumpling, fried, Puerto Rican style"
+55610300,"DUMPLING, PLAIN","Dumpling, plain"
+55701000,"CAKE MADE W/ GLUTINOUS RICE","Cake made with glutinous rice"
+55702000,"CAKE OR PANCAKE MADE W/ RICE FLOUR &/OR DRIED BEANS","Cake or pancake made with rice flour and/or dried beans"
+55702100,"DOSA (INDIAN)","Dosa (Indian), plain"
+55703000,"CAKE MADE W/ GLUTINOUS RICE & DRIED BEANS","Cake made with glutinous rice and dried beans"
+55801000,"FUNNEL CAKE WITH SUGAR","Funnel cake with sugar"
+55801010,"FUNNEL CAKE WITH SUGAR AND FRUIT","Funnel cake with sugar and fruit"
+56101000,"MACARONI, COOKED, NS AS TO ADDED FAT","Macaroni, cooked, NS as to fat added in cooking"
+56101010,"MACARONI, COOKED, NO FAT ADDED","Macaroni, cooked, fat not added in cooking"
+56101030,"MACARONI, COOKED, FAT ADDED","Macaroni, cooked, fat added in cooking"
+56102000,"MACARONI, WHOLE WHEAT, COOKED, NS AS TO ADDED FAT","Macaroni, whole wheat, cooked, NS as to fat added in cooking"
+56102010,"MACARONI, WHOLE WHEAT, NO FAT ADDED","Macaroni, whole wheat, cooked, fat not added in cooking"
+56102020,"MACARONI, WHOLE WHEAT, FAT ADDED","Macaroni, whole wheat, cooked, fat added in cooking"
+56103000,"MACARONI, SPINACH, NS AS TO ADDED FAT","Macaroni, cooked, spinach, NS as to fat added in cooking"
+56103010,"MACARONI, SPINACH, NO FAT ADDED","Macaroni, cooked, spinach, fat not added in cooking"
+56103020,"MACARONI, SPINACH, FAT ADDED","Macaroni, cooked, spinach, fat added in cooking"
+56104000,"MACARONI,CKD,VEGETABLE,NS AS TO FAT ADDED","Macaroni, cooked, vegetable, NS as to fat added in cooking"
+56104010,"MACARONI,COOKED,VEGETABLE,FAT NOT ADDED IN COOKING","Macaroni, cooked, vegetable, fat not added in cooking"
+56104020,"MACARONI,COOKED,VEGETABLE, FAT ADDED IN COOKING","Macaroni, cooked, vegetable, fat added in cooking"
+56112000,"NOODLES, COOKED, NS AS TO ADDED FAT","Noodles, cooked, NS as to fat added in cooking"
+56112010,"NOODLES, COOKED, NO FAT ADDED","Noodles, cooked, fat not added in cooking"
+56112030,"NOODLES, COOKED, FAT ADDED","Noodles, cooked, fat added in cooking"
+56113000,"NOODLES, COOKED,WHOLE WHEAT,NS AS TO FAT ADDED","Noodles, cooked, whole wheat, NS as to fat added in cooking"
+56113010,"NOODLES, WHOLE WHEAT, COOKED, NO FAT ADDED","Noodles, cooked, whole wheat, fat not added in cooking"
+56113990,"NOODLES, COOKED, SPINACH, NS AS TO FAT","Noodles, cooked, spinach, NS as to fat added in cooking"
+56114000,"NOODLES, SPINACH, COOKED, NO FAT ADDED","Noodles, cooked, spinach, fat not added in cooking"
+56114020,"NOODLES, COOKED, SPINACH, FAT ADDED","Noodles, cooked, spinach, fat added in cooking"
+56116000,"NOODLES, CHOW MEIN","Noodles, chow mein"
+56116990,"LONG RICE NOODLES(FROM MUNG BEANS),CKD,NS FAT ADDed","Long rice noodles (made from mung beans) cooked, NS as to fat added in cooking"
+56117000,"LONG RICE NOODLES, COOKED, NO FAT ADDED","Long rice noodles (made from mung beans), cooked, fat not added in cooking"
+56117010,"LONG RICE NOODLES, COOKED, FAT ADDED","Long rice noodles (made from mung beans), cooked, fat added in cooking"
+56117090,"CHOW FUN RICE NOODLES,COOKED,NS AS TO FAT ADDED","Chow fun rice noodles, cooked, NS as to fat added in cooking"
+56117100,"CHOW FUN RICE NOODLES, COOKED, NO FAT ADDED","Chow fun rice noodles, cooked, fat not added in cooking"
+56117110,"CHOW FUN RICE NOODLES, COOKED, FAT ADDED","Chow fun rice noodles, cooked, fat added in cooking"
+56130000,"SPAGHETTI, COOKED, NS AS TO ADDED FAT","Spaghetti, cooked, NS as to fat added in cooking"
+56130010,"SPAGHETTI, COOKED, NO FAT ADDED","Spaghetti, cooked, fat not added in cooking"
+56131000,"SPAGHETTI, COOKED, FAT ADDED","Spaghetti, cooked, fat added in cooking"
+56132990,"SPAGHETTI, COOKED, WHOLE WHEAT, NS AS TO ADDED FAT","Spaghetti, cooked, whole wheat, NS as to fat added in cooking"
+56133000,"SPAGHETTI, COOKED, WHOLE WHEAT, NO FAT ADDED","Spaghetti, cooked, whole wheat, fat not added in cooking"
+56133010,"SPAGHETTI, COOKED, WHOLE WHEAT, FAT ADDED","Spaghetti, cooked, whole wheat, fat added in cooking"
+56200300,"CEREAL, COOKED, NFS","Cereal, cooked, NFS"
+56200350,"CEREAL, COOKED, INSTANT, NS AS TO GRAIN","Cereal, cooked, instant, NS as to grain"
+56200390,"BARLEY, COOKED, NS AS TO FAT ADDED IN COOKING","Barley, cooked, NS as to fat added in cooking"
+56200400,"BARLEY, COOKED, NO FAT ADDED","Barley, cooked, fat not added in cooking"
+56200490,"BUCKWHEAT GROATS, COOKED, NS AS TO FAT ADDED","Buckwheat groats, cooked, NS as to fat added in cooking"
+56200500,"BUCKWHEAT GROATS, COOKED, NO FAT ADDED (INCL KASHA)","Buckwheat groats, cooked, fat not added in cooking"
+56200510,"BUCKWHEAT GROATS, COOKED, FAT ADDED","Buckwheat groats, cooked, fat added in cooking"
+56200990,"GRITS, COOKED,CORN/HOMINY, NS REG, QUICK, INST, NS FAT ADDED","Grits, cooked, corn or hominy, NS as to regular, quick, or instant, NS as to fat added in cooking"
+56201000,"GRITS, CORN OR HOMINY, NFS, NO FAT ADDED","Grits, cooked, corn or hominy, NS as to regular, quick, or instant, fat not added in cooking"
+56201010,"GRITS, CKD, CORN/HOMINY, REGULAR, NO FAT","Grits, cooked, corn or hominy, regular, fat not added in cooking"
+56201020,"GRITS, COOKED, CORN/HOMINY, REGULAR, FAT ADDED","Grits, cooked, corn or hominy, regular, fat added in cooking"
+56201030,"GRITS, COOKED, CORN/HOMINY, REGULAR, NS AS TO FAT","Grits, cooked, corn or hominy, regular, NS as to fat added in cooking"
+56201040,"GRITS, COOKED, CORN/HOMINY, FAT ADDED","Grits, cooked, corn or hominy, NS as to regular, quick, or instant, fat added in cooking"
+56201060,"GRITS,CKD,CORN/HOMINY,W/CHEESE,NS TYPE,NS FAT ADDED","Grits, cooked, corn or hominy, with cheese, NS as to regular, quick, or instant, NS as to fat added in cooking"
+56201061,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,NS TYPE,FAT NOT ADDED","Grits, cooked, corn or hominy, with cheese, NS as to regular, quick, or instant, fat not added in cooking"
+56201062,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,NS TYPE,FAT ADDED","Grits, cooked, corn or hominy, with cheese, NS as to regular, quick, or instant, fat added in cooking"
+56201070,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,REG,NS FAT ADDED","Grits, cooked, corn or hominy, with cheese, regular, NS as to fat added in cooking"
+56201071,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,REG,FAT NOT ADDED","Grits, cooked, corn or hominy, with cheese, regular, fat not added in cooking"
+56201072,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,REG,FAT ADDED","Grits, cooked, corn or hominy, with cheese, regular, fat added in cooking"
+56201080,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,QUICK,NS FAT ADDED","Grits, cooked, corn or hominy, with cheese, quick, NS as to fat added in cooking"
+56201081,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,QUICK,FAT NOT ADDED","Grits, cooked, corn or hominy, with cheese, quick, fat not added in cooking"
+56201082,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,QUICK,FAT ADDED","Grits, cooked, corn or hominy, with cheese, quick, fat added in cooking"
+56201090,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,INSTANT,NS FAT ADDED","Grits, cooked, corn or hominy, with cheese, instant, NS as to fat added in cooking"
+56201091,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,INSTANT,FAT NOT ADDED","Grits, cooked, corn or hominy, with cheese, instant, fat not added in cooking"
+56201092,"GRITS,CKD,CORN/HOMINY,W/ CHEESE,INSTANT,FAT ADDED","Grits, cooked, corn or hominy, with cheese, instant, fat added in cooking"
+56201110,"GRITS, COOKED, CORN/HOMINY, QUICK, NO FAT ADDED","Grits, cooked, corn or hominy, quick, fat not added in cooking"
+56201120,"GRITS, COOKED, CORN/HOMINY, QUICK, FAT ADDED","Grits, cooked, corn or hominy, quick, fat added in cooking"
+56201130,"GRITS, COOKED, CORN/HOMINY,QUICK,NS AS TO ADDED FAT","Grits, cooked, corn or hominy, quick, NS as to fat added in cooking"
+56201210,"GRITS, COOKED, CORN/HOMINY, INSTANT, NO FAT ADDED","Grits, cooked, corn or hominy, instant, fat not added in cooking"
+56201220,"GRITS, CORN/HOMINY, INSTANT, FAT ADDED","Grits, cooked, corn or hominy, instant, fat added in cooking"
+56201230,"GRITS, CORN/HOMINY, INSTANT, COOKED, NS AS TO FAT","Grits, cooked, corn or hominy, instant, NS as to fat added in cooking"
+56201240,"GRITS, FLAVORED, INSTANT, NO FAT ADDED","Grits, cooked, flavored, corn or hominy, instant, fat not added in cooking"
+56201250,"GRITS, FLAVORED, INSTANT, FAT ADDED","Grits, cooked, flavored, corn or hominy, instant, fat added in cooking"
+56201260,"GRITS, FLAVORED, INSTANT, NS AS TO ADDED FAT","Grits, cooked, flavored, corn or hominy, instant, NS as to fat added in cooking"
+56201300,"GRITS,COOKED,CORN/HOM,NFS,MADE W/MILK, NS AS TO FAT ADDED","Grits, cooked, corn or hominy, NS as to regular, quick, or instant, made with milk, NS as to fat added in cooking"
+56201510,"CORNMEAL MUSH, MADE W/ WATER","Cornmeal mush, made with water"
+56201520,"CORNMEAL MUSH, FRIED","Cornmeal mush, fried"
+56201530,"CORNMEAL MUSH, MADE W/ MILK","Cornmeal mush, made with milk"
+56201540,"CORNMEAL, MADE W/ MILK & SUGAR, P. R. STYLE","Cornmeal, made with milk and sugar, Puerto Rican Style (Harina de maiz)"
+56201550,"CORNMEAL DUMPLINGS","Cornmeal dumpling"
+56201560,"CORNMEAL STICKS, BOILED (INCL CORNMEAL GUANINES)","Cornmeal sticks, boiled"
+56201600,"CORNMEAL, LIME-TREATED, COOKED","Cornmeal, lime-treated, cooked (Masa harina)"
+56201700,"CORNSTARCH W/ MILK, EATEN AS CEREAL","Cornstarch with milk, eaten as a cereal (2 tbsp cornstarch in 2-1/2 cups milk)"
+56201750,"CORNSTARCH, DRY","Cornstarch, dry"
+56201800,"CORNSTARCH, HYDROLYZED, POWDER","Cornstarch, hydrolyzed powder"
+56201990,"MILLET, COOKED, NS AS TO FAT ADDED IN COOKING","Millet, cooked, NS as to fat added in cooking"
+56202000,"MILLET, COOKED, NO FAT ADDED","Millet, cooked, fat not added in cooking"
+56202100,"MILLET, COOKED, FAT ADDED IN COOKING","Millet, cooked, fat added in cooking"
+56202960,"OATMEAL,COOKED,NS AS TO REG,QUICK/INST,NS TO FAT","Oatmeal, cooked, NS as to regular, quick or instant; NS as to fat added in cooking"
+56202970,"OATMEAL, COOKED, QUICK, NS TO FAT ADDED","Oatmeal, cooked, quick (1 or 3 minutes), NS as to fat added in cooking"
+56202980,"OATMEAL, COOKED, REG, NS TO FAT ADDED","Oatmeal, cooked, regular, NS as to fat added in cooking"
+56203000,"OATMEAL, COOKED, NFS, NO FAT ADDED","Oatmeal, cooked, NS as to regular, quick or instant, fat not added in cooking"
+56203010,"OATMEAL, COOKED, REGULAR, NO FAT ADDED","Oatmeal, cooked, regular, fat not added in cooking"
+56203020,"OATMEAL, COOKED, QUICK, NO FAT ADDED","Oatmeal, cooked, quick (1 or 3 minutes), fat not added in cooking"
+56203030,"OATMEAL, COOKED, INSTANT, NO FAT ADDED IN COOKING","Oatmeal, cooked, instant, fat not added in cooking"
+56203040,"OATMEAL, FAT ADDED IN COOKING, NFS","Oatmeal, cooked, NS as to regular, quick, or instant, fat added in cooking"
+56203050,"OATMEAL, REGULAR, FAT ADDED IN COOKING","Oatmeal, cooked, regular, fat added in cooking"
+56203060,"OATMEAL, QUICK, FAT ADDED IN COOKING","Oatmeal, cooked, quick (1 or 3 minutes), fat added in cooking"
+56203070,"OATMEAL, INSTANT, FAT ADDED","Oatmeal, cooked, instant, fat added in cooking"
+56203080,"OATMEAL, INSTANT, NS AS TO ADDED FAT","Oatmeal, cooked, instant, NS as to fat added in cooking"
+56203110,"OATMEAL, MAPLE FLAVOR, COOKED (INCL MAYPO)","Oatmeal with maple flavor, cooked"
+56203200,"OATMEAL, W/ FRUIT, COOKED","Oatmeal with fruit, cooked"
+56203210,"OATMEAL, NS TYPE, MADE W/ MILK, NO FAT ADDED","Oatmeal, NS as to regular, quick, or instant, made with milk, fat not added in cooking"
+56203211,"OATMEAL, CKD, REG, MADE W/ MILK, FAT NOT ADDED IN COOKING","Oatmeal, cooked, regular, made with milk, fat not added in cooking"
+56203212,"OATMEAL, CKD, QUICK, MADE W/ MILK, FAT NOT ADDED IN COOKING","Oatmeal, cooked, quick (1 or 3 minutes), made with milk, fat not added in cooking"
+56203213,"OATMEAL, CKD, INST, MADE W/ MILK, FAT NOT ADDED IN COOKING","Oatmeal, cooked, instant, made with milk, fat not added in cooking"
+56203220,"OATMEAL, NS TYPE, MADE W/ MILK, FAT ADDED","Oatmeal, NS as to regular, quick, or instant, made with milk, fat added in cooking"
+56203221,"OATMEAL, CKD, REG, MADE W/ MILK, FAT ADDED IN COOKING","Oatmeal, cooked, regular, made with milk, fat added in cooking"
+56203222,"OATMEAL, CKD, QUICK, MADE W/ MILK, FAT ADDED IN COOKING","Oatmeal, cooked, quick (1 or 3 minutes), made with milk, fat added in cooking"
+56203223,"OATMEAL, CKD, INST, MADE W/ MILK, FAT ADDED IN COOKING","Oatmeal, cooked, instant, made with milk, fat added in cooking"
+56203230,"OATMEAL, NS TYPE, MADE W/ MILK, NS AS TO ADDED FAT","Oatmeal, NS as to regular, quick, or instant, made with milk, NS as to fat added in cooking"
+56203231,"OATMEAL, CKD, REG, MADE W/ MILK, NS AS TO FAT ADDED","Oatmeal, cooked, regular, made with milk, NS as to fat added in cooking"
+56203232,"OATMEAL, CKD, QUICK, MADE W/ MILK, NS AS TO FAT ADDED","Oatmeal, cooked, quick (1 or 3 minutes), made with milk, NS as to fat added in cooking"
+56203233,"OATMEAL, CKD, INST, MADE W/ MILK, NS AS TO FAT ADDED","Oatmeal, cooked, instant, made with milk, NS as to fat added in cooking"
+56203540,"OATMEAL, MADE W/ MILK & SUGAR, P.R. STYLE","Oatmeal, made with milk and sugar, Puerto Rican style"
+56203600,"OATMEAL, MULTIGRAIN, COOKED, NS FAT ADDED","Oatmeal, multigrain, cooked, NS as to fat added in cooking"
+56203610,"OATMEAL, MULTIGRAIN, COOKED, FAT NOT ADDED","Oatmeal, multigrain, cooked, fat not added in cooking"
+56203620,"OATMEAL, MULTIGRAIN, COOKED, FAT ADDED","Oatmeal, multigrain, cooked, fat added in cooking"
+56204000,"QUINOA, COOKED, NS AS TO FAT ADDED IN COOKING","Quinoa, cooked, NS as to fat added in cooking"
+56204005,"QUINOA, COOKED, FAT NOT ADDED IN COOKING","Quinoa, cooked, fat not added in cooking"
+56204010,"QUINOA, COOKED, FAT ADDED IN COOKING","Quinoa, cooked, fat added in cooking"
+56205000,"RICE, COOKED, NS AS TO TYPE","Rice, cooked, NFS"
+56205002,"RICE, WHITE, COOKED, MADE WITH OIL","Rice, white, cooked, fat added in cooking, made with oil"
+56205004,"RICE, WHITE, COOKED, MADE WITH BUTTER","Rice, white, cooked, fat added in cooking, made with butter"
+56205006,"RICE, WHITE, COOKED, MADE WITH MARGARINE","Rice, white, cooked, fat added in cooking, made with margarine"
+56205008,"RICE, WHITE, COOKED, FAT NOT ADDED IN COOKING","Rice, white, cooked, fat not added in cooking"
+56205012,"RICE, BROWN, COOKED, MADE WITH OIL","Rice, brown, cooked, fat added in cooking, made with oil"
+56205014,"RICE, BROWN, COOKED, MADE WITH BUTTER","Rice, brown, cooked, fat added in cooking, made with butter"
+56205016,"RICE, BROWN, COOKED, MADE WITH MARGARINE","Rice, brown, cooked, fat added in cooking, made with margarine"
+56205018,"RICE, BROWN, COOKED, FAT NOT ADDED IN COOKING","Rice, brown, cooked, fat not added in cooking"
+56205050,"RICE, CREAM OF, COOKED, NO FAT ADDED","Rice, cream of, cooked, fat not added in cooking"
+56205060,"RICE, COOKED, W/ MILK","Rice, cooked, with milk"
+56205070,"RICE, SWEET, (RICE, COOKED, W/ HONEY)","Rice, sweet (rice, cooked, with honey)"
+56205080,"RICE, CREAMED, W/ MILK & SUGAR, PUERTO RICAN","Rice, creamed, made with milk and sugar, Puerto Rican style"
+56205090,"RICE, CREAM OF, COOKED, FAT ADDED IN COOKING","Rice, cream of, cooked, fat added in cooking"
+56205130,"YELLOW RICE, COOKED, NS AS TO FAT ADDED IN COOKING","Yellow rice, cooked, NS as to fat added in cooking"
+56205150,"YELLOW RICE, COOKED, FAT NOT ADDED IN COOKING","Yellow rice, cooked, fat not added in cooking"
+56205170,"YELLOW RICE, COOKED, FAT ADDED IN COOKING","Yellow rice, cooked, fat added in cooking"
+56205190,"RICE, WHITE, COOKED, GLUTINOUS (INCL STICKY RICE)","Rice, white, cooked, glutinous"
+56205200,"RICE, FRZ DES,NONDAIRY,NOT CHOC (INCL RICE DREAM)","Rice, frozen dessert, nondairy, flavors other than chocolate"
+56205205,"RICE, WILD, 100%, COOKED, NS AS TO FAT ADDED IN COOKING","Rice, wild, 100%, cooked, NS as to fat added in cooking"
+56205210,"RICE, WILD, 100%, COOKED, NO FAT ADDED","Rice, wild, 100%, cooked, fat not added in cooking"
+56205215,"RICE, WILD, 100%, COOKED, FAT ADDED IN COOKING","Rice, wild, 100%, cooked, fat added in cooking"
+56205230,"RICE DESSERT BAR,FRZ,NOT CHOC,NONDAIRY,CAROB,COVER","Rice dessert bar, frozen, flavors other than chocolate, nondairy, carob covered"
+56205240,"RICE DESSERT BAR,FRZ,CHOC,NONDAIRY,CHOC COVERED","Rice dessert bar, frozen, chocolate, nondairy, chocolate covered"
+56205300,"RICE, WHITE & WILD, COOKED, NO FAT ADDED","Rice, white and wild, cooked, fat not added in cooking"
+56205310,"RICE, BROWN & WILD, COOKED, NO FAT ADDED","Rice, brown and wild, cooked, fat not added in cooking"
+56205320,"RICE, WHITE & WILD, FAT ADDED","Rice, white and wild, cooked, fat added in cooking"
+56205330,"RICE, WHITE & WILD, NS AS TO ADDED FAT","Rice, white and wild, cooked, NS as to fat added in cooking"
+56205340,"RICE, BROWN & WILD, FAT ADDED","Rice, brown and wild, cooked, fat added in cooking"
+56205350,"RICE, BROWN & WILD, NS AS TO ADDED FAT","Rice, brown and wild, cooked, NS as to fat added in cooking"
+56205410,"RICE, WHITE, COOKED W/ (FAT) OIL, PUERTO RICAN STYLE","Rice, white, cooked with (fat) oil, Puerto Rican style (Arroz blanco)"
+56206970,"WHEAT, CREAM OF,COOKED,QUICK,NS AS TO ADDED FAT","Wheat, cream of, cooked, quick, NS as to fat added in cooking"
+56206980,"WHEAT, CREAM OF,COOKED,REG,NS AS TO ADDED FAT","Wheat, cream of, cooked, regular, NS as to fat added in cooking"
+56206990,"WHEAT, CREAM OF,COOKED,NS AS REG,QUICK,/INST","Wheat, cream of, cooked, NS as to regular, quick, or instant, NS as to fat added in cooking"
+56207000,"WHEAT, CREAM OF, COOKED, NFS, NO FAT ADDED","Wheat, cream of, cooked, NS as to regular, quick, or instant, fat not added in cooking"
+56207010,"WHEAT, CREAM OF, COOKED, REGULAR, NO FAT ADDED","Wheat, cream of, cooked, regular, fat not added in cooking"
+56207020,"WHEAT, CREAM OF, COOKED, QUICK, NO FAT ADDED","Wheat, cream of, cooked, quick, fat not added in cooking"
+56207030,"WHEAT, CREAM OF, COOKED, INSTANT, NO FAT ADDED","Wheat, cream of, cooked, instant, fat not added in cooking"
+56207040,"WHEAT, CREAM OF, MADE W/ MILK","Wheat, cream of, cooked, made with milk"
+56207050,"WHEAT, CREAM OF, MADE W/ MILK & SUGAR, P.R. STYLE","Wheat, cream of, cooked, made with milk and sugar, Puerto Rican style"
+56207060,"WHEAT, CREAM OF, INSTANT, COOKED, FAT ADDED","Wheat, cream of, cooked, instant, fat added in cooking"
+56207070,"WHEAT, CREAM OF, INSTANT,COOKED, NS AS TO ADDED FAT","Wheat, cream of, cooked, instant, NS as to fat added in cooking"
+56207080,"WHEAT, CREAM OF,COOKED,NS AS TO REG,QUICK, OR INST","Wheat, cream of, cooked, NS as to regular, quick, or instant, fat added in cooking"
+56207100,"WHEAT, ROLLED, COOKED, NO FAT ADDED","Wheat, rolled, cooked, fat not added in cooking"
+56207110,"BULGUR, COOKED OR CANNED, NO FAT ADDED","Bulgur, cooked or canned, fat not added in cooking"
+56207120,"BULGAR, COOKED OR CANNNED, FAT ADDED IN COOKING","Bulgur, cooked or canned, fat added in cooking"
+56207130,"BULGUR, COOKED OR CANNED, NS AS TO ADDED FAT","Bulgur, cooked or canned, NS as to fat added in cooking"
+56207140,"WHEAT ROLLED,COOKED,NS AS TO ADDED FAT","Wheat, rolled, cooked, NS as to fat added in cooking"
+56207150,"COUSCOUS, PLAIN, COOKED, FAT NOT ADDED IN COOKING","Couscous, plain, cooked, fat not added in cooking"
+56207160,"COUSCOUS, PLAIN, COOKED, NS AS TO ADDED FAT","Couscous, plain, cooked, NS as to fat added in cooking"
+56207180,"COUSCOUS, PLAIN, COOKED, FAT ADDED IN COOKING","Couscous, plain, cooked, fat added in cooking"
+56207190,"WHOLE WHEAT CEREAL, COOKED, NS AS TO ADDED FAT","Whole wheat cereal, cooked, NS as to fat added in cooking"
+56207200,"WHOLE WHEAT CEREAL, COOKED, NO FAT ADDED","Whole wheat cereal, cooked, fat not added in cooking"
+56207210,"WHOLE WHEAT CEREAL, COOKED, FAT ADDED","Whole wheat cereal, cooked, fat added in cooking"
+56207220,"WHEAT, CREAM OF, COOKED, REGULAR, FAT ADDED","Wheat, cream of, cooked, regular, fat added in cooking"
+56207230,"WHEAT, CREAM OF, COOKED,QUICK,FAT ADDED IN COOKING","Wheat, cream of, cooked, quick, fat added in cooking"
+56207300,"WHOLE WHEAT CEREAL, W/ BARLEY, COOKED, NO FAT ADDED","Whole wheat cereal, wheat and barley, cooked, fat not added in cooking"
+56207330,"WHOLE WHEAT CEREAL, WHEAT & BARLEY, FAT ADDED","Whole wheat cereal, wheat and barley, cooked, fat added in cooking"
+56207340,"WHOLE WHEAT CEREAL, WHEAT & BARLEY, ADDED FAT NS","Whole wheat cereal, wheat and barley, cooked, NS as to fat added in cooking"
+56207350,"WHEAT CEREAL, CHOC FLAVORED, COOKED W/ MILK","Wheat cereal, chocolate flavored, cooked, made with milk"
+56207360,"WHEAT CEREAL, CHOC FLAVORED, COOKED, NO FAT ADDED","Wheat cereal, chocolate flavored, cooked, fat not added in cooking"
+56207370,"WHEAT CEREAL, CHOC FLAV,COOKED,NS AS TO ADDED FAT","Wheat cereal, chocolate flavored, cooked, NS as to fat added in cooking"
+56208500,"OAT BRAN CEREAL, COOKED, NO FAT ADDED","Oat bran cereal, cooked, fat not added in cooking"
+56208510,"OAT BRAN CEREAL, COOKED, FAT ADDED","Oat bran cereal, cooked, fat added in cooking"
+56208520,"OAT BRAN CEREAL, COOKED, NS AS TO ADDED FAT","Oat bran cereal, cooked, NS as to fat added in cooking"
+56208530,"OAT BRAN CEREAL, MADE W/ MILK, NO FAT ADDED","Oat bran cereal, cooked, made with milk, fat not added in cooking"
+56208540,"OAT BRAN CEREAL, MADE W/ MILK, FAT ADDED","Oat bran cereal, cooked, made with milk, fat added in cooking"
+56208550,"OAT BRAN CEREAL, MADE W/ MILK, NS AS TO ADDED FAT","Oat bran cereal, cooked, made with milk, NS as to fat added in cooking"
+56209000,"RYE, CREAM OF, COOKED","Rye, cream of, cooked"
+56210000,"NESTUM, CEREAL","Nestum cereal"
+5.7e+07,"CEREAL, NFS","Cereal, NFS"
+57000050,"KASHI CEREAL, NS AS TO READY-TO-EAT OR COOKED","Kashi cereal, NS as to ready to eat or cooked"
+57000100,"OAT CEREAL, NFS","Oat cereal, NFS"
+57100100,"CEREAL, READY-TO-EAT, NFS","Cereal, ready-to-eat, NFS"
+57101000,"ALL-BRAN CEREAL","All-Bran"
+57102000,"ALPEN CEREAL","Alpen"
+57103000,"ALPHA-BITS CEREAL","Alpha-Bits"
+57103020,"ALPHA-BITS W/ MARSHMALLOWS CEREAL","Alpha-bits with marshmallows"
+57103050,"AMARANTH FLAKES CEREAL","Amaranth Flakes"
+57103100,"APPLE CINNAMON CHEERIOS","Apple Cinnamon Cheerios"
+57104000,"APPLE JACKS CEREAL","Apple Jacks"
+57106050,"BANANA NUT CRUNCH CEREAL (POST)","Banana Nut Crunch Cereal (Post)"
+57106060,"BANANA NUT CHEERIOS","Banana Nut Cheerios"
+57106100,"BASIC 4 (RTE CEREAL)","Basic 4"
+57106250,"BERRY BERRY KIX","Berry Berry Kix"
+57106260,"BERRY BURST CHEERIOS","Berry Burst Cheerios"
+57106530,"BLUEBERRY MORNING, POST","Blueberry Morning, Post"
+57107000,"BOOBERRY CEREAL","Booberry"
+57110000,"ALL-BRAN BRAN BUDS CEREAL, KELLOGG'S (FORMERLY BRAN BUDS)","All-Bran Bran Buds, Kellogg's (formerly Bran Buds)"
+57111000,"BRAN CHEX CEREAL","Bran Chex"
+57117000,"CAP'N CRUNCH CEREAL","Cap'n Crunch"
+57117500,"CAP'N CRUNCH'S CHRISTMAS CRUNCH CEREAL","Cap'n Crunch's Christmas Crunch"
+57119000,"CAP'N CRUNCH'S CRUNCH BERRIES CEREAL","Cap'n Crunch's Crunch Berries"
+57120000,"CAP'N CRUNCH'S PEANUT BUTTER CRUNCH CEREAL","Cap'n Crunch's Peanut Butter Crunch"
+57123000,"CHEERIOS","Cheerios"
+57124000,"CHEX CEREAL, NFS","Chex cereal, NFS"
+57124050,"CHEX CINNAMON","Chex Cinnamon"
+57124100,"CHOCOLATE CHEERIOS","Chocolate Cheerios"
+57124200,"CHOCOLATE FLAVORED FROSTED PUFFED CORN CEREAL","Chocolate flavored frosted puffed corn cereal"
+57124300,"CHOCOLATE LUCKY CHARMS","Chocolate Lucky Charms"
+57125000,"CINNAMON TOAST CRUNCH CEREAL","Cinnamon Toast Crunch"
+57125010,"CINNAMON TOAST CRUNCH REDUCED SUGAR","Cinnamon Toast Crunch Reduced Sugar"
+57125900,"HONEY NUT CLUSTERS CEREAL","Honey Nut Clusters (formerly called Clusters)"
+57126000,"COCOA KRISPIES CEREAL","Cocoa Krispies"
+57127000,"COCOA PEBBLES CEREAL","Cocoa Pebbles"
+57128000,"COCOA PUFFS CEREAL","Cocoa Puffs"
+57128005,"COCOA PUFFS, REDUCED SUGAR","Cocoa Puffs, reduced sugar"
+57130000,"COOKIE-CRISP CEREAL (INCLUDE ALL FLAVORS)","Cookie-Crisp"
+57131000,"CRUNCHY CORN BRAN CEREAL, QUAKER","Crunchy Corn Bran, Quaker"
+57132000,"CORN CHEX CEREAL","Corn Chex"
+57134000,"CORN FLAKES, NFS (INCLUDE STORE BRANDS)","Corn flakes, NFS"
+57134090,"CORN FLAKES, LOW SODIUM","Corn flakes, low sodium"
+57135000,"CORN FLAKES, KELLOGG'S","Corn flakes, Kellogg's"
+57137000,"CORN PUFFS CEREAL","Corn Puffs"
+57139000,"COUNT CHOCULA CEREAL","Count Chocula"
+57143000,"CRACKLIN' OAT BRAN CEREAL","Cracklin' Oat Bran"
+57143500,"CRANBERRY ALMOND CRUNCH, POST","Cranberry Almond Crunch, Post"
+57144000,"CRISP CRUNCH CEREAL","Crisp Crunch"
+57148000,"CRISPIX CEREAL","Crispix"
+57148500,"CRISPY BROWN RICE CEREAL","Crispy Brown Rice Cereal"
+57151000,"CRISPY RICE CEREAL","Crispy Rice"
+57201900,"DORA THE EXPLORER CEREAL","Dora the Explorer Cereal"
+57206000,"FAMILIA CEREAL","Familia"
+57206700,"FIBER ONE CEREAL","Fiber One"
+57206705,"FIBER ONE CARAMEL DELIGHT","Fiber One Caramel Delight"
+57206710,"FIBER ONE HONEY CLUSTERS","Fiber One Honey Clusters"
+57206715,"FIBER ONE RAISIN BRAN CLUSTERS","Fiber One Raisin Bran Clusters"
+57206800,"FIBER 7 FLAKES CEREAL, HEALTH VALLEY","Fiber 7 Flakes, Health Valley"
+57207000,"BRAN FLAKES CEREAL, NFS (FORMERLY 40% BRAN FLAKES, NFS)","Bran Flakes, NFS (formerly 40% Bran Flakes, NFS)"
+57208000,"ALL-BRAN COMPLETE WHEAT FLAKES, KELLOGG'S","All-Bran Complete Wheat Flakes, Kellogg's"
+57209000,"NATURAL BRAN FLAKES CEREAL, POST","Natural Bran Flakes, Post (formerly called 40% Bran Flakes, Post)"
+57211000,"FRANKENBERRY CEREAL","Frankenberry"
+57213000,"FROOT LOOPS CEREAL","Froot Loops"
+57213850,"FROSTED CHEERIOS CEREAL","Frosted Cheerios"
+57214000,"FROSTED MINI-WHEATS CEREAL (INCL ALL FLAVORS)","Frosted Mini-Wheats"
+57214100,"FROSTED WHEAT BITES","Frosted Wheat Bites"
+57215000,"FROSTY O'S CEREAL","Frosty O's"
+57216000,"FROSTED RICE CEREAL, NFS","Frosted rice, NFS"
+57218000,"FROSTED RICE KRISPIES, KELLOGG'S","Frosted Rice Krispies, Kellogg's"
+57219000,"FRUIT & FIBRE CEREAL, NFS","Fruit & Fibre (fiber), NFS"
+57221000,"FRUIT & FIBRE CEREAL, W/ DATES, RAISINS, & WALNUTS","Fruit & Fibre (fiber) with dates, raisins, and walnuts"
+57221650,"FRUIT HARVEST CEREAL, KELLOGG'S","Fruit Harvest cereal, Kellogg's"
+57221700,"FRUIT RINGS, NFS (INCLUDE STORE BRANDS)","Fruit Rings, NFS"
+57221800,"FRUIT WHIRLS CEREAL","Fruit Whirls"
+57221810,"FRUITY CHEERIOS","Fruity Cheerios"
+57223000,"FRUITY PEBBLES CEREAL","Fruity Pebbles"
+57224000,"GOLDEN GRAHAMS CEREAL","Golden Grahams"
+57227000,"GRANOLA, NFS","Granola, NFS"
+57228000,"GRANOLA, HOMEMADE","Granola, homemade"
+57229000,"GRANOLA, LOWFAT, KELLOGG'S","Granola, lowfat, Kellogg's"
+57229500,"GRANOLA W/ RAISINS, LOWFAT, KELLOGG'S","Granola with Raisins, lowfat, Kellogg's"
+57230000,"GRAPE-NUTS CEREAL","Grape-Nuts"
+57231000,"GRAPE-NUTS FLAKES","Grape-Nuts Flakes"
+57231100,"GRAPE-NUTS TRAIL MIX CRUNCH","Grape-Nuts Trail Mix Crunch"
+57231200,"GREAT GRAINS, RAISIN, DATE, & PECAN,WHOLE GRAIN CEREAL, POST","Great Grains, Raisin, Date, and Pecan Whole Grain Cereal, Post"
+57231250,"GREAT GRAINS DOUBLE PECAN WHOLE GRAIN CEREAL, POST","Great Grains Double Pecan Whole Grain Cereal, Post"
+57237100,"HONEY BUNCHES OF OATS HONEY ROASTED CEREAL","Honey Bunches of Oats Honey Roasted Cereal"
+57237200,"HONEY BUNCHES OF OATS WITH VANILLA CLUSTERS, POST","Honey Bunches of Oats with Vanilla Clusters, Post"
+57237300,"HONEY BUNCHES OF OATS W/ ALMONDS, POST","Honey Bunches of Oats with Almonds, Post"
+57237310,"HONEY BUNCHES OF OATS WITH PECAN BUNCHES","Honey Bunches of Oats with Pecan Bunches"
+57237900,"HONEY BUNCHES OF OATS JUST BUNCHES","Honey Bunches of Oats Just Bunches"
+57238000,"HONEYCOMB CEREAL, PLAIN","Honeycomb, plain"
+57239000,"HONEYCOMB CEREAL, STRAWBERRY","Honeycomb, strawberry"
+57239100,"HONEY CRUNCH CORN FLAKES CEREAL, KELLOGG'S","Honey Crunch Corn Flakes, Kellogg's"
+57240100,"HONEY NUT CHEX CEREAL","Honey Nut Chex"
+57241000,"HONEY NUT CHEERIOS","Honey Nut Cheerios"
+57241200,"HONEY NUT SHREDDED WHEAT CEREAL, POST","Honey Nut Shredded Wheat, Post"
+57243000,"HONEY SMACKS, KELLOGG'S","Honey Smacks, Kellogg's (formerly Smacks; Honey Smacks)"
+57301500,"KASHI, PUFFED","Kashi, Puffed"
+57301505,"KASHI AUTUMN WHEAT","Kashi Autumn Wheat"
+57301510,"KASHI GOLEAN","Kashi GOLEAN"
+57301511,"KASHI GOLEAN CRUNCH","Kashi GOLEAN Crunch"
+57301512,"KASHI GOLEAN CRUNCH HONEY ALMOND FLAX","Kashi GOLEAN Crunch Honey Almond Flax"
+57301520,"KASHI GOOD FRIENDS","Kashi Good Friends"
+57301530,"KASHI HEART TO HEART HONEY TOASTED OAT","Kashi Heart to Heart Honey Toasted Oat"
+57301535,"KASHI HEART TO HEART OAT FLAKES AND BLUEBERRY CLUSTERS","Kashi Heart to Heart Oat Flakes and Blueberry Clusters"
+57301540,"KASHI HONEY SUNSHINE","Kashi Honey Sunshine"
+57302100,"KING VITAMAN CEREAL","King Vitaman"
+57303100,"KIX CEREAL","Kix"
+57303105,"HONEY KIX","Honey Kix"
+57304100,"LIFE CEREAL (PLAIN & CINNAMON)","Life (plain and cinnamon)"
+57305100,"LUCKY CHARMS CEREAL","Lucky Charms"
+57305150,"FROSTED OAT CEREAL W/ MARSHMALLOWS","Frosted oat cereal with marshmallows"
+57305160,"MALT-O-MEAL BLUEBERRY MUFFIN TOPS","Malt-O-Meal Blueberry Muffin Tops"
+57305165,"MALT-O-MEAL CINNAMON TOASTERS","Malt-O-Meal Cinnamon Toasters"
+57305170,"MALT-O-MEAL COCO-ROOS CEREAL","Malt-O-Meal Coco-Roos"
+57305174,"MALT-O-MEAL COLOSSAL CRUNCH","Malt-O-Meal Colossal Crunch"
+57305175,"MALT-O-MEAL COCOA DYNO-BITES","Malt-O-Meal Cocoa Dyno-Bites"
+57305180,"MALT-O-MEAL CORN BURSTS CEREAL","Malt-O-Meal Corn Bursts"
+57305200,"MALT-O-MEAL CRISPY RICE CEREAL","Malt-O-Meal Crispy Rice"
+57305210,"MALT-O-MEAL FROSTED FLAKES","Malt-O-Meal Frosted Flakes"
+57305215,"MALT-O-MEAL FROSTED MINI SPOONERS","Malt-O-Meal Frosted Mini Spooners"
+57305300,"MALT-O-MEAL FRUITY DYNO-BITES","Malt-O-Meal Fruity Dyno-Bites"
+57305400,"MALT-O-MEAL HONEY GRAHAM SQUARES","Malt-O-Meal Honey Graham Squares"
+57305500,"MALT-O-MEAL HONEY & NUT TOASTY O'S CEREAL","Malt-O-Meal Honey and Nut Toasty O's"
+57305600,"MALT-O-MEAL MARSHMALLOW MATEYS CEREAL","Malt-O-Meal Marshmallow Mateys"
+57306100,"MALT-O-MEAL PUFFED RICE CEREAL","Malt-O-Meal Puffed Rice"
+57306120,"MALTO-O-MEAL PUFFED WHEAT CEREAL","Malt-O-Meal Puffed Wheat"
+57306130,"MALT-O-MEAL RAISIN BRAN","Malt-O-Meal Raisin Bran"
+57306500,"MALT-O-MEAL GOLDEN PUFFS CEREAL (FORMERLY SUGAR PUFFS)","Malt-O-Meal Golden Puffs (formerly Sugar Puffs)"
+57306700,"MALT-O-MEAL TOASTED OAT CEREAL","Malt-O-Meal Toasted Oat Cereal"
+57306800,"MALT-O-MEAL TOOTIE FRUITIES (RTE CEREAL)","Malt-O-meal Tootie Fruities"
+57307010,"MAPLE PECAN CRUNCH CEREAL, POST","Maple Pecan Crunch Cereal, Post"
+57307500,"MILLET, PUFFED (CEREAL)","Millet, puffed"
+57307600,"MINI-SWIRLZ CINNAMON BUN CEREAL, KELLOGG'S","Mini-Swirlz Cinnamon Bun Cereal, Kellogg's"
+57308150,"MUESLIX CEREAL, NFS","Mueslix cereal, NFS"
+57308190,"MUESLI, DRIED FRUIT&NUTS","Muesli, dried fruit and nuts (formerly Muesli with raisins, dates, and almonds)"
+57308300,"MULTI BRAN CHEX","Multi Bran Chex"
+57308400,"MULTIGRAIN CHEERIOS","MultiGrain Cheerios"
+57309100,"NATURE VALLEY GRANOLA, W/ FRUIT & NUTS","Nature Valley Granola, with fruit and nuts"
+57316200,"NUTTY NUGGETS (RALSTON)","Nutty Nuggets, Ralston Purina"
+57316300,"OAT BRAN FLAKES, HEALTH VALLEY","Oat Bran Flakes, Health Valley"
+57316380,"OAT CLUSTER CHEERIOS CRUNCH","Oat Cluster Cheerios Crunch"
+57316450,"OATMEAL CRISP W/ ALMONDS CEREAL","Oatmeal Crisp with Almonds"
+57316500,"OATMEAL CRISP, RAISIN","Oatmeal Crisp, Raisin (formerly Oatmeal Raisin Crisp)"
+57316710,"OH'S, HONEY GRAHAM CEREAL","Oh's, Honey Graham"
+57319000,"100% NATURAL CEREAL, PLAIN, QUAKER","100% Natural Cereal, plain, Quaker"
+57319500,"SUN COUNTRY 100% NATURAL GRANOLA, WITH ALMONDS","Sun Country 100% Natural Granola, with Almonds"
+57320500,"100 % NATURAL CEREAL, W/ OATS,HONEY & RAISINS,QUAKER","100 % Natural Cereal, with oats, honey and raisins, Quaker"
+57321500,"100% NATURAL WHOLEGRAIN CEREAL W/ RAISINS, LOWFAT, QUAKER","100 % Natural Wholegrain Cereal with raisins, lowfat, Quaker"
+57321700,"OPTIMUM, NATURE'S PATH","Optimum, Nature's Path"
+57321800,"OPTIMUM SLIM, NATURE'S PATH","Optimum Slim, Nature's Path"
+57321900,"ORGANIC FLAX PLUS, NATURE'S PATH","Organic Flax Plus, Nature's Path"
+57323000,"SWEET CRUNCH CEREAL, QUAKER (FORMERLY POPEYE)","Sweet Crunch, Quaker (formerly called Popeye)"
+57325000,"PRODUCT 19 CEREAL","Product 19"
+57326000,"PUFFINS CEREAL","Puffins Cereal"
+57327450,"QUAKER OAT BRAN CEREAL","Quaker Oat Bran Cereal"
+57327500,"QUAKER OATMEAL SQUARES CEREAL (FORMERLY QUAKER OAT SQUARES)","Quaker Oatmeal Squares (formerly Quaker Oat Squares)"
+57328000,"QUISP CEREAL","Quisp"
+57329000,"RAISIN BRAN CEREAL, NFS","Raisin bran, NFS"
+57330000,"RAISIN BRAN, KELLOGG'S","Raisin Bran, Kellogg's"
+57330010,"RAISIN BRAN CRUNCH, KELLOGG'S","Raisin Bran Crunch, Kellogg's"
+57331000,"RAISIN BRAN CEREAL, POST","Raisin Bran, Post"
+57332050,"RAISIN BRAN, TOTAL","Raisin Bran, Total"
+57332100,"RAISIN NUT BRAN CEREAL","Raisin Nut Bran"
+57335550,"REESE'S PEANUT BUTTER PUFFS CEREAL","Reese's Peanut Butter Puffs cereal"
+57336000,"RICE CHEX CEREAL","Rice Chex"
+57337000,"RICE FLAKES, NFS","Rice Flakes, NFS"
+57339000,"RICE KRISPIES, KELLOGG'S","Rice Krispies, Kellogg's"
+57339500,"RICE KRISPIES TREATS CEREAL, KELLOGG'S","Rice Krispies Treats Cereal, Kellogg's"
+57340000,"PUFFED RICE CEREAL","Rice, puffed"
+57341000,"SHREDDED WHEAT 'N BRAN CEREAL","Shredded Wheat'N Bran"
+57341200,"SMART START STRONG HEART ANTIOXIDANTS CEREAL, KELLOGG'S","Smart Start Strong Heart Antioxidants Cereal, Kellogg's"
+57342010,"SMORZ, KELLOGG'S","Smorz, Kellogg's"
+57344000,"SPECIAL K CEREAL","Special K"
+57344001,"SPECIAL K BLUEBERRY","Special K Blueberry"
+57344005,"SPECIAL K CHOCOLATEY DELIGHT","Special K Chocolatey Delight"
+57344007,"SPECIAL K LOW FAT GRANOLA","Special K Low Fat Granola"
+57344010,"SPECIAL K RED BERRIES","Special K Red Berries"
+57344015,"SPECIAL K FRUIT & YOGURT","Special K Fruit & Yogurt"
+57344020,"SPECIAL K VANILLA ALMOND","Special K Vanilla Almond"
+57344025,"SPECIAL K CINNAMON PECAN, KELLOGG'S","Special K Cinnamon Pecan, Kellogg's"
+57346500,"OATMEAL HONEY NUT HEAVEN, QUAKER","Oatmeal Honey Nut Heaven, Quaker (formerly Toasted Oatmeal, Honey Nut)"
+57347000,"CORN POPS CEREAL","Corn Pops"
+57348000,"FROSTED CORN FLAKES, NFS","Frosted corn flakes, NFS"
+57349000,"FROSTED FLAKES, KELLOGG'S","Frosted Flakes, Kellogg's"
+57349020,"REDUCED SUGAR FROSTED FLAKES CEREAL, KELLOGG'S","Reduced Sugar Frosted Flakes Cereal, Kellogg's"
+57355000,"GOLDEN CRISP CEREAL","Golden Crisp (Formerly called Super Golden Crisp)"
+57401100,"TOASTED OAT CEREAL","Toasted oat cereal"
+57403100,"TOASTIES, POST","Toasties, Post"
+57406100,"TOTAL CEREAL","Total"
+57406105,"TOTAL CRANBERRY CRUNCH","Total Cranberry Crunch"
+57407100,"TRIX CEREAL","Trix"
+57407110,"TRIX, REDUCED SUGAR","Trix, reduced sugar"
+57408100,"UNCLE SAM CEREAL","Uncle Sam Cereal (formerly Uncle Sam's Hi Fiber Cereal)"
+57409100,"WAFFLE CRISP CEREAL, POST","Waffle Crisp, Post"
+57410000,"WEETABIX WHOLE WHEAT CEREAL","Weetabix Whole Wheat Cereal"
+57411000,"WHEAT CHEX CEREAL","Wheat Chex"
+57412000,"WHEAT GERM CEREAL, PLAIN","Wheat germ, plain"
+57413000,"WHEAT GERM CEREAL, W/ SUGAR & HONEY","Wheat germ, with sugar and honey"
+57416000,"PUFFED WHEAT CEREAL, PLAIN","Wheat, puffed, plain"
+57416010,"WHEAT, PUFFED, PRESWEETENED W/ SUGAR","Wheat, puffed, presweetened with sugar"
+57417000,"SHREDDED WHEAT, 100%","Shredded Wheat, 100%"
+57418000,"WHEATIES CEREAL","Wheaties"
+57419000,"YOGURT BURST CHEERIOS","Yogurt Burst Cheerios"
+57601100,"WHEAT BRAN, UNPROCESSED","Wheat bran, unprocessed"
+57602100,"OATS, RAW","Oats, raw"
+57602500,"OAT BRAN, UNCOOKED","Oat bran, uncooked"
+57603100,"RICE POLISHINGS","Rice polishings"
+57603200,"RICE BRAN CEREAL, UNCOOKED","Rice bran, uncooked"
+57604100,"WHOLE WHEAT, CRACKED","Whole wheat, cracked"
+57801000,"BARLEY CEREAL, BABY, DRY, INSTANT","Barley cereal, baby food, dry, instant"
+57803000,"MIXED CEREAL, BABY, DRY, INSTANT","Mixed cereal, baby food, dry, instant"
+57804000,"OATMEAL CEREAL, BABY, DRY, INSTANT","Oatmeal cereal, baby food, dry, instant"
+57805000,"RICE CEREAL, BABY, DRY, INSTANT","Rice cereal, baby food, dry, instant"
+57805080,"RICE CEREAL W/ APPLES, BABY, DRY, INSTANT","Rice cereal with apples, baby food, dry, instant"
+57805090,"RICE CEREAL WITH MIXED FRUITS, BABY FOOD, DRY, INSTANT","Rice cereal with mixed fruits, baby food, dry, instant"
+57805100,"RICE CEREAL W/ BANANAS, BABY, DRY, INSTANT","Rice cereal with bananas, baby food, dry, instant"
+57805500,"BROWN RICE CEREAL, BABY FOOD, DRY, INSTANT","Brown rice cereal, baby food, dry, instant"
+57806000,"MIXED CEREAL W/ BANANAS, BABY, DRY, INSTANT","Mixed cereal with bananas, baby food, dry, instant"
+57806050,"MULTIGRAIN, WHOLE GRAIN CEREAL, BABY FOOD, DRY, INSTANT","Multigrain, whole grain cereal, baby food, dry, instant"
+57806100,"OATMEAL CEREAL W/ BANANAS, BABY, DRY, INSTANT","Oatmeal cereal with bananas, baby food, dry, instant"
+57806200,"OATMEAL W/ FRUIT, BABY, DRY, INSTANT, TODDLER","Oatmeal cereal with fruit, baby food, dry, instant, toddler"
+57807010,"WHOLE WHEAT CEREAL W/ APPLES, BABY, DRY, INSTANT","Whole wheat cereal with apples, baby food, dry, instant"
+57820000,"CEREAL, BABY, JARRED, NFS","Cereal, baby food, jarred, NFS"
+57820100,"RICE CEREAL, BABY FOOD, JARRED, NFS","Rice cereal, baby food, jarred, NFS"
+57822000,"MIXED CEREAL W/ APPLESAUCE & BANANAS, BABY, JARRED","Mixed cereal with applesauce and bananas, baby food, jarred"
+57823000,"OATMEAL W/ APPLESAUCE & BANANAS, BABY, JARRED","Oatmeal with applesauce and bananas, baby food, jarred"
+57824000,"RICE CEREAL, W/ APPLESAUCE & BANANAS, BABY, JARRED","Rice cereal with applesauce and bananas, baby food, jarred"
+57824500,"RICE CEREAL W/ MIXED FRUIT, BABY, JARRED","Rice cereal with mixed fruit, baby food, jarred"
+57830100,"GERBER GRADUATES FINGER SNACKS CEREAL,BABY FOOD","Gerber Graduates Finger Snacks Cereal, baby food"
+58100000,"BURRITO, TACO, OR QUESADILLA W/ EGG","Burrito, taco, or quesadilla with egg"
+58100005,"BURRITO, TACO, OR QUESADILLA W/ EGG & POTATO","Burrito, taco, or quesadilla with egg and potato"
+58100010,"BURRITO, TACO, OR QUESADILLA W/ EGG & BREAKFAST MEAT","Burrito, taco, or quesadilla with egg and breakfast meat"
+58100013,"BURRITO, TACO, OR QUESADILLA WITH EGG AND BREAKFAST MEAT, FF","Burrito, taco, or quesadilla with egg and breakfast meat, from fast food"
+58100015,"BURRITO, TACO, OR QUESADILLA W/EGG, POTATO, & BREAKFAST MEAT","Burrito, taco, or quesadilla with egg, potato, and breakfast meat"
+58100017,"BURRITO, TACO, OR QUESADILLA WITH EGG, POTATO, BRK MEAT, FF","Burrito, taco, or quesadilla with egg, potato, and breakfast meat, from fast food"
+58100020,"BURRITO, TACO, OR QUESADILLA W/EGG, BEANS,& BREAKFAST MEAT","Burrito, taco, or quesadilla with egg, beans, and breakfast meat"
+58100100,"BURRITO W/ MEAT","Burrito with meat"
+58100120,"BURRITO W/ MEAT & BEANS","Burrito with meat and beans"
+58100125,"BURRITO WITH MEAT AND BEANS, FROM FAST FOOD","Burrito with meat and beans, from fast food"
+58100135,"BURRITO W/ MEAT & SOUR CREAM","Burrito with meat and sour cream"
+58100140,"BURRITO W/ MEAT, BEANS, & SOUR CREAM","Burrito with meat, beans, and sour cream"
+58100145,"BURRITO WITH MEAT, BEANS, AND SOUR CREAM, FROM FAST FOOD","Burrito with meat, beans, and sour cream, from fast food"
+58100160,"BURRITO W/ MEAT, BEANS, & RICE","Burrito with meat, beans, and rice"
+58100165,"BURRITO W/ MEAT, BEANS, RICE, & SOUR CREAM","Burrito with meat, beans, rice, and sour cream"
+58100200,"BURRITO W/ CHICKEN","Burrito with chicken"
+58100220,"BURRITO W/ CHICKEN AND BEANS","Burrito with chicken and beans"
+58100235,"BURRITO W/ CHICKEN & SOUR CREAM","Burrito with chicken and sour cream"
+58100245,"BURRITO W/ CHICKEN, BEANS, & SOUR CREAM","Burrito with chicken, beans, and sour cream"
+58100255,"BURRITO W/ CHICKEN, BEANS, & RICE","Burrito with chicken, beans, and rice"
+58100260,"BURRITO W/ CHICKEN, BEANS, RICE, & SOUR CREAM","Burrito with chicken, beans, rice, and sour cream"
+58100300,"BURRITO W/ BEANS & RICE, MEATLESS","Burrito with beans and rice, meatless"
+58100320,"BURRITO W/ BEANS","Burrito with beans, meatless"
+58100325,"BURRITO WITH BEANS, MEATLESS, FROM FAST FOOD","Burrito with beans, meatless, from fast food"
+58100330,"BURRITO W/ BEANS, RICE, & SOUR CREAM, MEATLESS","Burrito with beans, rice, and sour cream, meatless"
+58100360,"CHILAQUILES,TORTILLA CASSEROLE W/ SALSA,CHEESE, EGG","Chilaquiles, tortilla casserole with salsa, cheese, and egg"
+58100370,"CHILAQUILES, TORTILLA CASSEROLE, NO EGG","Chilaquiles, tortilla casserole with salsa and cheese, no egg"
+58100520,"ENCHILADA W/ MEAT & BEANS, RED-CHILE OR ENCHILADA SAUCE","Enchilada with meat and beans, red-chile or enchilada sauce"
+58100525,"ENCHILADA WITH MEAT & BEANS, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada with meat and beans, green-chile or enchilada sauce"
+58100530,"ENCHILADA W/ MEAT, RED-CHILE OR ENCHILADA SAUCE","Enchilada with meat, red-chile or enchilada sauce"
+58100535,"ENCHILADA WITH MEAT, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada with meat, green-chile or enchilada sauce"
+58100620,"ENCHILADA W/ CHICKEN & BEANS, RED-CHILE OR ENCHILADA SAUCE","Enchilada with chicken and beans, red-chile or enchilada sauce"
+58100625,"ENCHILADA WITH CHIC & BEANS, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada with chicken and beans, green-chile or enchilada sauce"
+58100630,"ENCHILADA W/ CHICKEN, RED-CHILE OR ENCHILADA SAUCE","Enchilada with chicken, red-chile or enchilada sauce"
+58100635,"ENCHILADA WITH CHICKEN, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada with chicken, green-chile or enchilada sauce"
+58100720,"ENCHILADA W/ BEANS, MEATLESS, RED-CHILE OR ENCHILADA SAUCE","Enchilada with beans, meatless, red-chile or enchilada sauce"
+58100725,"ENCHILADA WITH BEANS, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada with beans, green-chile or enchilada sauce"
+58100800,"ENCHILADA, JUST CHEESE, NO BEANS, RED-CHILE OR ENCHILADA SC","Enchilada, just cheese, meatless, no beans, red-chile or enchilada sauce"
+58100805,"ENCHILADA, JUST CHEESE, GREEN-CHILE OR ENCHILADA SAUCE","Enchilada, just cheese, meatless, no beans, green-chile or enchilada sauce"
+58101320,"TACO OR TOSTADA W/ MEAT","Taco or tostada with meat"
+58101323,"TACO OR TOSTADA WITH MEAT, FROM FAST FOOD","Taco or tostada with meat, from fast food"
+58101325,"TACO OR TOSTADA W/ MEAT & SOUR CREAM","Taco or tostada with meat and sour cream"
+58101345,"SOFT TACO W/ MEAT","Soft taco with meat"
+58101347,"SOFT TACO WITH MEAT, FROM FAST FOOD","Soft taco with meat, from fast food"
+58101350,"SOFT TACO W/ MEAT & SOUR CREAM","Soft taco with meat and sour cream"
+58101357,"SOFT TACO WITH MEAT AND SOUR CREAM, FROM FAST FOOD","Soft taco with meat and sour cream, from fast food"
+58101450,"SOFT TACO WITH CHICKEN","Soft taco with chicken"
+58101457,"SOFT TACO WITH CHICKEN, FROM FAST FOOD","Soft taco with chicken, from fast food"
+58101460,"SOFT TACO W/ CHICKEN & SOUR CREAM","Soft taco with chicken and sour cream"
+58101520,"TACO OR TOSTADA W/ CHICKEN","Taco or tostada with chicken"
+58101525,"TACO OR TOSTADA W/ CHICKEN & SOUR CREAM","Taco or tostada with chicken and sour cream"
+58101540,"TACO OR TOSTADA W/ FISH","Taco or tostada with fish"
+58101555,"SOFT TACO W/ FISH","Soft taco with fish"
+58101610,"SOFT TACO W/ BEANS","Soft taco with beans"
+58101615,"SOFT TACO W/ BEANS & SOUR CREAM","Soft taco with beans and sour cream"
+58101620,"SOFT TACO W/ MEAT & BEANS","Soft taco with meat and beans"
+58101625,"SOFT TACO W/ CHICKEN & BEANS","Soft taco with chicken and beans"
+58101630,"SOFT TACO W/ MEAT, BEANS, & SOUR CREAM","Soft taco with meat, beans, and sour cream"
+58101635,"SOFT TACO W/ CHICKEN, BEANS, & SOUR CREAM","Soft taco with chicken, beans, and sour cream"
+58101720,"TACO OR TOSTADA W/ BEANS","Taco or tostada with beans"
+58101725,"TACO OR TOSTADA W/ BEANS & SOUR CREAM","Taco or tostada with beans and sour cream"
+58101730,"TACO OR TOSTADA W/ MEAT & BEANS","Taco or tostada with meat and beans"
+58101733,"TACO OR TOSTADA WITH MEAT AND BEANS, FROM FAST FOOD","Taco or tostada with meat and beans, from fast food"
+58101735,"TACO OR TOSTADA W/ CHICKEN & BEANS","Taco or tostada with chicken and beans"
+58101745,"TACO OR TOSTADA W/ MEAT, BEANS, & SOUR CREAM","Taco or tostada with meat, beans, and sour cream"
+58101750,"TACO OR TOSTADA W/ CHICKEN, BEANS, & SOUR CREAM","Taco or tostada with chicken, beans, and sour cream"
+58101800,"GROUND BEEF W/ TOMATO SAUCE, ON A CORNBREAD CRUST","Ground beef with tomato sauce and taco seasonings on a cornbread crust"
+58101820,"MEXICAN CASSEROLE W/ BEEF & BEANS","Mexican casserole made with ground beef, beans, tomato sauce, cheese, taco seasonings, and corn chips"
+58101830,"MEXICAN CASSEROLE W/ BEEF (INCL FRITO PIE, NFS)","Mexican casserole made with ground beef, tomato sauce, cheese, taco seasonings, and corn chips"
+58101930,"TACO OR TOSTADA SALAD W/ MEAT","Taco or tostada salad with meat"
+58101935,"TACO OR TOSTADA SALAD WITH CHICKEN","Taco or tostada salad with chicken"
+58101940,"TACO OR TOSTADA SALAD, MEATLESS","Taco or tostada salad, meatless"
+58101945,"TACO SALAD W/ MEAT & SOUR CREAM","Taco or tostada salad with meat and sour cream"
+58101950,"TACO OR TOSTADA SALAD W/ CHICKEN & SOUR CREAM","Taco or tostada salad with chicken and sour cream"
+58101955,"TACO OR TOSTADA SALAD, MEATLESS W/ SOUR CREAM","Taco or tostada salad, meatless with sour cream"
+58103120,"TAMALE WITH MEAT","Tamale with meat"
+58103130,"TAMALE WITH CHICKEN","Tamale with chicken"
+58103200,"TAMALE, PLAIN, MEATLESS, NO SAUCE, PR STYLE","Tamale, plain, meatless, no sauce, Puerto Rican style or Carribean Style"
+58103210,"TAMALE, MEATLESS, W/ SAUCE, P.R. OR CARIBBEAN STYLE","Tamale, meatless, with sauce, Puerto Rican or Caribbean style"
+58103250,"TAMALE, PLAIN, MEATLESS, NO SAUCE, MEXICAN","Tamale, plain, meatless, no sauce, Mexican style"
+58103310,"TAMALE CASSEROLE W/ MEAT","Tamale casserole with meat"
+58104090,"NACHOS W/ CHEESE & SOUR CREAM","Nachos with cheese and sour cream"
+58104120,"NACHOS W/ CHEESE","Nachos with cheese"
+58104130,"NACHOS W/ MEAT & CHEESE","Nachos with meat and cheese"
+58104150,"NACHOS W/ CHICKEN & CHEESE","Nachos with chicken and cheese"
+58104160,"NACHOS W/ CHILI","Nachos with chili"
+58104180,"NACHOS W/ MEAT, CHEESE, & SOUR CREAM","Nachos with meat, cheese, and sour cream"
+58104190,"NACHOS W/ CHICKEN, CHEESE, & SOUR CREAM","Nachos with chicken, cheese, and sour cream"
+58104260,"GORDITA, SOPE, OR CHALUPA W/ BEANS","Gordita, sope, or chalupa with beans"
+58104270,"GORDITA, SOPE, OR CHALUPA W/ BEANS & SOUR CREAM","Gordita, sope, or chalupa with beans and sour cream"
+58104280,"GORDITA, SOPE, OR CHALUPA W/ MEAT & SOUR CREAM","Gordita, sope, or chalupa with meat and sour cream"
+58104290,"GORDITA, SOPE, OR CHALUPA W/ MEAT","Gordita, sope, or chalupa with meat"
+58104320,"GORDITA, SOPE, OR CHALUPA W/ CHICKEN & SOUR CREAM","Gordita, sope, or chalupa with chicken and sour cream"
+58104340,"GORDITA, SOPE, OR CHALUPA W/ CHICKEN","Gordita, sope, or chalupa with chicken"
+58104500,"CHIMICHANGA W/ MEAT","Chimichanga with meat"
+58104520,"CHIMICHANGA, MEATLESS","Chimichanga, meatless"
+58104530,"CHIMICHANGA W/ CHICKEN","Chimichanga with chicken"
+58104535,"CHIMICHANGA W/ MEAT & SOUR CREAM","Chimichanga with meat and sour cream"
+58104540,"CHIMICHANGA, MEATLESS, W/ SOUR CREAM","Chimichanga, meatless, with sour cream"
+58104550,"CHIMICHANGA W/ CHICKEN & SOUR CREAM","Chimichanga with chicken and sour cream"
+58104710,"QUESADILLA, JUST CHEESE, MEATLESS","Quesadilla, just cheese, meatless"
+58104720,"QUESADILLA, JUST CHEESE, FROM FAST FOOD","Quesadilla, just cheese, from fast food"
+58104730,"QUESADILLA W/ MEAT","Quesadilla with meat"
+58104740,"QUESADILLA W/ CHICKEN","Quesadilla with chicken"
+58104745,"QUESADILLA WITH CHICKEN, FROM FAST FOOD","Quesadilla with chicken, from fast food"
+58104750,"QUESADILLA W/ VEGETABLES","Quesadilla with vegetables"
+58104760,"QUESADILLA W/ VEGETABLES & MEAT","Quesadilla with vegetables and meat"
+58104770,"QUESADILLA W/ VEGETABLES & CHICKEN","Quesadilla with vegetables and chicken"
+58104800,"TAQUITO OR FLAUTA W/ CHEESE","Taquito or flauta with cheese"
+58104820,"TAQUITO OR FLAUTA W/ MEAT","Taquito or flauta with meat"
+58104825,"TAQUITO OR FLAUTA W/ MEAT & CHEESE","Taquito or flauta with meat and cheese"
+58104830,"TAQUITO OR FLAUTA W/ CHICKEN","Taquito or flauta with chicken"
+58104835,"TAQUITO OR FLAUTA W/ CHICKEN AND CHEESE","Taquito or flauta with chicken and cheese"
+58104900,"TAQUITO OR FLAUTA W/ EGG","Taquito or flauta with egg"
+58104905,"TAQUITO OR FLAUTA W/ EGG & BREAKFAST MEAT","Taquito or flauta with egg and breakfast meat"
+58105000,"FAJITA W/ CHICKEN & VEGETABLES","Fajita with chicken and vegetables"
+58105050,"FAJITA W/ MEAT & VEGETABLES","Fajita with meat and vegetables"
+58105075,"FAJITA W/ VEGETABLES","Fajita with vegetables"
+58105100,"PUPUSA, CHEESE-FILLED","Pupusa, cheese-filled"
+58105105,"PUPUSA, BEAN-FILLED","Pupusa, bean-filled"
+58105110,"PUPUSA, MEAT-FILLED","Pupusa, meat-filled"
+58106200,"PIZZA, CHEESE, PREP FROM FROZEN, THIN CRUST","Pizza, cheese, prepared from frozen, thin crust"
+58106205,"PIZZA, CHEESE, PREP FROM FROZEN, THICK CRUST","Pizza, cheese, prepared from frozen, thick crust"
+58106210,"PIZZA, CHEESE,FRM REST/FF, NS AS TO TYPE OF CRUST","Pizza, cheese, from restaurant or fast food, NS as to type of crust"
+58106220,"PIZZA, CHEESE, FROM RESTAURANT OR FAST FOOD, THIN CRUST","Pizza, cheese, from restaurant or fast food, thin crust"
+58106225,"PIZZA, CHEESE, FROM RESTAURANT OR FAST FOOD, REGULAR CRUST","Pizza, cheese, from restaurant or fast food, regular crust"
+58106230,"PIZZA, CHEESE, FROM RESTAURANT OR FAST FOOD, THICK CRUST","Pizza, cheese, from restaurant or fast food, thick crust"
+58106233,"PIZZA, CHEESE, STUFFED CRUST","Pizza, cheese, stuffed crust"
+58106235,"PIZZA, CHEESE, FROM SCHOOL LUNCH, THIN CRUST","Pizza, cheese, from school lunch, thin crust"
+58106236,"PIZZA, CHEESE, FROM SCHOOL LUNCH, THICK CRUST","Pizza, cheese, from school lunch, thick crust"
+58106240,"PIZZA, EXTRA CHEESE, NS AS TO TYPE OF CRUST","Pizza, extra cheese, NS as to type of crust"
+58106250,"PIZZA, EXTRA CHEESE, THIN CRUST","Pizza, extra cheese, thin crust"
+58106255,"PIZZA, EXTRA CHEESE, REGULAR CRUST","Pizza, extra cheese, regular crust"
+58106260,"PIZZA, EXTRA CHEESE, THICK CRUST","Pizza, extra cheese, thick crust"
+58106300,"PIZZA, CHEESE, W/ VEGETABLES, PREP FROM FROZEN, THIN CRUST","Pizza, cheese, with vegetables, prepared from frozen, thin crust"
+58106305,"PIZZA, CHEESE, W/ VEGETABLES, PREP FROM FROZEN, THICK CRUST","Pizza, cheese with vegetables, prepared from frozen, thick crust"
+58106310,"PIZZA, CHEESE, W/ VEG, NS AS TO TYPE OF CRUST","Pizza, cheese, with vegetables, NS as to type of crust"
+58106320,"PIZZA, CHEESE, W/ VEGETABLES, THIN CRUST","Pizza, cheese, with vegetables, thin crust"
+58106325,"PIZZA, CHEESE, W/ VEGETABLES, REGULAR CRUST","Pizza, cheese, with vegetables, regular crust"
+58106330,"PIZZA, CHEESE, W/ VEGETABLES, THICK CRUST","Pizza, cheese, with vegetables, thick crust"
+58106340,"PIZZA W/ CHEESE & EXTRA VEGETABLES, NS AS TO CRUST","Pizza, with cheese and extra vegetables, NS as to type of crust"
+58106345,"PIZZA W/ CHEESE & EXTRA VEGETABLES, THIN CRUST","Pizza with cheese and extra vegetables, thin crust"
+58106347,"PIZZA W/ CHEESE & EXTRA VEGETABLES, REGULAR CRUST","Pizza with cheese and extra vegetables, regular crust"
+58106350,"PIZZA W/ CHEESE & EXTRA VEGETABLES, THICK CRUST","Pizza with cheese and extra vegetables, thick crust"
+58106357,"PIZZA, CHEESE, W/ FRUIT, NS AS TO TYPE OF CRUST","Pizza, cheese, with fruit, NS as to type of crust"
+58106358,"PIZZA, CHEESE, W/ FRUIT, THIN CRUST","Pizza, cheese, with fruit, thin crust"
+58106359,"PIZZA, CHEESE, W/ FRUIT, REGULAR CRUST","Pizza, cheese, with fruit, regular crust"
+58106360,"PIZZA, CHEESE, W/ FRUIT, THICK CRUST","Pizza, cheese, with fruit, thick crust"
+58106500,"PIZZA W/ MEAT, PREP FROM FROZEN, THIN CRUST","Pizza with meat, prepared from frozen, thin crust"
+58106505,"PIZZA W/ MEAT, PREP FROM FROZEN, THICK CRUST","Pizza with meat, prepared from frozen, thick crust"
+58106540,"PIZZA W/ PEPPERONI,FRM REST/FF, NS AS TO TYPE OF CRUST","Pizza with pepperoni, from restaurant or fast food, NS as to type of crust"
+58106550,"PIZZA W/PEPPERONI, FROM RESTAURANT/FAST FOOD, THIN CRUST","Pizza with pepperoni, from restaurant or fast food, thin crust"
+58106555,"PIZZA W/PEPPERONI, FROM RESTAURANT/FAST FOOD, REGULAR CRUST","Pizza with pepperoni, from restaurant or fast food, regular crust"
+58106560,"PIZZA W/ PEPPERONI, FROM RESTAURANT/FAST FOOD, THICK CRUST","Pizza with pepperoni, from restaurant or fast food, thick crust"
+58106565,"PIZZA WITH PEPPERONI, STUFFED CRUST","Pizza with pepperoni, stuffed crust"
+58106570,"PIZZA WITH PEPPERONI, FROM SCHOOL LUNCH, THIN CRUST","Pizza with pepperoni, from school lunch, thin crust"
+58106580,"PIZZA WITH PEPPERONI, FROM SCHOOL LUNCH, THICK CRUST","Pizza with pepperoni, from school lunch, thick crust"
+58106610,"PIZZA W/ MEAT OTHER THAN PEPP, FRM REST/FF, NS TYPE OF CRUST","Pizza with meat other than pepperoni, from restaurant or fast food, NS as to type of crust"
+58106620,"PIZZA W/MEAT NOT PEPPERONI, FRM RESTAURANT/FF,THIN CRUST","Pizza with meat other than pepperoni, from restaurant or fast food, thin crust"
+58106625,"PIZZA W/MEAT NOT PEPPERONI, FRM RESTAURANT/FF, REG CRUST","Pizza with meat other than pepperoni, from restaurant or fast food, regular crust"
+58106630,"PIZZA W/MEAT NOT PEPPERONI, FRM RESTAURANT/FF, THICK CRUST","Pizza with meat other than pepperoni, from restaurant or fast food, thick crust"
+58106633,"PIZZA, W/MEAT NOT PEPPERONI, STUFFED CRUST","Pizza, with meat other than pepperoni, stuffed crust"
+58106635,"PIZZA, W/MEAT OTHER THAN PEPPERONI, FRM SCL LUNCH, THIN CRUS","Pizza, with meat other than pepperoni, from school lunch, thin crust"
+58106636,"PIZZA, W/MEAT OTHER THAN PEPPERONI, FRM SCL LUNCH, THICK CRU","Pizza, with meat other than pepperoni, from school lunch, thick crust"
+58106640,"PIZZA W/ EXTRA MEAT, NS AS TO TYPE OF CRUST","Pizza with extra meat, NS as to type of crust"
+58106650,"PIZZA W/ EXTRA MEAT, THIN CRUST","Pizza with extra meat, thin crust"
+58106655,"PIZZA W/ EXTRA MEAT, REGULAR CRUST","Pizza with extra meat, regular crust"
+58106660,"PIZZA W/ EXTRA MEAT, THICK CRUST","Pizza with extra meat, thick crust"
+58106700,"PIZZA W/ MEAT & VEGS, PREP FROM FROZEN, THIN CRUST","Pizza with meat and vegetables, prepared from frozen, thin crust"
+58106705,"PIZZA W/ MEAT & VEGS, PREP FROM FROZEN, THICK CRUST","Pizza with meat and vegetables, prepared from frozen, thick crust"
+58106710,"PIZZA W/ MEAT & VEG, NS AS TO TYPE OF CRUST","Pizza with meat and vegetables, NS as to type of crust"
+58106720,"PIZZA W/ MEAT & VEGETABLES, THIN CRUST","Pizza with meat and vegetables, thin crust"
+58106725,"PIZZA W/ MEAT & VEGETABLES, REGULAR CRUST","Pizza with meat and vegetables, regular crust"
+58106730,"PIZZA W/ MEAT & VEGETABLES, THICK CRUST","Pizza with meat and vegetables, thick crust"
+58106735,"PIZZA W/ EXTRA MEAT & EXTRA VEGS, NS AS TO TYPE OF CRUST","Pizza with extra meat and extra vegetables, NS as to type of crust"
+58106736,"PIZZA W/ EXTRA MEAT & EXTRA VEGS, THIN CRUST","Pizza with extra meat and extra vegetables, thin crust"
+58106737,"PIZZA W/ EXTRA MEAT & EXTRA VEGS, THICK CRUST","Pizza with extra meat and extra vegetables, thick crust"
+58106738,"PIZZA W/ EXTRA MEAT & EXTRA VEGS, REGULAR CRUST","Pizza with extra meat and extra vegetables, regular crust"
+58106740,"PIZZA W/ MEAT & FRUIT, NS AS TO TYPE OF CRUST","Pizza with meat and fruit, NS as to type of crust"
+58106750,"PIZZA W/ MEAT & FRUIT, THIN CRUST","Pizza with meat and fruit, thin crust"
+58106755,"PIZZA W/ MEAT & FRUIT, REGULAR CRUST","Pizza with meat and fruit, regular crust"
+58106760,"PIZZA W/ MEAT & FRUIT, THICK CRUST","Pizza with meat and fruit, thick crust"
+58106820,"PIZZA W/ BEANS & VEG, THIN CRUST (INCL TACO PIZZA)","Pizza with beans and vegetables, thin crust"
+58106830,"PIZZA W/ BEANS & VEG, THICK CRUST (INCL TACO PIZZA)","Pizza with beans and vegetables, thick crust"
+58107050,"PIZZA, NO CHEESE, THIN CRUST","Pizza, no cheese, thin crust"
+58107100,"PIZZA, NO CHEESE, THICK CRUST","Pizza, no cheese, thick crust"
+58107220,"WHITE PIZZA, THIN CRUST","White pizza, thin crust"
+58107230,"WHITE PIZZA, THICK CRUST","White pizza, thick crust"
+58108000,"CALZONE, W/ CHEESE, MEATLESS (INCL STROMBOLI)","Calzone, with cheese, meatless"
+58108010,"CALZONE, W/ MEAT & CHEESE (INCLUDE STROMBOLI)","Calzone, with meat and cheese"
+58108050,"PIZZA ROLLS (INCLUDE PIZZA BITES)","Pizza rolls"
+58110110,"EGG ROLL, MEATLESS","Egg roll, meatless"
+58110120,"EGG ROLL, W/ SHRIMP","Egg roll, with shrimp"
+58110130,"EGG ROLL, W/ BEEF/PORK","Egg roll, with beef and/or pork"
+58110170,"EGG ROLL, W/ CHICKEN","Egg roll, with chicken or turkey"
+58110200,"ROLL W/MEAT&/SHRIMP,VEGETABLES&RICE PAPER(NOT FRIED","Roll with meat and/or shrimp, vegetables and rice paper (not fried)"
+58111110,"WON TON (WONTON), FRIED, FILLED W/MEAT, POULTRY, OR SEAFOOD","Won ton (wonton), fried, filled with meat, poultry, or seafood"
+58111120,"WON TON (WONTON), FRIED, MEATLESS","Won ton (wonton), fried, meatless"
+58111130,"WON TON (WONTON), FRIED, FILLED WITH MEAT, POULTRY, OR SEAFO","Won ton (wonton), fried, filled with meat, poultry, or seafood, and vegetable"
+58111200,"PUFFS, FRIED, CRAB MEAT & CREAM CHEESE FILLED","Puffs, fried, crab meat and cream cheese filled"
+58112510,"DUMPLING, STEAMED, FILLED W/ MEAT OR SEAFOOD","Dumpling, steamed, filled with meat, poultry, or seafood"
+58115110,"TAMALE CASSEROLE, P.R. (TAMALES EN CAZUELA)","Tamale casserole, Puerto Rican style (Tamales en cazuela)"
+58115150,"TAMAL IN A LEAF, P.R. (TAMALES EN HOJA)","Tamal in a leaf, Puerto Rican style (Tamales en hoja)"
+58115210,"TACO W/ CRAB MEAT, P.R. (TACOS DE JUEYES)","Taco with crab meat, Puerto Rican style (Taco de jueye)"
+58116110,"MEAT TURNOVER, PUERTO RICAN STYLE","Meat turnover, Puerto Rican style (Pastelillo de carne; Empanadilla)"
+58116115,"EMPANADA, MEXICAN TURNOVER, W/ CHS & VEG","Empanada, Mexican turnover, filled with cheese and vegetables"
+58116120,"EMPANADA, MEXICAN TURNOVER, W/ MEAT & VEGS","Empanada, Mexican turnover, filled with meat and vegetables"
+58116130,"EMPANADA, MEXICAN TURNOVER, W/ CHIC & VEG","Empanada, Mexican turnover, filled with chicken and vegetables"
+58116210,"MEAT PIE, P.R. (PASTELON DE CARNE)","Meat pie, Puerto Rican style (Pastelon de carne)"
+58116310,"CHEESE TURNOVER, PUERTO RICAN STYLE","Cheese turnover, Puerto Rican style (Pastelillo de queso; Empanadilla)"
+58117110,"CORNMEAL FRITTER, P.R. (AREPA, P.R. AREPITAS)","Cornmeal fritter, Puerto Rican style (Arepa; P.R. arepita)"
+58117210,"CORNMEAL STICK, P.R. (SORULLOS / SORULLITOS DE MAIZ)","Cornmeal stick, Puerto Rican style (Sorullos / Sorullitos de maiz)"
+58117310,"KIBBY, P.R. (BEEF & BULGUR) (PLATO ARABE)","Kibby, Puerto Rican style (beef and bulgur) (Plato Arabe)"
+58117410,"CODFISH FRITTER, P.R. (BACALAITOS FRITOS)","Codfish fritter, Puerto Rican style (Bacalaitos fritos)"
+58117510,"HAYACAS, P.R. (HOMINY, PORK OR HAM, VEGETABLES)","Hayacas, Puerto Rican style (hominy, pork or ham, vegetables)"
+58118110,"CORNSTARCH COCONUT DESSERT, P.R. (TEMBLEQUE)","Cornstarch coconut dessert, Puerto Rican style (Tembleque)"
+58118210,"CORNMEAL COCONUT DESSERT, P.R.","Cornmeal coconut dessert, Puerto Rican style (Harina de maiz con coco)"
+58120110,"CREPES, FILLED W/ MEAT, FISH OR POULTRY, W/ SAUCE","Crepes, filled with meat, fish, or poultry, with sauce"
+58120120,"CREPE,FILLED W/ MEAT, FISH & POULTRY,NO SCE ON TOP","Crepe, filled with beef, pork, fish and/or poultry, no sauce on top"
+58121510,"DUMPLING, MEAT-FILLED (INCLUDE PIEROGI, PIROSHKI)","Dumpling, meat-filled"
+58121610,"DUMPLING, POTATO/CHEESE-FILLED (INCLUDE PIEROGI)","Dumpling, potato- or cheese-filled"
+58121620,"DUMPLING, VEGETABLE","Dumpling, vegetable"
+58122210,"GNOCCHI, CHEESE","Gnocchi, cheese"
+58122220,"GNOCCHI, POTATO","Gnocchi, potato"
+58122250,"KISHKE, STUFFED DERMA","Kishke, stuffed derma"
+58122310,"KNISH, POTATO (PASTRY FILLED WITH POTATO)","Knish, potato (pastry filled with potato)"
+58122320,"KNISH, CHEESE (PASTRY FILLED WITH CHEESE)","Knish, cheese (pastry filled with cheese)"
+58122330,"KNISH, MEAT (PASTRY FILLED WITH MEAT)","Knish, meat (pastry filled with meat)"
+58123110,"SWEET BREAD DOUGH, FILLED WITH MEAT, STEAMED","Sweet bread dough, filled with meat, steamed"
+58123120,"SWEET BREAD DOUGH, FILLED WITH BEAN PASTE, MEATLESS, STEAMED","Sweet bread dough, filled with bean paste, meatless, steamed"
+58124210,"PASTRY, CHEESE-FILLED","Pastry, cheese-filled"
+58124250,"SPANAKOPITTA (INCL GREEK SPINACH-CHEESE PIE)","Spanakopitta"
+58124500,"PASTRY,FILLED W/POTATOES & PEAS, FRIED","Pastry, filled with potatoes and peas, fried"
+58125110,"QUICHE W/ MEAT, POULTRY OR FISH","Quiche with meat, poultry or fish"
+58125120,"SPINACH QUICHE, MEATLESS","Spinach quiche, meatless"
+58125180,"CHEESE QUICHE, MEATLESS","Cheese quiche, meatless"
+58126000,"BIEROCK (TURNOVER W/ BEEF & CABBAGE)","Bierock (turnover filled with ground beef and cabbage mixture)"
+58126110,"TURNOVER, MEAT-FILLED, NO GRAVY","Turnover, meat-filled, no gravy"
+58126120,"TURNOVER, MEAT-FILLED, W/ GRAVY","Turnover, meat-filled, with gravy"
+58126130,"TURNOVER, MEAT- & CHEESE-FILLED, NO GRAVY","Turnover, meat- and cheese-filled, no gravy"
+58126140,"TURNOVER, MEAT- & BEAN-FILLED, NO GRAVY","Turnover, meat- and bean-filled, no gravy"
+58126150,"TURNOVER, MEAT & CHEESE, TOMATO SAUCE","Turnover, meat- and cheese-filled, tomato-based sauce"
+58126160,"TURNOVER, CHEESE-FILLED, TOMATO-BASED SAUCE","Turnover, cheese-filled, tomato-based sauce"
+58126170,"TURNOVER, MEAT & VEG (NO POTATO), NO GRAVY","Turnover, meat-and vegetable- filled (no potatoes, no gravy)"
+58126180,"TURNOVER,MEAT- POTATO- & VEGETABLE-FILLED NO GRAVY","Turnover, meat-, potato-, and vegetable-filled, no gravy"
+58126270,"TURNOVER,CHICKEN/TURKEY FILLED,NO GRAVY","Turnover, chicken- or turkey-, and cheese-filled, no gravy"
+58126280,"TURNOVER, CHICKEN/TURKEY- & VEG-FILLED, LOWER FAT","Turnover, chicken- or turkey-, and vegetable-filled, lower in fat"
+58126290,"TURNOVER, MEAT- & CHEESE-FILLED, LOWER FAT","Turnover, meat- and cheese-filled, lower in fat"
+58126300,"TURNOVER, MEAT- & CHEESE-FILLED, TOMATO SAUCE, LOWER FAT","Turnover, meat- and cheese-filled, tomato-based sauce, lower in fat"
+58126310,"TURNOVER, CHICKEN, W/ GRAVY","Turnover, chicken, with gravy"
+58126400,"TURNOVER, FILLED W/ EGG, MEAT & CHEESE","Turnover, filled with egg, meat and cheese"
+58126410,"TURNOVER, FILLED W/ EGG, MEAT & CHEESE, LOWER IN FAT","Turnover, filled with egg, meat, and cheese, lower in fat"
+58127110,"VEGETABLES IN PASTRY (INCL ALL VARIETIES)","Vegetables in pastry"
+58127150,"VEGETABLES & CHEESE IN PASTRY","Vegetables and cheese in pastry"
+58127200,"CROISSANT, FILLED W/ BROCCOLI & CHEESE","Croissant sandwich, filled with broccoli and cheese"
+58127210,"CROISSANT, FILLED W/ HAM & CHEESE","Croissant sandwich, filled with ham and cheese"
+58127220,"CROISSANT, FILLED W/CHICKEN,BROCCOLI & CHEESE SAUCE","Croissant sandwich, filled with chicken, broccoli, and cheese sauce"
+58127270,"CROISSANT W/ SAUSAGE & EGG","Croissant sandwich with sausage and egg"
+58127290,"CROISSANT W/ BACON & EGG","Croissant sandwich with bacon and egg"
+58127310,"CROISSANT W/ HAM, EGG, & CHEESE","Croissant sandwich with ham, egg, and cheese"
+58127330,"CROISSANT W/ SAUSAGE, EGG, & CHEESE","Croissant sandwich with sausage, egg, and cheese"
+58127350,"CROISSANT W/ BACON, EGG, & CHEESE","Croissant sandwich with bacon, egg, and cheese"
+58127500,"VEGETABLE SUBMARINE SANDWICH, W/ FAT FREE SPREAD","Vegetable submarine sandwich, with fat free spread"
+58128000,"BISCUIT W/ GRAVY","Biscuit with gravy"
+58128110,"CHICKEN CORNBREAD","Chicken cornbread"
+58128120,"CORNMEAL DRESSING W/ CHICKEN & VEGETABLES","Cornmeal dressing with chicken or turkey and vegetables"
+58128210,"DRESSING W/ OYSTERS","Dressing with oysters"
+58128220,"DRESSING W/ CHICKEN/TURKEY & VEGETABLES","Dressing with chicken or turkey and vegetables"
+58128250,"DRESSING W/ MEAT & VEGETABLES","Dressing with meat and vegetables"
+58130011,"LASAGNA WITH MEAT","Lasagna with meat"
+58130013,"LASAGNA W/ MEAT, CANNED","Lasagna with meat, canned"
+58130020,"LASAGNA, W/ MEAT & SPINACH","Lasagna with meat and spinach"
+58130140,"LASAGNA WITH CHICKEN OR TURKEY","Lasagna with chicken or turkey"
+58130150,"LASAGNA W/ CHIC OR TURKEY, & SPINACH","Lasagna, with chicken or turkey, and spinach"
+58130310,"LASAGNA, MEATLESS","Lasagna, meatless"
+58130320,"LASAGNA, MEATLESS, W/ VEGETABLES","Lasagna, meatless, with vegetables"
+58130610,"LASAGNA W/ MEAT, WHOLE WHEAT NOODLES","Lasagna with meat, whole wheat noodles"
+58130810,"LASAGNA, MEATLESS, WHOLE WHEAT NOODLES","Lasagna, meatless, whole wheat noodles"
+58130910,"LASAGNA W/ MEAT, SPINACH NOODLES","Lasagna with meat, spinach noodles"
+58130950,"LASAGNA, MEATLESS, SPINACH NOODLES","Lasagna, meatless, spinach noodles"
+58131100,"RAVIOLI, FILLING NS, NO SAUCE","Ravioli, NS as to filling, no sauce"
+58131110,"RAVIOLI, FILLING NS, TOMATO SAUCE","Ravioli, NS as to filling, with tomato sauce"
+58131120,"RAVIOLI, NS AS TO FILLING, WITH CREAM SAUCE","Ravioli, NS as to filling, with cream sauce"
+58131310,"RAVIOLI, MEAT-FILLED, NO SAUCE","Ravioli, meat-filled, no sauce"
+58131320,"RAVIOLI, MEAT-FILLED, W/ TOMATO OR MEAT SAUCE","Ravioli, meat-filled, with tomato sauce or meat sauce"
+58131323,"RAVIOLI, MEAT-FILLED, W/ TOMATO OR MEAT SAUCE, CANNED","Ravioli, meat-filled, with tomato sauce or meat sauce, canned"
+58131330,"RAVIOLI, MEAT-FILLED, WITH CREAM SAUCE","Ravioli, meat-filled, with cream sauce"
+58131510,"RAVIOLI, CHEESE-FILLED, NO SAUCE","Ravioli, cheese-filled, no sauce"
+58131520,"RAVIOLI, CHEESE-FILLED, W/ TOMATO SAUCE","Ravioli, cheese-filled, with tomato sauce"
+58131523,"RAVIOLI, CHEESE-FILLED, W/ TOMATO SAUCE, CANNED","Ravioli, cheese-filled, with tomato sauce, canned"
+58131530,"RAVIOLI, CHEESE-FILLED, W/ MEAT SAUCE","Ravioli, cheese-filled, with meat sauce"
+58131535,"RAVIOLI, CHEESE-FILLED, WITH CREAM SAUCE","Ravioli, cheese-filled, with cream sauce"
+58131590,"RAVIOLI, CHEESE AND SPINACH-FILLED, NO SAUCE","Ravioli, cheese and spinach-filled, no sauce"
+58131600,"RAVIOLI, CHEESE&SPINACH-FILLED, W/ CREAM SAUCE","Ravioli, cheese and spinach-filled, with cream sauce"
+58131610,"RAVIOLI, CHEESE AND SPINACH FILLED, WITH TOMATO SAUCE","Ravioli, cheese and spinach filled, with tomato sauce"
+58132110,"SPAGHETTI W/ TOMATO SAUCE, MEATLESS","Spaghetti with tomato sauce, meatless"
+58132113,"PASTA, W/ TOMATO SAUCE & CHEESE, CANNED","Pasta with tomato sauce and cheese, canned"
+58132310,"SPAGHETTI W/TOMAT SAUCE & MEAT SAUCE","Spaghetti with tomato sauce and meatballs or spaghetti with meat sauce or spaghetti with meat sauce and meatballs"
+58132313,"PASTA W/ TOMATO SAUCE & MEAT/MEATBALLS, CANNED","Pasta with tomato sauce and meat or meatballs, canned"
+58132340,"SPAGHETTI W/ TOMATO SAUCE & VEGETABLES","Spaghetti with tomato sauce and vegetables"
+58132350,"SPAGHETTI, WHOLE WHEAT, W/ TOMATO SAUCE, MEATLESS","Spaghetti with tomato sauce, meatless, whole wheat noodles"
+58132360,"SPAGHETTI, WHOLE WHEAT, W/ TOMATO & MEAT SAUCE","Spaghetti with tomato sauce and meatballs, whole wheat noodles or spaghetti with meat sauce, whole wheat noodles or spaghetti with meat sauce and meatballs, whole wheat noodles"
+58132450,"SPAGHETTI W/ TOM SAUCE, MEATLESS, SPINACH NOODLES","Spaghetti with tomato sauce, meatless, made with spinach noodles"
+58132460,"SPAGHETTI W/ TOMATO & MEAT SAUCE, SPINACH NOODLES","Spaghetti with tomato sauce and meatballs made with spinach noodles, or spaghetti with meat sauce made with spinach noodles, or spaghetti with meat sauce and meatballs made with spinach noodles"
+58132710,"SPAGHETTI W/ TOMATO SAUCE & FRANKFURTERS/HOT DOG","Spaghetti with tomato sauce and frankfurters or hot dogs"
+58132713,"PASTA W/ TOMATO SAUCE & FRANKFURTERS/HOT DOGS, CANNED","Pasta with tomato sauce and frankfurters or hot dogs, canned"
+58132800,"SPAGHETTI W/ CLAM SAUCE, NS AS TO RED OR WHITE","Spaghetti with clam sauce, NS as to red or white"
+58132810,"SPAGHETTI W/ RED CLAM SAUCE","Spaghetti with red clam sauce"
+58132820,"SPAGHETTI W/ WHITE CLAM SAUCE","Spaghetti with white clam sauce"
+58132910,"SPAGHETTI WITH TOMATO SAUCE AND POULTRY","Spaghetti with tomato sauce and poultry"
+58133110,"MANICOTTI, CHEESE-FILLED, NO SAUCE","Manicotti, cheese-filled, no sauce"
+58133120,"MANICOTTI, CHEESE-FILLED, W/ TOMATO SAUCE, MEATLESS","Manicotti, cheese-filled, with tomato sauce, meatless"
+58133130,"MANICOTTI, CHEESE-FILLED, W/ MEAT SAUCE","Manicotti, cheese-filled, with meat sauce"
+58133140,"MANICOTTI, VEG- & CHEESE-FILLED, W/TOM SCE,MEATLESS","Manicotti, vegetable- and cheese-filled, with tomato sauce, meatless"
+58134110,"STUFFED SHELLS, CHEESE-FILLED, NO SAUCE","Stuffed shells, cheese-filled, no sauce"
+58134120,"STUFFED SHELLS, CHEESE-FILLED, W/ TOM SC, MEATLESS","Stuffed shells, cheese-filled, with tomato sauce, meatless"
+58134130,"STUFFED SHELLS, CHEESE-FILLED, W/ MEAT SAUCE","Stuffed shells, cheese-filled, with meat sauce"
+58134160,"STUFFED SHELLS, CHEESE AND SPINACH FILLED, NO SAUCE","Stuffed shells, cheese- and spinach- filled, no sauce"
+58134210,"STUFFED SHELLS, W/ CHICKEN, W/ TOM SCE","Stuffed shells, with chicken, with tomato sauce"
+58134310,"STUFFED SHELLS, W/ FISH &/OR SHELLFISH, W/ TOM SCE","Stuffed shells, with fish and/or shellfish, with tomato sauce"
+58134610,"TORTELLINI, MEAT-FILLED, W/ TOMATO SAUCE","Tortellini, meat-filled, with tomato sauce"
+58134613,"TORTELLINI, MEAT-FILLED, W/ TOMATO SAUCE, CANNED","Tortellini, meat-filled, with tomato sauce, canned"
+58134620,"TORTELLINI, CHEESE-FILLED, MEATLESS, W/TOMATO SAUCE","Tortellini, cheese-filled, meatless, with tomato sauce"
+58134623,"TORTELLINI,CHEESE-FILLED,MEATLESS,W/TOMATO SAUCE,CANNED","Tortellini, cheese-filled, meatless, with tomato sauce, canned"
+58134630,"TORTELLINI, CHEESE, W/ VEGETABLES & DRESSING","Tortellini, cheese-filled, meatless, with vegetables and vinaigrette dressing"
+58134640,"TORTELLINI, CHEESE-FILLED, MEATLESS, W/ VINAIGRETTE","Tortellini, cheese-filled, meatless, with vinaigrette dressing"
+58134650,"TORTELLINI, MEAT-FILLED, NO SAUCE","Tortellini, meat-filled, no sauce"
+58134660,"TORTELLINI, CHEESE-FILLED, W/ CREAM SAUCE","Tortellini, cheese-filled, with cream sauce"
+58134680,"TORTELLINI, CHEESE-FILLED, NO SAUCE","Tortellini, cheese-filled, no sauce"
+58134710,"TORTELLINI, SPINACH-FILLED, W/ TOMATO SAUCE","Tortellini, spinach-filled, with tomato sauce"
+58134720,"TORTELLINI, SPINACH-FILLED, NO SAUCE","Tortellini, spinach-filled, no sauce"
+58134810,"CANNELONI, CHEESE & SPINACH-FILLED, NO SAUCE","Cannelloni, cheese- and spinach-filled, no sauce"
+58135110,"CHOW FUN NOODLES W/ MEAT & VEGETABLES","Chow fun noodles with meat and vegetables"
+58135120,"CHOW FUN NOODLES W/ VEGETABLES, MEATLESS","Chow fun noodles with vegetables, meatless"
+58136110,"LO MEIN, NFS","Lo mein, NFS"
+58136120,"LO MEIN, MEATLESS","Lo mein, meatless"
+58136130,"LO MEIN WITH SHRIMP","Lo mein, with shrimp"
+58136140,"LO MEIN W/ PORK","Lo mein, with pork"
+58136150,"LO MEIN W/ BEEF","Lo mein, with beef"
+58136160,"LO MEIN W/ CHICKEN (INCL TURKEY)","Lo mein, with chicken"
+58137210,"PAD THAI, NFS","Pad Thai, NFS"
+58137220,"PAD THAI, MEATLESS","Pad Thai, meatless"
+58137230,"PAD THAI WITH CHICKEN","Pad Thai with chicken"
+58137240,"PAD THAI WITH SEAFOOD","Pad Thai with seafood"
+58137250,"PAD THAI WITH MEAT","Pad Thai with meat"
+58140110,"SPAGHETTI W/ CORNED BEEF, P.R.","Spaghetti with corned beef, Puerto Rican style"
+58140310,"MACARONI W/ TUNA, P.R. (MACARRONES CON ATUN)","Macaroni with tuna, Puerto Rican style (Macarrones con atun)"
+58145110,"MACARONI OR NOODLES W/ CHEESE","Macaroni or noodles with cheese"
+58145112,"MACARONI OR NOODLES WITH CHEESE, MADE FROM PACKAGED MIX","Macaroni or noodles with cheese, made from packaged mix"
+58145113,"MACARONI OR NOODLES W/ CHEESE, CANNED","Macaroni or noodles with cheese, canned"
+58145117,"MACARONI OR NOODLES WITH CHEESE, EASY MAC TYPE","Macaroni or noodles with cheese, Easy Mac type"
+58145119,"MACARONI OR NOODLES WITH CHEESE, MADE FRM RED FAT PACKAGE","Macaroni or noodles with cheese, made from reduced fat packaged mix"
+58145120,"MACARONI OR NOODLES W/ CHEESE & TUNA","Macaroni or noodles with cheese and tuna"
+58145135,"MACARONI OR NOODLES WITH CHEESE AND MEAT","Macaroni or noodles with cheese and meat"
+58145136,"MACARONI OR NOODLES W/CHEESE & MEAT, FR HAMBURGER HELPER","Macaroni or noodles with cheese and meat, prepared from Hamburger Helper mix"
+58145140,"MACARONI OR NOODLES W/ CHEESE & TOMATO","Macaroni or noodles with cheese and tomato"
+58145160,"MACARONI/NOODLES W/ CHEESE & FRANKFURTER/HOT DOG","Macaroni or noodles with cheese and frankfurters or hot dogs"
+58145170,"MACARONI OR NOODLES WITH CHEESE AND EGG","Macaroni or noodles with cheese and egg"
+58145190,"MACARONI W/ CHEESE & CHICKEN","Macaroni or noodles with cheese and chicken or turkey"
+58146100,"PASTA W/ TOMATO SAUCE, MEATLESS","Pasta with tomato sauce, meatless"
+58146110,"PASTA W/ MEAT SAUCE (INCLUDE AMER CHOP SUEY)","Pasta with meat sauce"
+58146120,"PASTA W/ CHEESE & MEAT SAUCE","Pasta with cheese and meat sauce"
+58146130,"PASTA W/ CARBONARA SAUCE","Pasta with carbonara sauce"
+58146150,"PASTA W/ CHEESE & TOMATO SAUCE, MEATLESS","Pasta with cheese and tomato sauce, meatless"
+58146160,"PASTA WITH VEGETABLES, NO SAUCE OR DRESSING","Pasta with vegetables, no sauce or dressing"
+58146200,"PASTA, MEAT-FILLED, W/ GRAVY, CANNED","Pasta, meat-filled, with gravy, canned"
+58146300,"PASTA, WHOLE WHEAT, WITH MEAT SAUCE","Pasta, whole wheat, with meat sauce"
+58146310,"PASTA, WHOLE WHEAT, W/ TOMATO SAUCE, MEATLESS","Pasta, whole wheat, with tomato sauce, meatless"
+58147100,"PASTA W/ PESTO SAUCE","Pasta with pesto sauce"
+58147110,"MACARONI OR NOODLES W/ BEANS & TOMATO SAUCE","Macaroni or noodles with beans or lentils and tomato sauce"
+58147310,"MACARONI, CREAMED","Macaroni, creamed"
+58147330,"MACARONI OR NOODLES, CREAMED, WITH CHEESE","Macaroni or noodles, creamed, with cheese"
+58147340,"MACARONI OR NOODLES, CREAMED, WITH CHEESE AND TUNA","Macaroni or noodles, creamed, with cheese and tuna"
+58147350,"MACARONI, CREAMED, W/ VEGETABLES","Macaroni, creamed, with vegetables"
+58147510,"FLAVORED PASTA (INCL LIPTON BEEF, CHICKEN FLAVORS)","Flavored pasta"
+58147520,"YAT GA MEIN WITH MEAT, FISH, OR POULTRY","Yat Ga Mein with meat, fish, or poultry"
+58148110,"MACARONI OR PASTA SALAD, W/ MAYO","Macaroni or pasta salad, made with mayonnaise"
+58148111,"MACARONI OR PASTA SALAD, W/ LT MAYO","Macaroni or pasta salad, made with light mayonnaise"
+58148112,"MACARONI OR PASTA SALAD, W/ MAYO-TYPE DRSG","Macaroni or pasta salad, made with mayonnaise-type salad dressing"
+58148113,"MACARONI OR PASTA SALAD, W/LT MAYO-TYPE DRSG","Macaroni or pasta salad, made with light mayonnaise-type salad dressing"
+58148114,"MACARONI OR PASTA SALAD, W/ ITALIAN DRSG","Macaroni or pasta salad, made with Italian dressing"
+58148115,"MACARONI OR PASTA SALAD, W/LT ITALIAN DRSG","Macaroni or pasta salad, made with light Italian dressing"
+58148116,"MACARONI OR PASTA SALAD, W/ CREAMY DRSG","Macaroni or pasta salad, made with creamy dressing"
+58148117,"MACARONI OR PASTA SALAD, W/ LT CREAMY DRSG","Macaroni or pasta salad, made with light creamy dressing"
+58148118,"MACARONI OR PASTA SALAD, W/ ANY TYPE OF FAT FREE DRSG","Macaroni or pasta salad, made with any type of fat free dressing"
+58148120,"MACARONI OR PASTA SALAD WITH EGG","Macaroni or pasta salad with egg"
+58148130,"MACARONI OR PASTA SALAD WITH TUNA","Macaroni or pasta salad with tuna"
+58148140,"MACARONI OR PASTA SALAD WITH CRAB MEAT","Macaroni or pasta salad with crab meat"
+58148150,"MACARONI OR PASTA SALAD WITH SHRIMP","Macaroni or pasta salad with shrimp"
+58148160,"MACARONI OR PASTA SALAD WITH TUNA AND EGG","Macaroni or pasta salad with tuna and egg"
+58148170,"MACARONI OR PASTA SALAD WITH CHICKEN","Macaroni or pasta salad with chicken"
+58148180,"MACARONI OR PASTA SALAD WITH CHEESE","Macaroni or pasta salad with cheese"
+58148550,"MACARONI OR PASTA SALAD W/ MEAT","Macaroni or pasta salad with meat"
+58148600,"PASTA TETRAZZINI,DRY MIX,PREPARED W/ WATER","Pasta tetrazzini, dry mix, prepared with water"
+58149110,"NOODLE PUDDING (INCLUDE KUGEL)","Noodle pudding"
+58149160,"NOODLE PUDDING,W/ MILK","Noodle pudding, with milk"
+58149210,"SOMEN SALAD W/ NOODLE, LETTUCE, EGG, FISH, PORK","Somen salad with noodles, lettuce, egg, fish, and pork"
+58150100,"BIBIMBAP (KOREAN)","Bibimbap (Korean)"
+58150110,"RICE, FRIED, MEATLESS","Rice, fried, meatless"
+58150310,"RICE, FRIED, NFS","Rice, fried, NFS"
+58150320,"RICE, FRIED, W/ CHICKEN (INCL TURKEY)","Rice, fried, with chicken"
+58150330,"RICE, FRIED, W/ PORK","Rice, fried, with pork"
+58150340,"RICE, FRIED, W/ BEEF","Rice, fried, with beef"
+58150510,"RICE, FRIED, W/ SHRIMP","Rice, fried, with shrimp"
+58150520,"DUKBOKI / TTEOKBOKKI (KOREAN)","Dukboki / Tteokbokki (Korean)"
+58151100,"SUSHI, NFS","Sushi, NFS"
+58151110,"SUSHI, NO VEG, NO SEAFOOD/FISH/SHELLFISH","Sushi, no vegetables, no seafood (no fish or shellfish)"
+58151120,"SUSHI, W/ VEG, NO SEAFOOD/FISH/SHELLFISH","Sushi, with vegetables, no seafood (no fish or shellfish)"
+58151130,"SUSHI, W/ VEG & SEAFD","Sushi, with vegetables and seafood"
+58151140,"SUSHI, W/ VEGETABLES, ROLLED IN SEAWEED","Sushi, with vegetables, rolled in seaweed"
+58151150,"SUSHI, WITH SEAFOOD, NO VEGETABLES","Sushi, with seafood, no vegetables"
+58151160,"SUSHI, W/ EGG, NO VEG/SEAFD/FISH/SHLFISH, ROLL IN SEAWEED","Sushi, with egg, no vegetables, no seafood (no fish or shellfish), rolled in seaweed"
+58155110,"RICE W/ CHICKEN, P.R. (ARROZ CON POLLO)","Rice with chicken, Puerto Rican style (Arroz con Pollo)"
+58155210,"STUFFED RICE W/ CHICKEN, DOMINICAN STYLE","Stuffed rice with chicken, Dominican style (Arroz relleno Dominicano)"
+58155310,"PAELLA, VALENCIANA STYLE, W/ MEAT","Paella, Valenciana style, with meat (Paella Valenciana)"
+58155320,"SEAFOOD PAELLA, PUERTO RICAN STYLE","Seafood paella, Puerto Rican style"
+58155410,"SOUPY RICE W/ CHICKEN, P.R. (ASOPAO DE POLLO)","Soupy rice with chicken, Puerto Rican style (Asopao de pollo)"
+58155510,"SOUPY RICE MIXTURE W/ CHICKEN & POTATOES, P.R.STYLE","Soupy rice mixture with chicken and potatoes, Puerto Rican style"
+58155610,"RICE MEAL FRITTER, PUERTO RICAN (ALMOJAMBANA)","Rice meal fritter, Puerto Rican style (Almojabana)"
+58155810,"STEWED RICE, P.R. (ARROZ GUISADO)","Stewed rice, Puerto Rican style (arroz guisado)"
+58155910,"RICE W/ SQUID, P.R. (ARROZ CON CALAMARES)","Rice with squid, Puerto Rican style (arroz con calamares)"
+58156110,"FRIED RICE, P.R. (ARROZ FRITO)","Fried rice, Puerto Rican style (arroz frito)"
+58156210,"RICE W/ VIENNA SAUSAGE, P.R. (ARROZ CON SALCHICHAS)","Rice with vienna sausage, Puerto Rican style (arroz con salchichas)"
+58156310,"RICE W/ SPANISH SAUSAGE, P.R.","Rice with Spanish sausage, Puerto Rican style"
+58156410,"RICE W/ ONIONS, P.R. (ARROZ CON CEBOLLAS)","Rice with onions, Puerto Rican style (arroz con cebollas)"
+58156510,"SOUPY RICE, FROM P.R. ASOPAO DE POLLO","Soupy rice from Puerto Rican style Asopao de Pollo (chicken parts reported separately)"
+58156610,"PIGEON PEA ASOPAO (ASOPAO DE GRANDULES)","Pigeon pea asopao (Asopao de gandules)"
+58156710,"RICE W/ STEWED BEANS, P.R.","Rice with stewed beans, Puerto Rican style"
+58157110,"SPICEY RICE PUDDING, P.R.","Spicy rice pudding, Puerto Rican style"
+58157210,"RICE PUDDING MADE W/ COCONUT MILK, P.R.","Rice pudding made with coconut milk, Puerto Rican style"
+58160000,"BIRYANI WITH VEGETABLES","Biryani with vegetables"
+58160110,"RICE W/ BEANS","Rice with beans"
+58160120,"RICE W/ BEANS & TOMATOES","Rice with beans and tomatoes"
+58160130,"RICE W/ BEANS & CHICKEN","Rice with beans and chicken"
+58160135,"RICE W/ BEANS AND BEEF","Rice with beans and beef"
+58160140,"RICE W/ BEANS & PORK","Rice with beans and pork"
+58160150,"RED BEANS & RICE","Red beans and rice"
+58160160,"HOPPING JOHN (BLACKEYE PEAS & RICE)","Hopping John (blackeye peas and rice)"
+58160400,"RICE, WHITE, WITH CORN, NS AS TO FAT ADDED IN COOKING","Rice, white, with corn, NS as to fat added in cooking"
+58160410,"RICE, WHITE, WITH CORN, FAT NOT ADDED IN COOKING","Rice, white, with corn, fat not added in cooking"
+58160420,"RICE, WHITE, WITH CORN, FAT ADDED IN COOKING","Rice, white, with corn, fat added in cooking"
+58160430,"RICE, WHITE, WITH PEAS, NS AS TO FAT ADDED IN COOKING","Rice, white, with peas, NS as to fat added in cooking"
+58160440,"RICE, WHITE, WITH PEAS, FAT NOT ADDED IN COOKING","Rice, white, with peas, fat not added in cooking"
+58160450,"RICE, WHITE, WITH PEAS, FAT ADDED IN COOKING","Rice, white, with peas, fat added in cooking"
+58160460,"RICE, WHITE, WITH CARROTS, NS AS TO FAT ADDED IN COOKING","Rice, white, with carrots, NS as to fat added in cooking"
+58160470,"RICE, WHITE, WITH CARROTS, FAT NOT ADDED IN COOKING","Rice, white, with carrots, fat not added in cooking"
+58160480,"RICE, WHITE, WITH CARROTS, FAT ADDED IN COOKING","Rice, white, with carrots, fat added in cooking"
+58160490,"RICE, WHITE, W/ PEAS&CARROTS, NS AS TO FAT ADDED IN COOKING","Rice, white, with peas and carrots, NS as to fat added in cooking"
+58160500,"RICE, WHITE, WITH PEAS AND CARROTS, FAT NOT ADDED IN COOKING","Rice, white, with peas and carrots, fat not added in cooking"
+58160510,"RICE, WHITE, WITH PEAS AND CARROTS, FAT ADDED IN COOKING","Rice, white, with peas and carrots, fat added in cooking"
+58160520,"RICE, WHITE, W/TOMATOES/TOMATO BASED SAUCE, NS AS TO FAT","Rice, white, with tomatoes (and/or tomato based sauce), NS as to fat added in cooking"
+58160530,"RICE, WHITE, W/TOMATOES/ TOMATO BASED SAUCE, FAT NOT ADDED","Rice, white, with tomatoes (and/or tomato based sauce), fat not added in cooking"
+58160540,"RICE, WHITE, W/ TOMATOES/TOMATO BASED SAUCE, FAT ADDED","Rice, white, with tomatoes (and/or tomato based sauce), fat added in cooking"
+58160550,"RICE, WHITE, WITH DARK GREEN VEGETABLES, NS AS TO FAT ADDED","Rice, white, with dark green vegetables, NS as to fat added in cooking"
+58160560,"RICE, WHITE, WITH DARK GREEN VEGS, FAT NOT ADDED IN CO","Rice, white, with dark green vegetables, fat not added in cooking"
+58160570,"RICE, WHITE, WITH DARK GREEN VEGETABLES, FAT ADDED IN COOKIN","Rice, white, with dark green vegetables, fat added in cooking"
+58160580,"RICE, WHITE, W/ CARROTS, TOMATOES, +/OR TOM SC, NS AS TO FAT","Rice, white, with carrots and tomatoes (and/or tomato-based sauce), NS as to fat added in cooking"
+58160590,"RICE, WHITE, W/CARROTS, TOMATOES+/OR TOM SC, FAT NOT ADDED","Rice, white, with carrots and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58160600,"RICE, WHITE, W/ CARROTS, TOMATOES +/OR TOM SC, FAT ADDED","Rice, white, with carrots and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58160610,"RICE, WHITE, W/ DK GRN VEGS, TOMATOES +/OR TOM SC, NS FAT","Rice, white, with dark green vegetables and tomatoes (and/or tomato-based sauce), NS as to fat added in cooking"
+58160620,"RICE, WHITE, W/ DK GRN VEGS, TOMATOES +/OR TOM SC, FAT NOT","Rice, white, with dark green vegetables and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58160630,"RICE, WHITE, W/DK GRN VEGS, TOMATOES +/OR TOM SC , FAT ADDED","Rice, white, with dark green vegetables and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58160640,"RICE, WHITE, WITH CARROTS AND DARK GREEN VEGS, NS FAT","Rice, white, with carrots and dark green vegetables, NS as to fat added in cooking"
+58160650,"RICE, WHITE, WITH CARROTS AND DARK GREEN VEGS, FAT NOT ADDED","Rice, white, with carrots and dark green vegetables, fat not added in cooking"
+58160660,"RICE, WHITE, WITH CARROTS AND DARK GREEN VEGS, FAT ADDED","Rice, white, with carrots and dark green vegetables, fat added in cooking"
+58160670,"RICE, WHITE, W/ CARROTS, DARK GRN VEG&TOMATO/SC, NS FAT","Rice, white, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), NS as to fat added in cooking"
+58160680,"RICE, WHITE, W/ CARROTS, DARK GRN VEG,&TOMATOES, NO FAT","Rice, white, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58160690,"RICE, WHITE, W/ CARROTS, DARK GRN VEG, & TOMATOES, W/ FAT","Rice, white, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58160700,"RICE, WHITE, WITH OTHER VEGS, NS AS TO FAT ADDED IN COOKING","Rice, white, with other vegetables, NS as to fat added in cooking"
+58160710,"RICE, WHITE, WITH OTHER VEGS, FAT NOT ADDED IN COOKING","Rice, white, with other vegetables, fat not added in cooking"
+58160720,"RICE, WHITE, WITH OTHER VEGS, FAT ADDED IN COOKING","Rice, white, with other vegetables, fat added in cooking"
+58160800,"RICE, WHITE, WITH LENTILS, NS AS TO FAT ADDED IN COOKING","Rice, white, with lentils, NS as to fat added in cooking"
+58160805,"RICE, WHITE, WITH LENTILS, FAT ADDED IN COOKING","Rice, white, with lentils, fat added in cooking"
+58160810,"RICE, WHITE, WITH LENTILS, FAT NOT ADDED IN COOKING","Rice, white, with lentils, fat not added in cooking"
+58161200,"RICE, COOKED W/ COCONUT MILK (ARROZ CON COCO)","Rice, cooked with coconut milk (Arroz con coco)"
+58161320,"RICE, BROWN, W/ BEANS","Rice, brown, with beans"
+58161325,"RICE, BROWN, W/ BEANS AND TOMATOES","Rice, brown, with beans and tomatoes"
+58161420,"RICE, BROWN, W/ CORN, NS AS TO FAT","Rice, brown, with corn, NS as to fat added in cooking"
+58161422,"RICE, BROWN, W/ CORN, FAT NOT ADDED","Rice, brown, with corn, fat not added in cooking"
+58161424,"RICE, BROWN, W/ CORN, FAT ADDED","Rice, brown, with corn, fat added in cooking"
+58161430,"RICE, BROWN, W/ PEAS, NS AS TO FAT","Rice, brown, with peas, NS as to fat added in cooking"
+58161432,"RICE, BROWN, W/ PEAS, FAT NOT ADDED","Rice, brown, with peas, fat not added in cooking"
+58161434,"RICE, BROWN, W/ PEAS, FAT ADDED","Rice, brown, with peas, fat added in cooking"
+58161435,"RICE, BROWN, WITH CARROTS, NS AS TO FAT ADDED IN COOKING","Rice, brown, with carrots, NS as to fat added in cooking"
+58161437,"RICE, BROWN, WITH CARROTS, FAT NOT ADDED IN COOKING","Rice, brown, with carrots, fat not added in cooking"
+58161439,"RICE, BROWN, WITH CARROTS, FAT ADDED IN COOKING","Rice, brown, with carrots, fat added in cooking"
+58161440,"RICE, BROWN, W/ PEAS AND CARROTS, NS AS TO FAT","Rice, brown, with peas and carrots, NS as to fat added in cooking"
+58161442,"RICE, BROWN, W/ PEAS AND CARROTS, FAT NOT ADDED","Rice, brown, with peas and carrots, fat not added in cooking"
+58161444,"RICE, BROWN, W/ PEAS AND CARROTS, FAT ADDED","Rice, brown, with peas and carrots, fat added in cooking"
+58161460,"RICE, BROWN, WITH TOMATOES AND/OR TOMATO BASED SAUCE, NS AS","Rice, brown, with tomatoes (and/or tomato based sauce), NS as to fat added in cooking"
+58161462,"RICE, BROWN, WITH TOMATOES AND/OR TOMATO BASED SAUCE, FAT NO","Rice, brown, with tomatoes (and/or tomato based sauce), fat not added in cooking"
+58161464,"RICE, BROWN, WITH TOMATOES AND/OR TOMATO BASED SAUCE, FAT AD","Rice, brown, with tomatoes (and/or tomato based sauce), fat added in cooking"
+58161470,"RICE, BROWN, WITH DARK GREEN VEGETABLES, NS AS TO FAT ADDED","Rice, brown, with dark green vegetables, NS as to fat added in cooking"
+58161472,"RICE, BROWN, WITH DARK GREEN VEGETABLES, FAT NOT ADDED IN CO","Rice, brown, with dark green vegetables, fat not added in cooking"
+58161474,"RICE, BROWN, WITH DARK GREEN VEGETABLES, FAT ADDED IN COOKIN","Rice, brown, with dark green vegetables, fat added in cooking"
+58161480,"RICE, BROWN, WITH CARROTS &TOMATOES/SC, NS AS TO FAT ADDED","Rice, brown, with carrots and tomatoes (and/or tomato-based sauce), NS as to fat added in cooking"
+58161482,"RICE, BROWN, WITH CARROTS & TOMATOES/SC, FAT NOT ADDED IN C","Rice, brown, with carrots and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58161484,"RICE, BROWN, WITH CARROTS & TOMATOES/SC, FAT ADDED IN COOKIN","Rice, brown, with carrots and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58161490,"RICE, BROWN, W/ DK GRN VEGS, TOMATOES/SC , NS AS TO FAT","Rice, brown, with dark green vegetables and tomatoes (and/or tomato-based sauce) , NS as to fat added in cooking"
+58161492,"RICE, BROWN, W/ DK GRN VEGS, TOMATOES/SC , FAT NOT ADDED","Rice, brown, with dark green vegetables and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58161494,"RICE, BROWN, W/ DK GRN VEGS, TOMATOES/SC , FAT ADDED","Rice, brown, with dark green vegetables and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58161500,"RICE, BROWN, WITH CARROTS AND DARK GREEN VEGETABLES, NS FAT","Rice, brown, with carrots and dark green vegetables, NS as to fat added in cooking"
+58161502,"RICE, BROWN, WITH CARROTS AND DARK GREEN VEGETABLES, FAT NOT","Rice, brown, with carrots and dark green vegetables, fat not added in cooking"
+58161504,"RICE, BROWN, WITH CARROTS AND DARK GREEN VEGETABLES, FAT ADD","Rice, brown, with carrots and dark green vegetables, fat added in cooking"
+58161510,"GRAPE LEAVES STUFFED W/ RICE","Grape leaves stuffed with rice"
+58161520,"RICE, BROWN, W/CARROTS, DK GRN VEGS,TOMATOES/SC, NS FAT","Rice, brown, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), NS as to fat added in cooking"
+58161522,"RICE, BROWN, W/ CARROTS, DK GRN VEGS,TOMATOES/SC, NO FAT","Rice, brown, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), fat not added in cooking"
+58161524,"RICE, BROWN, W/CARROTS, DK GRN VEGS,TOMATOES/SC, FAT ADDED","Rice, brown, with carrots, dark green vegetables, and tomatoes (and/or tomato-based sauce), fat added in cooking"
+58161530,"RICE, BROWN, W/ OTHER VEGS, NS AS TO FAT ADDED","Rice, brown, with other vegetables, NS as to fat added in cooking"
+58161532,"RICE, BROWN, WITH OTHER VEGETABLES, FAT NOT ADDED IN COOKING","Rice, brown, with other vegetables, fat not added in cooking"
+58161534,"RICE, BROWN, WITH OTHER VEGETABLES, FAT ADDED IN COOKING","Rice, brown, with other vegetables, fat added in cooking"
+58161710,"RICE CROQUETTE","Rice croquette"
+58162090,"STUFFED PEPPER W/ MEAT","Stuffed pepper, with meat"
+58162110,"STUFFED PEPPER, W/ RICE & MEAT","Stuffed pepper, with rice and meat"
+58162120,"STUFFED PEPPER, W/ RICE, MEATLESS","Stuffed pepper, with rice, meatless"
+58162130,"STUFFED TOMATO W/ RICE & MEAT","Stuffed tomato, with rice and meat"
+58162140,"STUFFED TOMATO W/ RICE, MEATLESS","Stuffed tomato, with rice, meatless"
+58162310,"RICE PILAF","Rice pilaf"
+58163130,"DIRTY RICE","Dirty rice"
+58163310,"FLAVORED RICE MIXTURE","Flavored rice mixture"
+58163330,"FLAVORED RICE MIXTURE W/ CHEESE","Flavored rice mixture with cheese"
+58163360,"FLAVORED RICE, BROWN & WILD","Flavored rice, brown and wild"
+58163380,"FLAVORED RICE&PASTA MIXTURE (INCL RICE-A-RONI)","Flavored rice and pasta mixture"
+58163400,"FLAVORED RICE & PASTA MIXTURE, REDUCED SODIUM","Flavored rice and pasta mixture, reduced sodium"
+58163410,"SPANISH RICE, FAT ADDED IN COOKING","Spanish rice, fat added in cooking"
+58163420,"SPANISH RICE, FAT NOT ADDED IN COOKING","Spanish rice, fat not added in cooking"
+58163430,"SPANISH RICE, NS AS TO FAT ADDED IN COOKING","Spanish rice, NS as to fat added in cooking"
+58163450,"SPANISH RICE W/ GROUND BEEF","Spanish rice with ground beef"
+58163510,"RICE DRESSING (INCLUDE COMBINED W/ BREAD)","Rice dressing"
+58164110,"RICE W/ RAISINS","Rice with raisins"
+58164210,"RICE DESSERT/SALAD W/ FRUIT","Rice dessert or salad with fruit"
+58164500,"RICE, WHITE, WITH CHEESE AND/OR CREAM BASED SAUCE, NS FAT","Rice, white, with cheese and/or cream based sauce, NS as to fat added in cooking"
+58164510,"RICE, WHITE, WITH CHEESE AND/OR CREAM BASED SAUCE, FAT NOT A","Rice, white, with cheese and/or cream based sauce, fat not added in cooking"
+58164520,"RICE, WHITE, WITH CHEESE AND/OR CREAM BASED SAUCE, FAT ADDED","Rice, white, with cheese and/or cream based sauce, fat added in cooking"
+58164530,"RICE, WHITE, WITH GRAVY, NS AS TO FAT ADDED IN COOKING","Rice, white, with gravy, NS as to fat added in cooking"
+58164540,"RICE, WHITE, WITH GRAVY, FAT NOT ADDED IN COOKING","Rice, white, with gravy, fat not added in cooking"
+58164550,"RICE, WHITE, WITH GRAVY, FAT ADDED IN COOKING","Rice, white, with gravy, fat added in cooking"
+58164560,"RICE, WHITE, WITH SOY BASED SAUCE, NS AS TO FAT ADDED IN COO","Rice, white, with soy-based sauce, NS as to fat added in cooking"
+58164570,"RICE, WHITE, WITH SOY BASED SAUCE, FAT NOT ADDED IN COOKING","Rice, white, with soy-based sauce, fat not added in cooking"
+58164580,"RICE, WHITE, WITH SOY BASED SAUCE, FAT ADDED IN COOKING","Rice, white, with soy-based sauce, fat added in cooking"
+58164800,"RICE, BROWN, WITH CHEESE AND/OR CREAM BASED SAUCE, NS FAT","Rice, brown, with cheese and/or cream based sauce, NS as to fat added in cooking"
+58164810,"RICE, BROWN, WITH CHEESE AND/OR CREAM BASED SAUCE, FAT NOT A","Rice, brown, with cheese and/or cream based sauce, fat not added in cooking"
+58164820,"RICE, BROWN, WITH CHEESE AND/OR CREAM BASED SAUCE, FAT ADDED","Rice, brown, with cheese and/or cream based sauce, fat added in cooking"
+58164830,"RICE, BROWN, WITH GRAVY, NS AS TO FAT ADDED IN COOKING","Rice, brown, with gravy, NS as to fat added in cooking"
+58164840,"RICE, BROWN, WITH GRAVY, FAT NOT ADDED IN COOKING","Rice, brown, with gravy, fat not added in cooking"
+58164850,"RICE, BROWN, WITH GRAVY, FAT ADDED IN COOKING","Rice, brown, with gravy, fat added in cooking"
+58164860,"RICE, BROWN, WITH SOY BASED SAUCE, NS AS TO FAT ADDED IN COO","Rice, brown, with soy-based sauce, NS as to fat added in cooking"
+58164870,"RICE, BROWN, WITH A SOY BASED SAUCE, FAT NOT ADDED IN COOKI","Rice, brown, with soy-based sauce, fat not added in cooking"
+58164880,"RICE, BROWN, WITH SOY BASED SAUCE, FAT ADDED IN COOKING","Rice, brown, with soy-based sauce, fat added in cooking"
+58165000,"RICE, WHITE, WITH VEGS, CHEESE +/OR CREAM BASED SC, NS FAT","Rice, white, with vegetables, cheese and/or cream based sauce, NS as to fat added in cooking"
+58165010,"RICE, WHITE, WITH VEGS, CHEESE +/OR CREAM BASED SC, FAT NOT","Rice, white, with vegetables, cheese and/or cream based sauce, fat not added in cooking"
+58165020,"RICE, WHITE, WITH VEGS, CHEESE +/OR CREAM BASED SC,FAT ADDED","Rice, white, with vegetables, cheese and/or cream based sauce, fat added in cooking"
+58165030,"RICE, WHITE, WITH VEGETABLES AND GRAVY, NS AS TO FAT ADDED","Rice, white, with vegetables and gravy, NS as to fat added in cooking"
+58165040,"RICE, WHITE, WITH VEGETABLES AND GRAVY, FAT NOT ADDED","Rice, white, with vegetables and gravy, fat not added in cooking"
+58165050,"RICE, WHITE, WITH VEGETABLES AND GRAVY, FAT ADDED IN COOKING","Rice, white, with vegetables and gravy, fat added in cooking"
+58165060,"RICE, WHITE, WITH VEGETABLES, SOY-BASED SAUCE, NS AS TO FAT","Rice, white, with vegetables, soy-based sauce, NS as to fat added in cooking"
+58165070,"RICE, WHITE, WITH VEGETABLES, SOY-BASED SAUCE, FAT NOT ADDED","Rice, white, with vegetables, soy-based sauce, fat not added in cooking"
+58165080,"RICE, WHITE, WITH VEGETABLES, SOY-BASED SAUCE, FAT ADDED IN","Rice, white, with vegetables, soy-based sauce, fat added in cooking"
+58165400,"RICE, BROWN, WITH VEGS, CHEESE +/OR CREAM BASED SC, NS FAT","Rice, brown, with vegetables, cheese and/or cream based sauce, NS as to fat added in cooking"
+58165410,"RICE, BROWN, WITH VEGS, CHEESE +/OR CREAM BASED SC, FAT NOT","Rice, brown, with vegetables, cheese and/or cream based sauce, fat not added in cooking"
+58165420,"RICE, BROWN, WITH VEGS, CHEESE +/OR CREAM BASED SC,FAT ADDED","Rice, brown, with vegetables, cheese and/or cream based sauce, fat added in cooking"
+58165430,"RICE, BROWN, WITH VEGETABLES AND GRAVY, NS AS TO FAT ADDED I","Rice, brown, with vegetables and gravy, NS as to fat added in cooking"
+58165440,"RICE, BROWN, WITH VEGETABLES AND GRAVY, FAT NOT ADDED","Rice, brown, with vegetables and gravy, fat not added in cooking"
+58165450,"RICE, BROWN, WITH VEGETABLES AND GRAVY, FAT ADDED IN COOKING","Rice, brown, with vegetables and gravy, fat added in cooking"
+58165460,"RICE, BROWN, WITH VEGETABLES, SOY-BASED SAUCE, NS AS TO FAT","Rice, brown, with vegetables, soy-based sauce, NS as to fat added in cooking"
+58165470,"RICE, BROWN, WITH VEGETABLES, SOY-BASED SAUCE, FAT NOT ADDED","Rice, brown, with vegetables, soy-based sauce, fat not added in cooking"
+58165480,"RICE, BROWN, WITH VEGETABLES, SOY-BASED SAUCE, FAT ADDED","Rice, brown, with vegetables, soy-based sauce, fat added in cooking"
+58174000,"UPMA (INDIAN BREAKFAST DISH)","Upma (Indian breakfast dish)"
+58175110,"TABBOULEH (INCLUDE TABBULI)","Tabbouleh (bulgar with tomatoes and parsley)"
+58200100,"WRAP SANDWICH, W/ MEAT, POULTRY OR FISH, VEGETABLES & RICE","Wrap sandwich, filled with meat, poultry, or fish, vegetables, and rice"
+58200200,"WRAP SANDWICH, W/ VEGETABLES & RICE","Wrap sandwich, filled with vegetables and rice"
+58200250,"WRAP SANDWICH, W/ VEGETABLES","Wrap sandwich, filled with vegetables"
+58200300,"WRAP SANDWICH, W/ MEAT, POULTRY, OR FISH, VEG, RICE & CHEESE","Wrap sandwich, filled with meat, poultry, or fish, vegetables, rice, and cheese"
+58301020,"LASAGNA W/ CHEESE & SAUCE (DIET FROZEN MEAL)","Lasagna with cheese and sauce (diet frozen meal)"
+58301030,"VEAL LASAGNA (DIET FROZEN MEAL) (INCL LEAN CUISINE)","Veal lasagna (diet frozen meal)"
+58301050,"LASAGNA, W/ CHEESE & MEAT SAUCE (DIET FROZEN MEAL)","Lasagna with cheese and meat sauce (diet frozen meal)"
+58301080,"LASAGNA W/CHEESE&MEAT SAU,REDUCED FAT&NA(DIET FROZ)","Lasagna with cheese and meat sauce, reduced fat and sodium (diet frozen meal)"
+58301110,"VEGETABLE LASAGNA (FROZEN MEAL)","Vegetable lasagna (frozen meal)"
+58301150,"ZUCCHINI LASAGNA (DIET FROZEN MEAL)","Zucchini lasagna (diet frozen meal)"
+58302000,"MACARONI & CHEESE (DIET FROZEN MEAL)","Macaroni and cheese (diet frozen meal)"
+58302050,"BEEF & NOODLES W/ MEAT SCE & CHEESE (DIET FRZ MEAL)","Beef and noodles with meat sauce and cheese (diet frozen meal)"
+58302060,"SPAG W/ BEEF, TOM-BASED SAUCE, LOWFAT, RED SODIUM, FRZ, DIET","Spaghetti or noodles with beef in tomato-based sauce, lowfat, reduced sodium (diet frozen meal)"
+58302080,"NOODLES W/ VEG, TOM-BASED SAUCE, FRZ, DIET","Noodles with vegetables in tomato-based sauce (diet frozen meal)"
+58303100,"RICE W/ BROC CHEESE SCE (FRZ SIDE DISH)","Rice, with broccoli, cheese sauce (frozen side dish)"
+58303200,"RICE,GREEN BEANS,WATER CHESTNUTS IN SCE (FRZ DISH)","Rice, with green beans, water chestnuts, in sherry mushroom sauce (frozen side dish)"
+58304010,"SPAGHETTI & MEATBALLS DINNER, NFS (FROZEN MEAL)","Spaghetti and meatballs dinner, NFS (frozen meal)"
+58304020,"SPAGHETTI,MEATBALLS,TOM SCE,APPLES,BREAD(FROZ MEAL)","Spaghetti and meatballs with tomato sauce, sliced apples, bread (frozen meal)"
+58304050,"SPAGHETTI W/ MEAT & MUSHROOM SAUCE (DIET FROZ MEAL)","Spaghetti with meat and mushroom sauce (diet frozen meal)"
+58304060,"SPAGHETTI W/ MEAT SAUCE (DIET FROZEN MEAL)","Spaghetti with meat sauce (diet frozen meal)"
+58304200,"RAVIOLI, CHEESE-FILLED, TOMATO SCE (DIET FROZ MEAL)","Ravioli, cheese-filled, with tomato sauce (diet frozen meal)"
+58304220,"RIGATONI W/ MEAT SCE & CHEESE (DIET FRZ MEAL)","Rigatoni with meat sauce and cheese (diet frozen meal)"
+58304230,"RAVIOLI, CHEESE-FILLED W/ VEG & FRUIT (FZN MEAL)","Ravioli, cheese-filled, with vegetable and fruit (frozen meal)"
+58304250,"MANICOTTI W/ CHEESE, TOMATO SAUCE (DIET FROZ MEAL)","Manicotti, cheese-filled, with tomato sauce (diet frozen meal)"
+58304300,"CANNELLONI, CHEESE-FILLED, TOM SCE (DIET FROZ MEAL)","Cannelloni, cheese-filled, with tomato sauce (diet frozen meal)"
+58304400,"LINGUINI W/ VEG & SEAFOOD IN SCE (DIET FROZEN MEAL)","Linguini with vegetables and seafood in white wine sauce (diet frozen meal)"
+58305250,"PASTA,W/ VEGETABLES & CHEESE SAUCE (DIET FROZ MEAL)","Pasta with vegetable and cheese sauce (diet frozen meal)"
+58306010,"BEEF ENCHILADA DINNER, NFS (FROZEN MEAL)","Beef enchilada dinner, NFS (frozen meal)"
+58306020,"BEEF ENCHILADA, GRAVY, RICE, REFRIED BEANS (FROZEN)","Beef enchilada, chili gravy, rice, refried beans (frozen meal)"
+58306070,"CHEESE ENCHILADA (FROZEN MEAL)","Cheese enchilada (frozen meal)"
+58306100,"CHICKEN ENCHILADA ( DIET FROZEN MEAL)","Chicken enchilada (diet frozen meal)"
+58306200,"CHICKEN FAJITAS (DIET FROZEN MEAL)","Chicken fajitas (diet frozen meal)"
+58306500,"CHICKEN BURRITOS (DIET FROZEN MEAL)","Chicken burritos (diet frozen meal)"
+58310210,"SAUSAGE & FRENCH TOAST (FROZEN MEAL)","Sausage and french toast (frozen meal)"
+58310310,"PANCAKE & SAUSAGE (FROZEN MEAL)","Pancakes and sausage (frozen meal)"
+58400000,"SOUP, NFS","Soup, NFS"
+58400100,"NOODLE SOUP, NFS","Noodle soup, NFS"
+58400200,"RICE SOUP, NFS","Rice soup, NFS"
+58401010,"BARLEY SOUP, HOME RECIPE, CANNED, OR READY-TO-SERVE","Barley soup, home recipe, canned, or ready-to-serve"
+58401200,"BARLEY SOUP, SWEET, WITH OR WITHOUT NUTS, ASIAN STYLE","Barley soup, sweet, with or without nuts, Asian Style"
+58402010,"BEEF NOODLE SOUP, CANNED OR READY-TO-SERVE","Beef noodle soup, canned or ready-to-serve"
+58402020,"BEEF DUMPLING SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Beef dumpling soup, home recipe, canned or ready-to-serve"
+58402030,"BEEF RICE SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Beef rice soup, home recipe, canned or ready-to-serve"
+58402100,"BEEF NOODLE SOUP, HOME RECIPE","Beef noodle soup, home recipe"
+58403010,"CHICKEN OR TURKEY NOODLE SOUP, CANNED OR READY-TO-SERVE","Chicken or turkey noodle soup, canned or ready-to-serve"
+58403040,"CHICKEN OR TURKEY NOODLE SOUP, HOME RECIPE","Chicken or turkey noodle soup, home recipe"
+58403050,"CHICKEN OR TURKEY NOODLE SOUP, CREAM OF, HOME RECIPE, CANNED","Chicken or turkey noodle soup, cream of, home recipe, canned, or ready-to-serve"
+58403060,"CHICKEN OR TURKEY NOODLE SOUP, REDUCED SODIUM,CANNED, RTF","Chicken or turkey noodle soup, reduced sodium, canned or ready-to-serve"
+58403100,"NOODLE & POTATO SOUP, P.R.","Noodle and potato soup, Puerto Rican style"
+58404010,"CHICKEN OR TURKEY RICE SOUP, CANNED, OR READY-TO-SERVE","Chicken or turkey rice soup, canned, or ready-to-serve"
+58404030,"CHICKEN OR TURKEY RICE SOUP, HOME RECIPE","Chicken or turkey rice soup, home recipe"
+58404040,"CHICKEN OR TURKEY RICE SOUP, REDUCED SODIUM, CANNED, PREPARE","Chicken or turkey rice soup, reduced sodium, canned, prepared with water or ready-to-serve"
+58404050,"CHICKEN OR TURKEY RICE SOUP, REDUCED SODIUM, CANNED, PREPARE","Chicken or turkey rice soup, reduced sodium, canned, prepared with milk"
+58404100,"RICE AND POTATO SOUP, P.R.","Rice and potato soup, Puerto Rican style"
+58404500,"MATZO BALL SOUP","Matzo ball soup"
+58404510,"CHICKEN OR TURKEY SOUP WITH DUMPLINGS AND POTATOES,","Chicken or turkey soup with dumplings and potatoes, home recipe, canned, or ready-to-serve"
+58404520,"CHICKEN OR TURKEY SOUP WITH DUMPLINGS, HOME RECIPE, CANNED O","Chicken or turkey soup with dumplings, home recipe, canned or ready-to-serve"
+58407010,"INSTANT SOUP, NOODLE","Instant soup, noodle"
+58407030,"SOUP, MOSTLY NOODLES","Soup, mostly noodles"
+58407035,"SOUP, MOSTLY NOODLES, REDUCED SODIUM","Soup, mostly noodles, reduced sodium"
+58407050,"INSTANT SOUP, NOODLE W/ EGG, SHRIMP OR CHICKEN","Instant soup, noodle with egg, shrimp or chicken"
+58408010,"WON TON (WONTON) SOUP","Won ton (wonton) soup"
+58408500,"NOODLE SOUP WITH VEGETABLES, ASIAN STYLE","Noodle soup with vegetables, Asian style"
+58409000,"NOODLE SOUP,W/ FISH BALL,SHRIMP,&DK GREEN LEAFY VEG","Noodle soup, with fish ball, shrimp, and dark green leafy vegetable"
+58421000,"SOPA SECA (DRY SOUP), Mexican style, NFS","Sopa seca (dry soup), Mexican style, NFS"
+58421010,"SOPA SECA DE FIDEO, MEXICAN STYLE, MADE WITH DRY NOODLES, HO","Sopa Seca de Fideo, Mexican style, made with dry noodles, home recipe"
+58421020,"SOPA DE FIDEO AGUADA, MEXICAN STYLE NOODLE SOUP, HOME RECIPE","Sopa de Fideo Aguada, Mexican style noodle soup, home recipe"
+58421060,"SOPA SECA DE ARROZ (DRY RICE SOUP), MEXICAN STYLE, HOME RECI","Sopa seca de arroz (dry rice soup), Mexican style, home recipe"
+58421080,"SOPA DE TORTILLA, MEXICAN STYLE TORTILLA SOUP, HOME RECIPE","Sopa de tortilla, Mexican style tortilla soup, home recipe"
+58503000,"MACARONI, TOMATOES & BEEF, BABY, NS STR/JR","Macaroni, tomatoes, and beef, baby food, NS as to strained or junior"
+58503010,"MACARONI, TOMATOES & BEEF, BABY, STR","Macaroni, tomatoes, and beef, baby food, strained"
+58503020,"MACARONI, TOMATOES & BEEF, BABY, JR","Macaroni, tomatoes, and beef, baby food, junior"
+58503050,"MACARONI W/ BEEF & TOM SCE, BABY FOOD, TODDLER","Macaroni with beef and tomato sauce, baby food, toddler"
+58508000,"MACARONI & CHEESE, BABY, STRAINED","Macaroni and cheese, baby food, strained"
+58508300,"MACARONI & CHEESE, BABY, TODDLER","Macaroni and cheese, baby food, toddler"
+58509020,"SPAGHETTI, TOMATO SAUCE & BEEF, BABY, JUNIOR","Spaghetti, tomato sauce, and beef, baby food, junior"
+58509100,"RAVIOLI, CHEESE-FILLED, W/ TOM SAUCE, BABY, TODDLER","Ravioli, cheese-filled, with tomato sauce, baby food, toddler"
+58509200,"MACARONI W/ VEGETABLES, BABY, STRAINED","Macaroni with vegetables, baby food, strained"
+59003000,"MEAT SUBSTITUTE,CEREAL- & VEGETABLE PROTEIN-BASED","Meat substitute, cereal- and vegetable protein-based, fried"
+61100500,"CALAMONDIN, RAW","Calamondin, raw"
+61101010,"GRAPEFRUIT, RAW (INCLUDE GRAPEFRUIT, NFS)","Grapefruit, raw"
+61101200,"GRAPEFRUIT, CANNED OR FROZEN, NS AS TO ADDED SWTNER","Grapefruit, canned or frozen, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+61101220,"GRAPEFRUIT, CANNED OR FROZEN, UNSWT, WATER PACK","Grapefruit, canned or frozen, unsweetened, water pack"
+61101230,"GRAPEFRUIT, CANNED OR FROZEN, IN LIGHT SYRUP","Grapefruit, canned or frozen, in light syrup"
+61104010,"GRAPEFRUIT & ORANGE SECTIONS, RAW","Grapefruit and orange sections, raw"
+61104200,"GRAPEFRUIT & ORANGE SEC, CKD/CND/FRZ, NS SWEETENER","Grapefruit and orange sections, cooked, canned, or frozen, NS as to added sweetener"
+61104220,"GRAPEFRUIT & ORANGE SEC, CKD/CND/FRZ, UNSWEETENED","Grapefruit and orange sections, cooked, canned, or frozen, unsweetened, water pack"
+61104230,"GRAPEFRUIT & ORANGE SEC, CKD/CND/FRZ, LIGHT SYRUP","Grapefruit and orange sections, cooked, canned, or frozen, in light syrup"
+61110010,"KUMQUAT, RAW","Kumquat, raw"
+61110230,"KUMQUAT, COOKED OR CANNED, IN SYRUP","Kumquat, cooked or canned, in syrup"
+61113010,"LEMON, RAW","Lemon, raw"
+61113500,"LEMON PIE FILLING","Lemon pie filling"
+61116010,"LIME, RAW","Lime, raw"
+61119010,"ORANGE, RAW","Orange, raw"
+61119020,"ORANGE SECTIONS, CANNED, JUICE PACK","Orange, sections, canned, juice pack"
+61119100,"ORANGE PEEL","Orange peel"
+61122300,"ORANGES, MANDARIN, CANNED OR FROZEN, SWEETENER NS","Orange, mandarin, canned or frozen, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+61122320,"ORANGES, MANDARIN, CANNED OR FROZEN, JUICE PACK","Orange, mandarin, canned or frozen, juice pack"
+61122330,"ORANGES, MANDARIN, CANNED OR FROZEN, IN LIGHT SYRUP","Orange, mandarin, canned or frozen, in light syrup"
+61122350,"ORANGES, MANDARIN, CANNED OR FROZEN, DRAINED","Orange, mandarin, canned or frozen, drained"
+61125000,"TANGELO, RAW","Tangelo, raw"
+61125010,"TANGERINE, RAW (INCLUDE MANDARIN ORANGE, SATSUMA)","Tangerine, raw"
+61201010,"GRAPEFRUIT JUICE, FRESHLY SQUEEZED","Grapefruit juice, freshly squeezed"
+61201020,"GRAPEFRUIT JUICE, NS AS TO FORM","Grapefruit juice, NS as to form"
+61201220,"GRAPEFRUIT JUICE, CANNED, BOTTLED OR IN A CARTON","Grapefruit juice, canned, bottled or in a carton"
+61201620,"GRAPEFRUIT JUICE, FROZEN (RECONSTITUTED WITH WATER)","Grapefruit juice, frozen (reconstituted with water)"
+61204000,"LEMON JUICE, NS AS TO FORM","Lemon juice, NS as to form"
+61204010,"LEMON JUICE, FRESHLY SQUEEZED","Lemon juice, freshly squeezed"
+61204200,"LEMON JUICE, CANNED OR BOTTLED","Lemon juice, canned or bottled"
+61204600,"LEMON JUICE, FROZEN","Lemon juice, frozen"
+61207000,"LIME JUICE, NS AS TO FORM","Lime juice, NS as to form"
+61207010,"LIME JUICE, FRESHLY SQUEEZED","Lime juice, freshly squeezed"
+61207200,"LIME JUICE, CANNED OR BOTTLED","Lime juice, canned or bottled"
+61207600,"LIME JUICE, FROZEN","Lime juice, frozen"
+61210000,"ORANGE JUICE, NFS","Orange juice, NFS"
+61210010,"ORANGE JUICE, FRESHLY SQUEEZED","Orange juice, freshly squeezed"
+61210220,"ORANGE JUICE, CANNED, BOTTLED OR IN A CARTON","Orange juice, canned, bottled or in a carton"
+61210250,"ORANGE JUICE, W/ CALCIUM, CAN/BOTTLED/CARTON","Orange juice, with calcium added, canned, bottled or in a carton"
+61210620,"ORANGE JUICE, FROZEN (RECONSTITUTED WITH WATER)","Orange juice, frozen (reconstituted with water)"
+61210720,"ORANGE JUICE, FROZEN, NOT RECONSTITUTED","Orange juice, frozen, not reconstituted"
+61210820,"ORANGE JUICE,FROZ, W/,CALCIUM ADDED,RECON W/WATER","Orange juice, frozen, with calcium added (reconstituted with water)"
+61213000,"TANGERINE JUICE, NFS","Tangerine juice, NFS"
+61213220,"TANGERINE JUICE, CANNED","Tangerine juice, canned"
+61213620,"TANGERINE JUICE, FROZEN (RECONSTITUTED)","Tangerine juice, frozen (reconstituted with water)"
+61213800,"FRUIT JUICE BLEND, INCL CITRUS, 100% JUICE","Fruit juice blend, including citrus, 100% juice"
+61213900,"FRUIT JUICE BLEND, INCL CITRUS, 100% JUICE, W/ CALCIUM","Fruit juice blend, including citrus, 100% juice, with calcium added"
+62101000,"FRUIT, DRIED, NFS (ASSUME UNCOOKED)","Fruit, dried, NFS (assume uncooked)"
+62101050,"FRUIT MIXTURE, DRIED","Fruit mixture, dried (mixture includes three or more of the following: apples, apricots, dates, papaya, peaches, pears, pineapples, prunes, raisins)"
+62101100,"APPLE, DRIED, UNCOOKED","Apple, dried, uncooked"
+62101150,"APPLE, DRIED, UNCOOKED, LOW SODIUM","Apple, dried, uncooked, low sodium"
+62101200,"APPLE, DRIED, COOKED, NS AS TO ADDED SWEETENER","Apple, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62101220,"APPLE, DRIED, COOKED, UNSWEETENED","Apple, dried, cooked, unsweetened"
+62101230,"APPLE, DRIED, COOKED, W/ SUGAR","Apple, dried, cooked, with sugar"
+62101300,"APPLE CHIPS","Apple chips"
+62104100,"APRICOT, DRIED, UNCOOKED","Apricot, dried, uncooked"
+62104200,"APRICOT, DRIED, COOKED, NS AS TO ADDED SWEETENER","Apricot, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62104220,"APRICOT, DRIED, COOKED, UNSWEETENED","Apricot, dried, cooked, unsweetened"
+62104230,"APRICOT, DRIED, COOKED, W/ SUGAR","Apricot, dried, cooked, with sugar"
+62105000,"BLUEBERRIES, DRIED","Blueberries, dried"
+62106000,"CHERRIES, DRIED","Cherries, dried"
+62107100,"BANANA FLAKES, DEHYDRATED","Banana flakes, dehydrated"
+62107200,"BANANA CHIPS","Banana chips"
+62108100,"CURRANTS, DRIED","Currants, dried"
+62109100,"CRANBERRIES, DRIED","Cranberries, dried"
+62110100,"DATE","Date"
+62113100,"FIG, DRIED, UNCOOKED","Fig, dried, uncooked"
+62113200,"FIG, DRIED, COOKED, NS AS TO ADDED SWEETENER","Fig, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62113220,"FIG, DRIED, COOKED, UNSWEETENED","Fig, dried, cooked, unsweetened"
+62113230,"FIG, DRIED, COOKED, W/ SUGAR","Fig, dried, cooked, with sugar"
+62114000,"LYCHEE, DRIED (LYCHEE NUTS)","Lychee, dried (lychee nuts)"
+62114050,"MANGO, DRIED","Mango, dried"
+62114110,"PAPAYA, DRIED","Papaya, dried"
+62116100,"PEACH, DRIED, UNCOOKED","Peach, dried, uncooked"
+62116200,"PEACH, DRIED, COOKED, NS AS TO ADDED SWEETENER","Peach, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62116220,"PEACH, DRIED, COOKED, UNSWEETENED","Peach, dried, cooked, unsweetened"
+62116230,"PEACH, DRIED, COOKED, W/ SUGAR","Peach, dried, cooked, with sugar"
+62119100,"PEAR, DRIED, UNCOOKED","Pear, dried, uncooked"
+62119200,"PEAR, DRIED, COOKED, NS AS TO SWEETENER","Pear, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62119220,"PEAR, DRIED, COOKED, UNSWEETENED","Pear, dried, cooked, unsweetened"
+62119230,"PEAR, DRIED, COOKED, W/ SUGAR","Pear, dried, cooked, with sugar"
+62120100,"PINEAPPLE, DRIED","Pineapple, dried"
+62121100,"PLUM, ROCK SALT, DRIED","Plum, rock salt, dried"
+62122100,"PRUNE, DRIED, UNCOOKED","Prune, dried, uncooked"
+62122200,"PRUNE, DRIED, COOKED, NS AS TO ADDED SWEETENER","Prune, dried, cooked, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+62122220,"PRUNE, DRIED, COOKED, UNSWEETENED","Prune, dried, cooked, unsweetened"
+62122230,"PRUNE, DRIED, COOKED, W/ SUGAR","Prune, dried, cooked, with sugar"
+62125100,"RAISINS (INCLUDE CINNAMON-COATED RAISINS)","Raisins"
+62125110,"RAISINS, COOKED","Raisins, cooked"
+62126000,"TAMARIND PULP, DRIED, SWEETENED (""PULPITAS"")","Tamarind pulp, dried, sweetened (""Pulpitas"")"
+63100100,"FRUIT, NS AS TO TYPE","Fruit, NS as to type"
+63101000,"APPLE, RAW","Apple, raw"
+63101110,"APPLESAUCE, STEWED APPLES, NS AS TO ADDED SWEETENER","Applesauce, stewed apples, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63101120,"APPLESAUCE, STEWED APPLES, UNSWEETENED (INCL FRESH)","Applesauce, stewed apples, unsweetened"
+63101130,"APPLESAUCE, STEWED APPLES, W/ SUGAR","Applesauce, stewed apples, with sugar"
+63101140,"APPLESAUCE, STEWED APPLES, W/ LOW CALORIE SWEETENER","Applesauce, stewed apples, sweetened with low calorie sweetener"
+63101150,"APPLESAUCE / OTHER FRUITS(INCLUDE MOTT'S FRUIT PAK)","Applesauce with other fruits"
+63101210,"APPLE, COOKED OR CANNED, W/ SYRUP","Apple, cooked or canned, with syrup"
+63101310,"APPLE, BAKED, NS AS TO ADDED SWEETENER","Apple, baked, NS as to added sweetener"
+63101320,"APPLE, BAKED, UNSWEETENED","Apple, baked, unsweetened"
+63101330,"APPLE, BAKED, W/ SUGAR","Apple, baked, with sugar"
+63101410,"APPLE RINGS, FRIED","Apple rings, fried"
+63101420,"APPLE, PICKLED (INCLUDE SPICED)","Apple, pickled"
+63101500,"APPLE, FRIED","Apple, fried"
+63103010,"APRICOT, RAW","Apricot, raw"
+63103110,"APRICOT, COOKED OR CANNED, NS AS TO ADDED SWEETENER","Apricot, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63103120,"APRICOT, COOKED OR CANNED, WATER PACK, UNSWEETENED","Apricot, cooked or canned, unsweetened, water pack"
+63103130,"APRICOT, COOKED OR CANNED, IN HEAVY SYRUP","Apricot, cooked or canned, in heavy syrup"
+63103140,"APRICOT, COOKED OR CANNED, IN LIGHT SYRUP","Apricot, cooked or canned, in light syrup"
+63103150,"APRICOT, COOKED OR CANNED, DRAINED SOLIDS","Apricot, cooked or canned, drained solids"
+63103170,"APRICOT, COOKED OR CANNED, JUICE PACK","Apricot, cooked or canned, juice pack"
+63105010,"AVOCADO, RAW","Avocado, raw"
+63107010,"BANANA, RAW","Banana, raw"
+63107050,"BANANA, WHITE, RIPE (GUINEO BLANCO MADURO)","Banana, white, ripe (guineo blanco maduro)"
+63107070,"BANANA, CHINESE, RAW (INCL CAVENDISH,DWARF,FINGER)","Banana, Chinese, raw"
+63107080,"BANANA, RED, RIPE (INCLUDE GUINEO MORADO)","Banana, red, ripe (guineo morado)"
+63107090,"BANANA, RED, FRIED","Banana, red, fried"
+63107110,"BANANA, BAKED","Banana, baked"
+63107210,"BANANA, RIPE, FRIED","Banana, ripe, fried"
+63107310,"BANANA, RIPE, BOILED","Banana, ripe, boiled"
+63107410,"BANANA, BATTER-DIPPED, FRIED","Banana, batter-dipped, fried"
+63109010,"CANTALOUPE (MUSKMELON), RAW (INCLUDE MELON, NFS)","Cantaloupe (muskmelon), raw"
+63109610,"CANTALOUPE, FROZEN (BALLS)","Cantaloupe, frozen (balls)"
+63109700,"CARAMBOLA (STARFRUIT),RAW","Carambola (starfruit), raw"
+63109750,"CARAMBOLA (STARFRUIT), COOKED, W/ SUGAR","Carambola (starfruit), cooked, with sugar"
+63110010,"CASSABA MELON, RAW","Cassaba melon, raw"
+63111010,"CHERRIES, MARASCHINO","Cherries, maraschino"
+63113010,"CHERRIES, SOUR, RED, RAW","Cherries, sour, red, raw"
+63113030,"CHERRY PIE FILLING","Cherry pie filling"
+63113050,"CHERRY PIE FILLING, LOW CALORIE","Cherry pie filling, low calorie"
+63113110,"CHERRIES, SOUR, RED, COOKED, UNSWEETENED","Cherries, sour, red, cooked, unsweetened"
+63115010,"CHERRIES, SWEET, RAW (INCLUDE CHERRIES, FRESH, NFS)","Cherries, sweet, raw (Queen Anne, Bing)"
+63115110,"CHERRIES, SWEET, COOKED/CANNED,NS AS TO ADDED SWEET","Cherries, sweet, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63115120,"CHERRIES, SWEET, COOKED, UNSWEETENED, WATER PACK","Cherries, sweet, cooked, unsweetened, water pack"
+63115130,"CHERRIES, SWEET, COOKED OR CANNED, IN HEAVY SYRUP","Cherries, sweet, cooked or canned, in heavy syrup"
+63115140,"CHERRIES, SWEET, COOKED OR CANNED, IN LIGHT SYRUP","Cherries, sweet, cooked or canned, in light syrup"
+63115150,"CHERRIES, SWEET, COOKED OR CANNED, DRAINED SOLIDS","Cherries, sweet, cooked or canned, drained solids"
+63115170,"CHERRIES, SWEET, COOKED OR CANNED, JUICE PACK","Cherries, sweet, cooked or canned, juice pack"
+63115200,"CHERRIES, FROZEN","Cherries, frozen"
+63117010,"CURRANTS, RAW","Currants, raw"
+63119010,"FIG, RAW","Fig, raw"
+63119110,"FIG, COOKED OR CANNED, NS AS TO ADDED SWEETENER","Fig, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63119120,"FIG, COOKED OR CANNED, UNSWEETENED, WATER PACK","Fig, cooked or canned, unsweetened, water pack"
+63119130,"FIG, COOKED OR CANNED, IN HEAVY SYRUP","Fig, cooked or canned, in heavy syrup"
+63119140,"FIGS, COOKED OR CANNED, IN LIGHT SYRUP","Figs, cooked or canned, in light syrup"
+63123000,"GRAPES, RAW, NS AS TO TYPE","Grapes, raw, NS as to type"
+63123010,"GRAPES, EUROPEAN TYPE,ADHERENT SKIN,RAW(INCL TOKAY)","Grapes, European type, adherent skin, raw"
+63123020,"GRAPES, AMERICAN TYPE, SLIP SKIN, RAW(INCL CONCORD)","Grapes, American type, slip skin, raw"
+63123110,"GRAPES, SEEDLESS, COOKED/CANNED, NS ADDED SWEETNER","Grapes, seedless, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63123120,"GRAPES, SEEDLESS, COOKED OR CANNED, UNSWEETENED","Grapes, seedless, cooked or canned, unsweetened, water pack"
+63123130,"GRAPES, SEEDLESS, COOKED OR CANNED, IN HEAVY SYRUP","Grapes, seedless, cooked or canned, in heavy syrup"
+63125010,"GUAVA, RAW","Guava, raw"
+63125100,"GUAVA SHELL (ASSUME CANNED IN HEAVY SYRUP)","Guava shell (assume canned in heavy syrup)"
+63126010,"JUNEBERRY, RAW","Juneberry, raw"
+63126500,"KIWI FRUIT, RAW","Kiwi fruit, raw"
+63126510,"LYCHEE, RAW","Lychee, raw"
+63126600,"LYCHEE, COOKED OR CANNED, IN SUGAR OR SYRUP","Lychee, cooked or canned, in sugar or syrup"
+63127010,"HONEYDEW MELON, RAW","Honeydew melon, raw"
+63127610,"HONEYDEW MELON, FROZEN (BALLS)","Honeydew, frozen (balls)"
+63129010,"MANGO, RAW","Mango, raw"
+63129020,"MANGO, PICKLED","Mango, pickled"
+63129030,"MANGO, COOKED","Mango, cooked"
+63131010,"NECTARINE, RAW","Nectarine, raw"
+63131110,"NECTARINE, COOKED","Nectarine, cooked"
+63133010,"PAPAYA, RAW","Papaya, raw"
+63133050,"PAPAYA, GREEN, COOKED","Papaya, green, cooked"
+63133100,"PAPAYA, COOKED OR CANNED, IN SUGAR OR SYRUP","Papaya, cooked or canned, in sugar or syrup"
+63134010,"PASSION FRUIT, RAW","Passion fruit, raw"
+63135010,"PEACH, RAW","Peach, raw"
+63135110,"PEACH, COOKED OR CANNED, NS AS TO SWEETENER","Peach, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63135120,"PEACH, COOKED OR CANNED, UNSWEETENED, WATER PACK","Peach, cooked or canned, unsweetened, water pack"
+63135130,"PEACH, COOKED OR CANNED, IN HEAVY SYRUP","Peach, cooked or canned, in heavy syrup"
+63135140,"PEACH, COOKED OR CANNED, IN LIGHT OR MEDIUM SYRUP","Peach, cooked or canned, in light or medium syrup"
+63135150,"PEACH, COOKED OR CANNED, DRAINED SOLIDS","Peach, cooked or canned, drained solids"
+63135170,"PEACH, COOKED OR CANNED, JUICE PACK","Peach, cooked or canned, juice pack"
+63135610,"PEACH, FROZEN, NS AS TO ADDED SWEETENER","Peach, frozen, NS as to added sweetener"
+63135620,"PEACH, FROZEN, UNSWEETENED","Peach, frozen, unsweetened"
+63135630,"PEACH, FROZEN, W/ SUGAR","Peach, frozen, with sugar"
+63135650,"PEACH, PICKLED","Peach, pickled"
+63135660,"PEACH, SPICED","Peach, spiced"
+63137010,"PEAR, RAW","Pear, raw"
+63137050,"PEAR, JAPANESE, RAW","Pear, Japanese, raw"
+63137110,"PEAR, COOKED OR CANNED, NS AS TO ADDED SWEETENER","Pear, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63137120,"PEAR, COOKED OR CANNED, UNSWEETENED, WATER PACK","Pear, cooked or canned, unsweetened, water pack"
+63137130,"PEAR, COOKED OR CANNED, IN HEAVY SYRUP","Pear, cooked or canned, in heavy syrup"
+63137140,"PEAR, COOKED OR CANNED, IN LIGHT SYRUP","Pear, cooked or canned, in light syrup"
+63137150,"PEAR, COOKED OR CANNED, DRAINED SOLIDS","Pear, cooked or canned, drained solids"
+63137170,"PEAR, COOKED OR CANNED, JUICE PACK","Pear, cooked or canned, juice pack"
+63139010,"PERSIMMONS, RAW","Persimmon, raw"
+63141010,"PINEAPPLE, RAW","Pineapple, raw"
+63141110,"PINEAPPLE, CANNED, NS AS TO ADDED SWEETENER","Pineapple, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63141120,"PINEAPPLE, COOKED OR CANNED, UNSWEETENED, WATERPACK","Pineapple, cooked or canned, unsweetened, waterpack"
+63141130,"PINEAPPLE, COOKED OR CANNED, IN HEAVY SYRUP","Pineapple, cooked or canned, in heavy syrup"
+63141140,"PINEAPPLE, COOKED OR CANNED, IN LIGHT SYRUP","Pineapple, cooked or canned, in light syrup"
+63141150,"PINEAPPLE, COOKED OR CANNED, DRAINED SOLIDS","Pineapple, cooked or canned, drained solids"
+63141170,"PINEAPPLE, COOKED OR CANNED, JUICE PACK","Pineapple, cooked or canned, juice pack"
+63143010,"PLUM, RAW","Plum, raw"
+63143110,"PLUM, COOKED OR CANNED, NS AS TO ADDED SWEETENER","Plum, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63143120,"PLUM, COOKED OR CANNED, UNSWEETENED, WATER PACK","Plum, cooked or canned, unsweetened, water pack"
+63143130,"PLUM, COOKED OR CANNED, IN HEAVY SYRUP","Plum, cooked or canned, in heavy syrup"
+63143140,"PLUM, COOKED OR CANNED, IN LIGHT SYRUP","Plum, cooked or canned, in light syrup"
+63143150,"PLUM, COOKED OR CANNED, DRAINED SOLIDS","Plum, cooked or canned, drained solids"
+63143170,"PLUM, COOKED OR CANNED, JUICE PACK","Plum, cooked or canned, juice pack"
+63143650,"PLUM, PICKLED","Plum, pickled"
+63145010,"POMEGRANATE, RAW","Pomegranate, raw"
+63147010,"RHUBARB, RAW","Rhubarb, raw"
+63147110,"RHUBARB, COOKED OR CANNED, NS ADDED SWEETNER","Rhubarb, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63147120,"RHUBARB, COOKED OR CANNED, UNSWEETENED","Rhubarb, cooked or canned, unsweetened"
+63147130,"RHUBARB, COOKED OR CANNED, IN HEAVY SYRUP","Rhubarb, cooked or canned, in heavy syrup"
+63147140,"RHUBARB, COOKED OR CANNED, IN LIGHT SYRUP","Rhubarb, cooked or canned, in light syrup"
+63147150,"RHUBARB, COOKED OR CANNED, DRAINED SOLIDS","Rhubarb, cooked or canned, drained solids"
+63147600,"RHUBARB, FROZEN, NS AS TO ADDED SWEETENER","Rhubarb, frozen, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63147620,"RHUBARB, FROZEN, W/ SUGAR","Rhubarb, frozen, with sugar"
+63148750,"TAMARIND, RAW","Tamarind, raw"
+63149010,"WATERMELON, RAW","Watermelon, raw"
+63200100,"BERRIES, RAW, NFS","Berries, raw, NFS"
+63200200,"BERRIES, FROZEN, NFS","Berries, frozen, NFS"
+63201010,"BLACKBERRIES, RAW","Blackberries, raw"
+63201110,"BLACKBERRIES, COOKED OR CANNED, NS ADDED SWEETNER","Blackberries, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63201130,"BLACKBERRIES, COOKED OR CANNED, IN HEAVY SYRUP","Blackberries, cooked or canned, in heavy syrup"
+63201600,"BLACKBERRIES, FROZEN","Blackberries, frozen"
+63201800,"BLACKBERRIES, FROZEN, SWEETENED, NFS","Blackberries, frozen, sweetened, NS as to type of sweetener"
+63203010,"BLUEBERRIES, RAW","Blueberries, raw"
+63203110,"BLUEBERRIES, COOKED OR CANNED, NS AS TO SWEETENER","Blueberries, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63203120,"BLUEBERRIES, COOKED OR CANNED, UNSWEET, WATER PACK","Blueberries, cooked or canned, unsweetened, water pack"
+63203125,"BLUEBERRIES, COOKED OR CANNED, IN LIGHT SYRUP","Blueberries, cooked or canned, in light syrup"
+63203130,"BLUEBERRIES, COOKED OR CANNED, IN HEAVY SYRUP","Blueberries, cooked or canned, in heavy syrup"
+63203550,"BLUEBERRIES, FROZEN, SWEETENED","Blueberries, frozen, sweetened"
+63203570,"BLUEBERRIES, FROZEN, NS SWEETENED OR UNSWEETENED","Blueberries, frozen, NS as to sweetened or unsweetened"
+63203600,"BLUEBERRIES, FROZEN, UNSWEETENED","Blueberries, frozen, unsweetened"
+63203700,"BLUEBERRY PIE FILLING","Blueberry pie filling"
+63205010,"BOYSENBERRIES, RAW","Boysenberries, raw"
+63205600,"BOYSENBERRIES, FROZEN","Boysenberries, frozen"
+63207000,"CRANBERRIES, NS AS TO RAW, COOKED OR CANNED","Cranberries, NS as to raw, cooked, or canned"
+63207010,"CRANBERRIES, RAW","Cranberries, raw"
+63207110,"CRANBERRIES, COOKED OR CANNED (INCL CRANBERRY SCE)","Cranberries, cooked or canned"
+63208000,"DEWBERRIES, RAW","Dewberries, raw"
+63214000,"HUCKLEBERRIES, RAW","Huckleberries, raw"
+63215010,"LOGANBERRIES, RAW","Loganberries, raw"
+63215600,"LOGANBERRIES, FROZEN","Loganberries, frozen"
+63217010,"MULBERRIES, RAW","Mulberries, raw"
+63219000,"RASPBERRIES, RAW, NS AS TO COLOR","Raspberries, raw, NS as to color"
+63219010,"RASPBERRIES, BLACK, RAW","Raspberries, black, raw"
+63219020,"RASPBERRIES, RED, RAW","Raspberries, red, raw"
+63219110,"RASPBERRIES, COOKED OR CANNED, NS ADDED SWEETENER","Raspberries, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63219120,"RASPBERRIES, CKD OR CND, UNSWEETENED, WATER PACK","Raspberries, cooked or canned, unsweetened, water pack"
+63219130,"RASPBERRIES, COOKED OR CANNED, IN HEAVY SYRUP","Raspberries, cooked or canned, in heavy syrup"
+63219600,"RASPBERRIES, FROZEN, NS AS TO ADDED SWEETNER","Raspberries, frozen, NS as to added sweetener"
+63219610,"RASPBERRIES, FROZEN, UNSWEETENED","Raspberries, frozen, unsweetened"
+63219620,"RASPBERRIES, FROZEN, W/ SUGAR","Raspberries, frozen, with sugar"
+63223020,"STRAWBERRIES, RAW","Strawberries, raw"
+63223030,"STRAWBERRIES, RAW, W/ SUGAR","Strawberries, raw, with sugar"
+63223110,"STRAWBERRIES, COOKED OR CANNED, NS ADDED SWEETNER","Strawberries, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63223120,"STRAWBERRIES, CKD OR CND, UNSWEETENED, WATER PACK","Strawberries, cooked or canned, unsweetened, water pack"
+63223130,"STRAWBERRIES, COOKED OR CANNED, IN SYRUP","Strawberries, cooked or canned, in syrup"
+63223600,"STRAWBERRIES, FROZEN, NS AS TO ADDED SWEETNER","Strawberries, frozen, NS as to added sweetener"
+63223610,"STRAWBERRIES, FROZEN, UNSWEETENED","Strawberries, frozen, unsweetened"
+63223620,"STRAWBERRIES, FROZEN, W/ SUGAR","Strawberries, frozen, with sugar"
+63224000,"YOUNGBERRIES, RAW","Youngberries, raw"
+63301010,"AMBROSIA","Ambrosia"
+63307010,"CRANBERRY-ORANGE RELISH, UNCOOKED","Cranberry-orange relish, uncooked"
+63307100,"CRANBERRY-RASPBERRY SAUCE","Cranberry-raspberry Sauce"
+63311000,"FRUIT SALAD, FRESH OR RAW, (EXCL CITRUS), NO DRSG","Fruit salad, fresh or raw, (excluding citrus fruits), no dressing"
+63311050,"FRUIT SALAD, FRESH OR RAW, (INCL CITRUS), NO DRSG","Fruit salad, fresh or raw, (including citrus fruits), no dressing"
+63311080,"FRUIT COCKTAIL OR MIX, FROZEN","Fruit cocktail or mix, frozen"
+63311110,"FRUIT COCKTAIL, COOKED OR CANNED, NS ADDED SWEETNER","Fruit cocktail, cooked or canned, NS as to sweetened or unsweetened; sweetened, NS as to type of sweetener"
+63311120,"FRUIT COCKTAIL, CKD OR CND, UNSWEET, WATER PACK","Fruit cocktail, cooked or canned, unsweetened, water pack"
+63311130,"FRUIT COCKTAIL, COOKED OR CANNED, IN HEAVY SYRUP","Fruit cocktail, cooked or canned, in heavy syrup"
+63311140,"FRUIT COCKTAIL, COOKED OR CANNED, IN LIGHT SYRUP","Fruit cocktail, cooked or canned, in light syrup"
+63311145,"TROPICAL FRUIT COCKTAIL, COOKED OR CANNED, IN LIGHT SYRUP","Tropical fruit cocktail, cooked or canned, in light syrup"
+63311150,"FRUIT COCKTAIL, COOKED OR CANNED, DRAINED SOLIDS","Fruit cocktail, cooked or canned, drained solids"
+63311170,"FRUIT COCKTAIL, COOKED OR CANNED, JUICE PACK","Fruit cocktail, cooked or canned, juice pack"
+63320100,"FRUIT SALAD, P.R. STYLE (ENSALADA DE FRUTA)","Fruit salad, Puerto Rican style (Mixture includes bananas, papayas, oranges, etc.) (Ensalada de frutas tropicales)"
+63401010,"APPLE SALAD W/ DRESSING (INCLUDE WALDORF SALAD)","Apple salad with dressing"
+63401015,"APPLE AND GRAPE SALAD W/ YOGURT & WALNUTS","Apple and grape salad with yogurt and walnuts"
+63401060,"APPLE, CANDIED (INCLUDE CARAMEL APPLES)","Apple, candied"
+63401070,"FRUIT, CHOCOLATE COVERED","Fruit, chocolate covered"
+63401990,"BANANA, CHOCOLATE-COVERED, W/ NUTS","Banana, chocolate-covered with nuts"
+63402010,"BANANA WHIP","Banana whip"
+63402030,"PRUNE WHIP","Prune whip"
+63402045,"FRIED DWARF BANANA, PUERTO RICAN STYLE","Fried dwarf banana, Puerto Rican style"
+63402050,"FRIED DWARF BANANA W/ CHEESE, PUERTO RICAN STYLE","Fried dwarf banana with cheese, Puerto Rican style"
+63402950,"FRUIT SALAD (NO CITRUS) W/ SALAD DRESSING","Fruit salad (excluding citrus fruits) with salad dressing or mayonnaise"
+63402960,"FRUIT SALAD (EXCLUDING CITRUS FRUITS) WITH WHIPPED CREAM","Fruit salad (excluding citrus fruits) with whipped cream"
+63402970,"FRUIT SALAD (EXCLUDING CITRUS FRUITS) WITH NONDAIRY WHIPPED","Fruit salad (excluding citrus fruits) with nondairy whipped topping"
+63402980,"FRUIT SALAD (NO CITRUS) W/ MARSHMALLOWS","Fruit salad (excluding citrus fruits) with marshmallows"
+63402990,"FRUIT SALAD (W/ CITRUS) W/ PUDDING","Fruit salad (including citrus fruits) with pudding"
+63403000,"FRUIT SALAD (NO CITRUS FRUITS) W/ PUDDING","Fruit salad (excluding citrus fruits) with pudding"
+63403010,"FRUIT SALAD (INCL CITRUS FRUITS) W/ SALAD DRESSING","Fruit salad (including citrus fruits) with salad dressing or mayonnaise"
+63403020,"FRUIT SALAD (INCLUDING CITRUS FRUIT) WITH WHIPPED CREAM","Fruit salad (including citrus fruit) with whipped cream"
+63403030,"FRUIT SALAD (INCLUDING CITRUS FRUITS) WITH NONDAIRY WHIPPED","Fruit salad (including citrus fruits) with nondairy whipped topping"
+63403040,"FRUIT SALAD W/ MARSHMALLOWS","Fruit salad (including citrus fruits) with marshmallows"
+63403100,"FRUIT DESSERT W/ CREAM & OR PUDDING & NUTS","Fruit dessert with cream and/or pudding and nuts"
+63403150,"LIME SOUFFLE (INCLUDE OTHER CITRUS FRUITS)","Lime souffle"
+63409010,"GUACAMOLE","Guacamole"
+63409020,"CHUTNEY","Chutney"
+63411010,"CRANBERRY SALAD, CONGEALED","Cranberry salad, congealed"
+63413010,"PINEAPPLE SALAD W/ DRESSING","Pineapple salad with dressing"
+63415100,"SOUP, FRUIT","Soup, fruit"
+63420100,"FRUIT JUICE BAR, FROZEN, ORANGE FLAVOR","Fruit juice bar, frozen, orange flavor"
+63420110,"FRUIT JUICE BAR, FROZEN, FLAVOR OTHER THAN ORANGE","Fruit juice bar, frozen, flavor other than orange"
+63420200,"FRUIT JUICE BAR, FROZ, LOW CAL SWEETNER, NOT ORANGE","Fruit juice bar, frozen, sweetened with low calorie sweetener, flavors other than orange"
+63430100,"SORBET, FRUIT, NONCITRUS FLAVOR","Sorbet, fruit, noncitrus flavor"
+63430110,"SORBET, FRUIT, CITRUS FLAVOR","Sorbet, fruit, citrus flavor"
+63430500,"FRUIT JUICE BAR W/ CREAM, FROZEN","Fruit juice bar with cream, frozen"
+64100100,"FRUIT JUICE, NFS","Fruit juice, NFS"
+64100110,"FRUIT JUICE BLEND, 100% JUICE","Fruit juice blend, 100% juice"
+64100200,"FRUIT JUICE BLEND, WITH CRANBERRY, 100% JUICE","Fruit juice blend, with cranberry, 100% juice"
+64101010,"APPLE CIDER (INCLUDE CIDER, NFS)","Apple cider"
+64104010,"APPLE JUICE","Apple juice"
+64104600,"BLACKBERRY JUICE (INCL BOYSENBERRY JUICE)","Blackberry juice"
+64105400,"CRANBERRY JUICE, 100%, NOT A BLEND","Cranberry juice, 100%, not a blend"
+64116020,"GRAPE JUICE","Grape juice"
+64120010,"PAPAYA JUICE","Papaya juice"
+64121000,"PASSION FRUIT JUICE","Passion fruit juice"
+64124020,"PINEAPPLE JUICE","Pineapple juice"
+64126000,"POMEGRANATE JUICE","Pomegranate juice"
+64132010,"PRUNE JUICE","Prune juice"
+64132500,"STRAWBERRY JUICE","Strawberry juice"
+64133100,"WATERMELON JUICE","Watermelon juice"
+64134000,"FRUIT SMOOTHIE DRINK, W/ FRUIT OR JUICE ONLY (NO DAIRY)","Fruit smoothie drink, made with fruit or fruit juice only (no dairy products)"
+64200100,"FRUIT NECTAR, NFS","Fruit nectar, NFS"
+64201010,"APRICOT NECTAR","Apricot nectar"
+64201500,"BANANA NECTAR","Banana nectar"
+64202010,"CANTALOUPE NECTAR","Cantaloupe nectar"
+64203020,"GUAVA NECTAR","Guava nectar"
+64204010,"MANGO NECTAR","Mango nectar"
+64205010,"PEACH NECTAR","Peach nectar"
+64210010,"PAPAYA NECTAR","Papaya nectar"
+64213010,"PASSION FRUIT NECTAR","Passion fruit nectar"
+64215010,"PEAR NECTAR","Pear nectar"
+64221010,"SOURSOP (GUANABANA) NECTAR","Soursop (Guanabana) nectar"
+64401000,"VINEGAR","Vinegar"
+67100100,"FRUIT, BABY, NFS","Fruit, baby food, NFS"
+67100110,"FRUIT BAR, WITH ADDED VITAMIN C, BABY FOOD, TODDLER","Fruit bar, with added vitamin C, baby food, toddler"
+67100200,"TROPICAL FRUIT MEDLEY, BABY FOOD, STRAINED","Tropical fruit medley, baby food, strained"
+67100300,"APPLES, BABY, TODDLER","Apples, baby food, toddler"
+67101000,"APPLE-RASPBERRY, BABY, NS AS TO STRAINED OR JUNIOR","Apple-raspberry, baby food, NS as to strained or junior"
+67101010,"APPLE-RASPBERRY, BABY, STRAINED","Apple-raspberry, baby food, strained"
+67101020,"APPLE-RASPBERRY, BABY, JUNIOR","Apple-raspberry, baby food, junior"
+67102000,"APPLESAUCE, BABY, NS AS TO STRAINED OR JUNIOR","Applesauce, baby food, NS as to strained or junior"
+67102010,"APPLESAUCE, BABY, STRAINED","Applesauce, baby food, strained"
+67102020,"APPLESAUCE, BABY, JUNIOR","Applesauce, baby food, junior"
+67104000,"APPLESAUCE & APRICOTS, BABY, NS AS TO STR OR JR","Applesauce and apricots, baby food, NS as to strained or junior"
+67104010,"APPLESAUCE & APRICOTS, BABY, STRAINED","Applesauce and apricots, baby food, strained"
+67104020,"APPLESAUCE & APRICOTS, BABY, JUNIOR","Applesauce and apricots, baby food, junior"
+67104030,"APPLESAUCE W/ BANANAS, BABY, NS STRAINED/JUNIOR","Applesauce with bananas, baby food, NS as to strained or junior"
+67104040,"APPLESAUCE W/ BANANAS, BABY, STRAINED","Applesauce with bananas, baby food, strained"
+67104060,"APPLESAUCE W/ BANANAS, BABY, JUNIOR","Applesauce with bananas, baby food, junior"
+67104070,"APPLESAUCE W/ CHERRIES, BABY, STRAINED","Applesauce with cherries, baby food, strained"
+67104080,"APPLESAUCE W/ CHERRIES, BABY, JUNIOR","Applesauce with cherries, baby food, junior"
+67104090,"APPLESAUCE W/ CHERRIES, BABY, NS STRAINED/JUNIOR","Applesauce with cherries, baby food, NS as to strained or junior"
+67105030,"BANANAS,BABY FOOD,STRAINED","Bananas, baby food, strained"
+67106010,"BANANAS W/ APPLES & PEARS, BABY, STRAINED","Bananas with apples and pears, baby food, strained"
+67106050,"BANANA WITH MIXED BERRIES, BABY FOOD, STRAINED","Banana with mixed berries, baby food, strained"
+67108000,"PEACHES, BABY, NS AS TO STRAINED OR JUNIOR","Peaches, baby food, NS as to strained or junior"
+67108010,"PEACHES, BABY, STRAINED","Peaches, baby food, strained"
+67108020,"PEACHES, BABY, JUNIOR","Peaches, baby food, junior"
+67108030,"PEACHES, BABY, TODDLER","Peaches, baby food, toddler"
+67109000,"PEARS, BABY, NS AS TO STRAINED OR JUNIOR","Pears, baby food, NS as to strained or junior"
+67109010,"PEARS, BABY, STRAINED","Pears, baby food, strained"
+67109020,"PEARS, BABY, JUNIOR","Pears, baby food, junior"
+67109030,"PEARS, BABY, TODDLER","Pears, baby food, toddler"
+67110000,"PRUNES, BABY, STRAINED","Prunes, baby food, strained"
+67113000,"APPLES & PEARS, BABY, NS AS TO STRAINED OR JUNIOR","Apples and pears, baby food, NS as to strained or junior"
+67113010,"APPLES & PEARS, BABY, STRAINED","Apples and pears, baby food, strained"
+67113020,"APPLES & PEARS, BABY, JUNIOR","Apples and pears, baby food, junior"
+67114000,"PEARS & PINEAPPLE, BABY, NS AS TO STR OR JR","Pears and pineapple, baby food, NS as to strained or junior"
+67114010,"PEARS & PINEAPPLE, BABY, STRAINED","Pears and pineapple, baby food, strained"
+67114020,"PEARS & PINEAPPLE, BABY, JUNIOR","Pears and pineapple, baby food, junior"
+67202000,"APPLE JUICE, BABY","Apple juice, baby food"
+67202010,"APPLE JUICE, W/ CALCIUM, BABY","Apple juice, with added calcium, baby food"
+67203000,"APPLE W/ OTHER FRUIT JUICE, BABY","Apple with other fruit juice, baby food"
+67203200,"APPLE-BANANA JUICE, BABY","Apple-banana juice, baby food"
+67203400,"APPLE-CHERRY JUICE, BABY","Apple-cherry juice, baby food"
+67203450,"APPLE-CRANBERRY JUICE, BABY","Apple-cranberry juice, baby food"
+67203500,"APPLE-GRAPE JUICE, BABY","Apple-grape juice, baby food"
+67203600,"APPLE-PEACH JUICE, BABY","Apple-peach juice, baby food"
+67203700,"APPLE-PRUNE JUICE, BABY","Apple-prune juice, baby food"
+67203800,"GRAPE JUICE, BABY","Grape juice, baby food"
+67204000,"MIXED FRUIT JUICE, NOT CITRUS, BABY","Mixed fruit juice, not citrus, baby food"
+67204100,"MIXED FRUIT JUICE, NOT CITRUS, W/ CALCIUM, BABY","Mixed fruit juice, not citrus, with added calcium, baby food"
+67205000,"ORANGE JUICE, BABY","Orange juice, baby food"
+67211000,"ORANGE-APPLE-BANANA JUICE, BABY","Orange-apple-banana juice, baby food"
+67212000,"PEAR JUICE, BABY FOOD","Pear juice, baby food"
+67230000,"APPLE-SWEET POTATO-JUICE,BABY FOOD","Apple-sweet potato juice, baby food"
+67230500,"ORANGE-CARROT JUICE, BABY FOOD","Orange-carrot juice, baby food"
+67250100,"BANANA JUICE W/ LOWFAT YOGURT, BABY FOOD","Banana juice with lowfat yogurt, baby food"
+67250150,"MIXED FRUIT JUICE W/ LOWFAT YOGURT, BABY FOOD","Mixed fruit juice with lowfat yogurt, baby food"
+67260000,"FRUIT JUICE DRINK, BABY, W/ HI VIT C + CA, B VITS","Fruit juice drink, baby, with high vitamin C plus added calcium and B vitamins"
+67304000,"PLUMS, BABY, NS AS TO STRAINED OR JUNIOR","Plums, baby food, NS as to strained or junior"
+67304010,"PLUMS, BABY, STRAINED","Plums, baby food, strained"
+67304020,"PLUMS, BABY, JUNIOR","Plums, baby food, junior"
+67304030,"PLUMS, BANANAS & RICE, BABY, STRAINED","Plums, bananas, and rice, baby food strained"
+67304500,"PRUNES W/ OATMEAL, BABY, STRAINED","Prunes with oatmeal, baby food, strained"
+67307000,"APRICOTS, BABY, NS AS TO STR OR JR","Apricots, baby food, NS as to strained or junior"
+67307010,"APRICOTS, BABY, STRAINED","Apricots, baby food, strained"
+67307020,"APRICOTS, BABY, JUNIOR","Apricots, baby food, junior"
+67308000,"BANANAS, BABY, NS AS TO STR OR JR","Bananas, baby food, NS as to strained or junior"
+67308020,"BANANAS, BABY, JUNIOR","Bananas, baby food, junior"
+67309000,"BANANAS & PINEAPPLE, BABY,NS AS TO STR/JR","Bananas and pineapple, baby food, NS as to strained or junior"
+67309010,"BANANAS & PINEAPPLE, BABY, STRAINED","Bananas and pineapple, baby food, strained"
+67309020,"BANANAS & PINEAPPLE, BABY, JUNIOR","Bananas and pineapple, baby food, junior"
+67309030,"BANANAS AND STRAWBERRY, BABY FOOD, JUNIOR","Bananas and strawberry, baby food, junior"
+67404000,"FRUIT DESSERT, BABY, NS AS TO STR OR JR","Fruit dessert, baby food, NS as to strained or junior"
+67404010,"FRUIT DESSERT, BABY, STRAINED","Fruit dessert, baby food, strained"
+67404020,"FRUIT DESSERT, BABY, JUNIOR","Fruit dessert, baby food, junior"
+67404050,"FRUIT SUPREME DESSERT, BABY, ALL FLAVORS","Fruit Supreme dessert, baby food"
+67404070,"APPLE YOGURT DESSERT, BABY, STRAINED","Apple yogurt dessert, baby food, strained"
+67404110,"BANANA APPLE DESSERT, BABY FOOD, STRAINED","Banana apple dessert, baby food, strained"
+67404300,"BLUEBERRY YOGURT DESSERT, BABY, STRAINED","Blueberry yogurt dessert, baby food, strained"
+67404500,"MIXED FRUIT YOGURT DESSERT, BABY, STRAINED","Mixed fruit yogurt dessert, baby food, strained"
+67404550,"CHERRY COBBLER, BABY, JUNIOR","Cherry cobbler, baby food, junior"
+67405000,"PEACH COBBLER, BABY, NS AS TO STRAINED OR JUNIOR","Peach cobbler, baby food, NS as to strained or junior"
+67405010,"PEACH COBBLER, BABY, STRAINED","Peach cobbler, baby food, strained"
+67405020,"PEACH COBBLER, BABY, JUNIOR","Peach cobbler, baby food, junior"
+67408010,"BANANA PUDDING, BABY, STRAINED","Banana pudding, baby food, strained"
+67408500,"BANANA YOGURT DESSERT, BABY, STRAINED","Banana yogurt dessert, baby food, strained"
+67410000,"CHERRY VANILLA PUDDING, BABY","Cherry vanilla pudding, baby food, strained"
+67412000,"DUTCH APPLE DESSERT, BABY, NS AS TO STR OR JR","Dutch apple dessert, baby food, NS as to strained or junior"
+67412010,"DUTCH APPLE DESSERT, BABY, STRAINED","Dutch apple dessert, baby food, strained"
+67412020,"DUTCH APPLE DESSERT, BABY, JUNIOR","Dutch apple dessert, baby food, junior"
+67413700,"PEACH YOGURT DESSERT, BABY, STRAINED","Peach yogurt dessert, baby food, strained"
+67414010,"PINEAPPLE DESSERT, BABY, STRAINED","Pineapple dessert, baby food, strained"
+67414100,"MANGO DESSERT, BABY","Mango dessert, baby food"
+67415000,"TUTTI-FRUITTI PUDDING, BABY, NS AS TO STR OR JR","Tutti-fruitti pudding, baby food, NS as to strained or junior"
+67415010,"TUTTI-FRUTTI PUDDING, BABY, STRAINED","Tutti-fruitti pudding, baby food, strained"
+67415020,"TUTTI-FRUITTI PUDDING, BABY, JUNIOR","Tutti-fruitti pudding, baby food, junior"
+67430000,"FRUIT FLAVORED SNACK, BABY FOOD","Fruit flavored snack, baby food"
+67430500,"YOGURT AND FRUIT SNACK, BABY FOOD","Yogurt and fruit snack, baby food"
+67501000,"APPLES & CHICKEN, BABY FOOD, STRAINED","Apples and chicken, baby food, strained"
+67501100,"APPLES W/ HAM, BABY, STRAINED","Apples with ham, baby food, strained"
+67600100,"APPLES & SWEET POTATOES, BABY, STRAINED","Apples and sweet potatoes, baby food, strained"
+71000100,"WHITE POTATO, NFS","White potato, NFS"
+71001000,"WHITE POTATO, RAW, W/ OR W/O PEEL","White potato, raw, with or without peel (assume peel not eaten)"
+71050000,"WHITE POTATO, DRY, POWDERED, NOT RECONSTITUTED","White potato, dry, powdered, not reconstituted"
+71101000,"WHITE POTATO, BAKED, PEEL NOT EATEN","White potato, baked, peel not eaten"
+71101100,"WHITE POT,BAKED,PEEL EATEN,NS TO FAT ADDED IN COOK","White potato, baked, peel eaten, NS as to fat added in cooking"
+71101110,"WHITE POT,BAKED,PEEL EATEN,FAT NOT ADDED IN COOKING","White potato, baked, peel eaten, fat not added in cooking"
+71101120,"WHITE POT, BAKED,PEEL EATEN, FAT ADDED IN COOKING","White potato, baked, peel eaten, fat added in cooking"
+71101150,"WHITE POTATO SKINS, W/ ADHERING FLESH, BAKED","White potato skins, with adhering flesh, baked"
+71103000,"WHITE POTATO, BOILED, W/O PEEL, NS AS TO FAT","White potato, boiled, without peel, NS as to fat added in cooking"
+71103010,"WHITE POTATO, BOILED, W/O PEEL, FAT NOT ADDED","White potato, boiled, without peel, fat not added in cooking"
+71103020,"WHITE POTATO, BOILED, W/O PEEL, FAT ADDED","White potato, boiled, without peel, fat added in cooking"
+71103100,"WHITE POTATO, BOILED W/ PEEL, PEEL NOT EATEN, NS AS TO FAT","White potato, boiled with peel, peel not eaten, NS as to fat added in cooking"
+71103110,"WHITE POTATO, BOILED W/PEEL, PEEL NOT EATEN, FAT NOT ADDED","White potato, boiled with peel, peel not eaten, fat not added in cooking"
+71103120,"WHITE POTATO, BOILED W/ PEEL, PEEL NOT EATEN, FAT ADDED","White potato, boiled with peel, peel not eaten, fat added in cooking"
+71103200,"WHITE POTATO, CANNED, LOW SODIUM,NS AS TO ADDED FAT","White potato, boiled, without peel, canned, low sodium, NS as to fat added in cooking"
+71103210,"WHITE POTATO, CANNED, LOW SODIUM, NO FAT ADDED","White potato, boiled, without peel, canned, low sodium, fat not added in cooking"
+71103220,"WHITE POTATO, CANNED, LOW SODIUM, FAT ADDED","White potato, boiled, without peel, canned, low sodium, fat added in cooking"
+71104000,"WHITE POTATO, ROASTED, NS FAT ADDED","White potato, roasted, NS as to fat added in cooking"
+71104010,"WHITE POTATO, ROASTED, FAT NOT ADDED","White potato, roasted, fat not added in cooking"
+71104020,"WHITE POTATO, ROASTED, FAT ADDED","White potato, roasted, fat added in cooking"
+71106000,"STEWED POTATOES, P.R. (PAPAS GUISADAS)","Stewed potatoes, Puerto Rican style (Papas guisadas)"
+71106010,"POTATO ONLY FROM P.R. MIXED DISHES","Potato only from Puerto Rican mixed dishes, gravy and other components reported separately"
+71106020,"POTATO FROM PUERTO RICAN STYLE,POT ROAST, W/ GRAVY","Potato from Puerto Rican style stuffed pot roast, with gravy"
+71106050,"POTATO FROM PUERTO RICAN BEEF STEW, W/ GRAVY","Potato from Puerto Rican beef stew, with gravy"
+71106070,"POTATO FROM PUERTO RICAN CHICKEN FRICASSEE, W/ SCE","Potato from Puerto Rican chicken fricassee, with sauce"
+71201015,"WHITE POTATO CHIPS, REGULAR CUT","White potato chips, regular cut"
+71201020,"WHITE POTATO CHIPS, RUFFLED/RIPPLED/CRINKLE CUT","White potato chips, ruffled, rippled, or crinkle cut"
+71201050,"WHITE POTATO, CHIPS, REDUCED FAT","White potato, chips, reduced fat"
+71201080,"WHITE POTATO, CHIPS, FAT FREE","White potato, chips, fat free"
+71201090,"WHITE POTATO, CHIPS, FAT FREE, W/ OLEAN","White potato, chips, fat free, made with Olean"
+71201100,"WHITE POTATO, CHIPS, RESTRUCTURED","White potato, chips, restructured"
+71201200,"WHITE POTATO, CHIPS, RESTRUCTURED, RED FAT/SODIUM","White potato, chips, restructured, reduced fat and reduced sodium"
+71201210,"WHITE POTATO, CHIPS, RESTRUCTURED, FAT FREE, W/ OLEAN","White potato, chips, restructured, fat free, made with Olean"
+71201250,"WHITE POTATO, CHIPS, RESTRUCTURED, BAKED","White potato, chips, restructured, baked"
+71201300,"POTATO-BASED SNACKS, REDUCED FAT, LOW SODIUM","Potato based snacks, reduced fat, low sodium, all flavors"
+71202000,"WHITE POTATO, CHIPS, UNSALTED","White potato, chips, unsalted"
+71202100,"WHITE POTATO, CHIPS, UNSALTED, REDUCED FAT","White potato, chips, unsalted, reduced fat"
+71202500,"WHITE POTATO CHIPS, LIGHTLY SALTED","White potato chips, lightly salted"
+71204000,"POTATO PUFFS, CHEESE-FILLED","Potato puffs, cheese-filled"
+71205000,"WHITE POTATO, STICKS","White potato, sticks"
+71211000,"WHITE POTATO SKINS, CHIPS","White potato skins, chips"
+71220000,"VEGETABLE CHIPS","Vegetable chips"
+71301000,"WHITE POTATO, COOKED, W/ SAUCE, NS AS TO SAUCE","White potato, cooked, with sauce, NS as to sauce"
+71301020,"WHITE POTATO, COOKED, WITH CHEESE","White potato, cooked, with cheese"
+71301120,"WHITE POTATO, COOKED, WITH HAM AND CHEESE","White potato, cooked, with ham and cheese"
+71305010,"WHITE POTATO, SCALLOPED","White potato, scalloped"
+71305110,"WHITE POTATO, SCALLOPED, W/ HAM","White potato, scalloped, with ham"
+71401000,"WHITE POTATO, FRENCH FRIES, NS AS TO FROM FRESH/FRZ","White potato, french fries, NS as to from fresh or frozen"
+71401010,"WHITE POTATO, FRENCH FRIES, FROM FRESH, DEEP-FRIED","White potato, french fries, from fresh, deep fried"
+71401015,"WHITE POTATO, FRENCH FRIES, FROM FRESH, OVEN BAKED","White potato, french fries, from fresh, oven baked"
+71401020,"WHITE POTATO, FRENCH FRIES, FROM FROZEN, OVEN-BAKED","White potato, french fries, from frozen, oven baked"
+71401030,"WHITE POTATO, FRENCH FRIES, FRM FRZ, DEEP FRD, FF/REST","White potato, french fries, from frozen, deep fried, from fast food / restaurant"
+71401035,"WHITE POTATO, FRENCH FRIES, FR FRZN, NS AS TO FRIED OR BKD","White potato, french fries, from frozen, NS as to deep fried or oven baked"
+71402500,"WHITE POTATO, FRENCH FRIES, W/ CHEESE","White potato, french fries, with cheese"
+71402505,"WHITE POTATO, FRENCH FRIES, W/ CHEESE AND BACON","White potato, french fries, with cheese and bacon"
+71402510,"WHITE POTATO, FRENCH FRIES, W/ CHILI & CHEESE","White potato, french fries, with chili and cheese"
+71402520,"WHITE POTATO, FRENCH FRIES, W/ CHILI CON CARNE","White potato, french fries, with chili con carne"
+71403000,"WHITE POTATO, HOME FRIES","White potato, home fries"
+71403500,"WHITE POTATO, HOME FRIES, W/ GREEN/RED PEPPERS & ONIONS","White potato, home fries, with green or red peppers and onions"
+71405000,"WHITE POTATO, HASH BROWN","White potato, hash brown, NS as to from fresh, frozen, or dry mix"
+71405010,"WHITE POTATO, HASH BROWN, FROM FRESH","White potato, hash brown, from fresh"
+71405020,"WHITE POTATO, HASH BROWN, FROM FROZEN","White potato, hash brown, from frozen"
+71405030,"WHITE POTATO, HASH BROWN, FROM DRY MIX","White potato, hash brown, from dry mix"
+71405100,"WHITE POTATO, HASH BROWN W/ CHEESE","White potato, hash brown, with cheese"
+71410000,"WHITE POTATO SKINS, W/ ADHERING FLESH, FRIED","White potato skins, with adhering flesh, fried"
+71410500,"WHITE POTATO SKINS W/ FLESH, FRIED, W/ CHEESE","White potato skins, with adhering flesh, fried, with cheese"
+71411000,"POTATO SKINS W/ ADHERING FLESH, W/ CHEESE & BACON","White potato skins, with adhering flesh, fried, with cheese and bacon"
+71501000,"WHITE POTATO, MASHED, NFS","White potato, mashed, NFS"
+71501010,"WHITE POTATO, FRESH, MASHED, MADE W/ MILK","White potato, from fresh, mashed, made with milk"
+71501015,"WHITE POTATO, FRESH, MASHED, MADE W/ MILK,/ SOUR CRM/CHEZ","White potato, from fresh, mashed, made with milk, and sour cream and/or cream cheese"
+71501020,"WHITE POTATO, FRESH, MASHED, MADE W/ MILK & FAT","White potato, from fresh, mashed, made with milk and fat"
+71501025,"WHITE POTATO, FRESH, MASHED, MADE W/ MILK/SOUR CRM/CHEZ &FAT","White potato, from fresh, mashed, made with milk, and sour cream and/or cream cheese and fat"
+71501030,"WHITE POTATO, FRESH, MASHED, MADE W/ FAT","White potato, from fresh, mashed, made with fat"
+71501040,"WHITE POTATO, DRY, MASHED, MADE W/ MILK & FAT","White potato, from dry, mashed, made with milk and fat"
+71501050,"WHITE POTATO, FRESH, MASHED, MADE W/ MILK, FAT & CHEESE","White potato, from fresh, mashed, made with milk, fat and cheese"
+71501055,"WHITE POTATO, FRESH, MASHED, MADE W/ SOUR CRM/CHEZ & FAT","White potato, from fresh, mashed, made with sour cream and/or cream cheese and fat"
+71501060,"WHITE POTATO, DRY, MASHED, MADE W/ MILK, FAT & EGG","White potato, from dry, mashed, made with milk, fat and egg"
+71501070,"WHITE POTATO, DRY, MASHED, MADE W/ MILK, FAT, EGG & CHEESE","White potato, from dry, mashed, made with milk, fat, egg and cheese"
+71501080,"WHITE POTATO, FRESH, MASHED, NOT MADE W/ MILK OR FAT","White potato, from fresh, mashed, not made with milk or fat"
+71501090,"WHITE POTATO, DRY, MASHED, MADE W/ MILK, NO FAT","White potato, from dry, mashed, made with milk, no fat"
+71501200,"WHITE POTATO, COMPLETE DRY MIX, MASHED, MADE W/ WATER","White potato, from complete dry mix, mashed, made with water"
+71501300,"WHITE POTATO, DRY, MASHED, NS AS TO MILK OR FAT","White potato, from dry, mashed, NS as to milk or fat"
+71501310,"WHITE POTATO, FRESH, MASHED, NS AS TO MILK OR FAT","White potato, from fresh, mashed, NS as to milk or fat"
+71503010,"WHITE POTATO, PATTY (INCLUDE POTATO CROQUETTES)","White potato, patty"
+71505000,"WHITE POTATO, PUFFS","White potato, puffs"
+71507000,"WHITE POTATO, BAKED, STUFFED, PEEL NOT EATEN, NS TOPPING","White potato, stuffed, baked, peel not eaten, NS as to topping"
+71507005,"WHITE POTATO,BAKED,STUFF W/ BUTTER/MARG, NO PEEL","White potato, stuffed, baked, peel not eaten, stuffed with butter or margarine"
+71507010,"WHITE POTATO, BAKED, STUFFED W/SOUR CREAM, NO PEEL","White potato, stuffed, baked, peel not eaten, stuffed with sour cream"
+71507020,"WHITE POT,BAKED, STUFFED W/ CHEESE, PEEL NOT EATEN","White potato, stuffed, baked, peel not eaten, stuffed with cheese"
+71507030,"WHITE POT, BAKED, STUFFED W/ CHILI, PEEL NOT EATEN","White potato, stuffed, baked, peel not eaten, stuffed with chili"
+71507040,"WHITE POT, BAKED, STUFFED W/BROC&CHEESE SCE,NO PEEL","White potato, stuffed, baked, peel not eaten, stuffed with broccoli and cheese sauce"
+71507050,"WHITE POT, BAKED, STUFFD W/ MEAT IN CRM SC, NO PEEL","White potato, stuffed, baked, peel not eaten, stuffed with meat in cream sauce"
+71507100,"WHITE POT,BAKD,STUF W/CHIC,BROC,CHEESE,PEEL NOT EAT","White potato, stuffed, baked, peel not eaten, stuffed with chicken, broccoli and cheese sauce"
+71508000,"WHITE POTATO, BAKED, STUFFED, PEEL EATEN","White potato, stuffed, baked, peel eaten, NS as to topping"
+71508005,"WHITE POTATO,BAKED,STUFF W/ BUTTER/MARG, PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with butter or margarine"
+71508010,"WHITE POTATO, BAKED, STUFFED W/SOUR CRM, PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with sour cream"
+71508020,"WHITE POTATO, BAKED, STUFFED W/ CHEESE, PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with cheese"
+71508030,"WHITE POTATO, BAKED, STUFFED W/ CHILI, PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with chili"
+71508040,"WHITE POT, BKD, STUFD W/BROC&CHEESE SCE,PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with broccoli and cheese sauce"
+71508050,"WHITE POT,BAKED, STUFFED W/MEAT&CRM SCE,PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with meat in cream sauce"
+71508060,"WHITE POT, BAKED, STUFD W/ BACON&CHEESE, PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with bacon and cheese"
+71508070,"WHITE POT,STUFF,BAKED,NO PEEL,W/ BACON & CHEESE","White potato, stuffed, baked, peel not eaten, stuffed with bacon and cheese"
+71508100,"WHITE POT,BAKED,STUFF W/CHIC,BROC,CHEESE,PEEL EATEN","White potato, stuffed, baked, peel eaten, stuffed with chicken, broccoli and cheese sauce"
+71508120,"WHITE POT,STUFF W/HAM,BROC,&CHEESE SAUCE,BKD,W/PEEL","White potato, stuffed with ham, broccoli and cheese sauce, baked, peel eaten"
+71601010,"POTATO SALAD WITH EGG, W/ MAYO","Potato salad with egg, made with mayonnaise"
+71601015,"POTATO SALAD W/ EGG, MADE W/ LT MAYO","Potato salad with egg, made with light mayonnaise"
+71601020,"POTATO SALAD W/ EGG, MADE W/ MAYO-TYPE DRSG","Potato salad with egg, made with mayonnaise-type salad dressing"
+71601025,"POTATO SALAD W/ EGG, MADE W/ LT MAYO-TYPE DRSG","Potato salad with egg, made with light mayonnaise-type salad dressing"
+71601030,"POTATO SALAD W/ EGG, MADE W/ CREAMY DRSG","Potato salad with egg, made with creamy dressing"
+71601035,"POTATO SALAD W/EGG, MADE W/ LT CREAMY DRSG","Potato salad with egg, made with light creamy dressing"
+71601040,"POTATO SALAD W/ EGG, MADE W/ ITALIAN DRSG","Potato salad with egg, made with Italian dressing"
+71601045,"POTATO SALAD W/ EGG, MADE W/ LT ITALIAN DRSG","Potato salad with egg, made with light Italian dressing"
+71601050,"POTATO SALAD W/ EGG, MADE W/ ANY TYPE OF FAT FREE DRSG","Potato salad with egg, made with any type of fat free dressing"
+71602010,"POTATO SALAD, GERMAN","Potato salad, German style"
+71603010,"POTATO SALAD, MADE WITH MAYONNAISE","Potato salad, made with mayonnaise"
+71603015,"POTATO SALAD, W/ LT MAYO","Potato salad, made with light mayonnaise"
+71603020,"POTATO SALAD, W/ MAYO-TYPE DRSG","Potato salad, made with mayonnaise-type salad dressing"
+71603025,"POTATO SALAD, W/ LT MAYO-TYPE DRSG","Potato salad, made with light mayonnaise-type salad dressing"
+71603030,"POTATO SALAD, W/ CREAMY DRSG","Potato salad, made with creamy dressing"
+71603035,"POTATO SALAD, W/ LT CREAMY DRSG","Potato salad, made with light creamy dressing"
+71603040,"POTATO SALAD, W/ ITALIAN DRESSING","Potato salad, made with Italian dressing"
+71603045,"POTATO SALAD, W/ LT ITALIAN DRSG","Potato salad, made with light Italian dressing"
+71603050,"POTATO SALAD, W/ ANY TYPE OF FAT FREE DRSG","Potato salad, made with any type of fat free dressing"
+71701000,"POTATO PANCAKE","Potato pancake"
+71701500,"NORWEGIAN LEFSE, POTATO & FLOUR PANCAKE","Norwegian Lefse, potato and flour pancake"
+71702000,"POTATO PUDDING","Potato pudding"
+71703000,"STEWED POTATOES, MEXICAN (PAPAS GUISADAS)","Stewed potatoes, Mexican style (Papas guisadas)"
+71703040,"STEWED POT W/TOM,MEXICAN(PAPAS GUISADAS CON TOMATE)","Stewed potatoes with tomatoes, Mexican style (Papas guisadas con tomate)"
+71704000,"STEWED POTATOES WITH TOMATOES","Stewed potatoes with tomatoes"
+71801000,"POTATO SOUP, NS AS TO MADE W/MILK OR WATER","Potato soup, NS as to made with milk or water"
+71801010,"POTATO SOUP, CREAM OF, W/ MILK","Potato soup, cream of, prepared with milk"
+71801020,"POTATO SOUP, PREPARED W/ WATER","Potato soup, prepared with water"
+71801100,"POTATO & CHEESE SOUP","Potato and cheese soup"
+71803010,"POTATO CHOWDER (INCL CORN CHOWDER)","Potato chowder"
+71851010,"PLANTAIN SOUP, P.R. (SOPA DE PLATANO)","Plantain soup, Puerto Rican style (Sopa de platano)"
+71900100,"PLANTAIN, BOILED, NS AS TO GREEN OR RIPE","Plantain, boiled, NS as to green or ripe"
+71900200,"PLANTAIN, FRIED, NS TO GREEN OR RIPE","Plantain, fried, NS as to green or ripe"
+71901010,"GREEN PLANTAIN, BOILED OR BAKED","Green plantains, boiled"
+71901110,"FRIED GREEN PLANTAIN, P.R.","Fried green plantain, Puerto Rican style"
+71905000,"RIPE PLANTAIN, RAW","Ripe plantain, raw"
+71905010,"RIPE PLANTAIN, BOILED (INCL BAKED RIPE PLANTAIN)","Ripe plantain, boiled"
+71905110,"FRIED RIPE PLANTAIN, P.R. (PLATANO MADURO FRITO)","Fried ripe plantain, Puerto Rican style (Platano maduro frito)"
+71905120,"PLANTAIN, RIPE, ROLLED IN FLOUR, FRIED","Plantain, ripe, rolled in flour, fried"
+71905210,"CANDIED RIPE PLANTAIN, P.R. (PLATANO EN ALMIBAR)","Candied ripe plantain, Puerto Rican style (Platano en almibar)"
+71905410,"PLANTAIN CHIPS","Plantain chips"
+71910110,"GREEN BANANA (COOKED IN SALT WATER)","Green banana, cooked (in salt water)"
+71910210,"GREEN BANANA, FRIED","Green banana, fried"
+71910310,"PICKLED GREEN BANANA, P.R","Pickled green bananas, Puerto Rican style (Guineos verdes en escabeche)"
+71930090,"CASSAVA (YUCA BLANCA), COOKED, NS AS TO ADDED FAT","Cassava (yuca blanca), cooked, NS as to fat added in cooking"
+71930100,"CASSAVA (YUCA BLANCA), COOKED, NO FAT ADDED","Cassava (yuca blanca), cooked, fat not added in cooking"
+71930120,"CASSAVA (YUCA BLANCA), COOKED, FAT ADDED","Cassava (yuca blanca), cooked, fat added in cooking"
+71930200,"CASABE, CASSAVA BREAD","Casabe, cassava bread"
+71931010,"CASSAVA W/ CREOLE SAUCE, P.R. (YUCA AL MAJO)","Cassava with creole sauce, Puerto Rican style (Yuca al mojo)"
+71941110,"SWEET POTATOES, WHITE, P.R., FRIED","Sweet potatoes, white, Puerto Rican, fried"
+71941120,"SWEET POTATOES, WHITE, P.R., BOILED","Sweet potatoes, white, Puerto Rican, boiled"
+71941130,"SWEET POTATOES, WHITE, P.R., ROASTED OR BAKED","Sweet potatoes, white, Puerto Rican, roasted or baked"
+71945010,"YAM, PUERTO RICAN, COOKED (NAME HERVIDO)","Yam, Puerto Rican, cooked (Name hervido)"
+71945020,"YAM BUNS, P.R. (BUNUELOS DE NAME)","Yam buns, Puerto Rican style (Bunuelos de name)"
+71950010,"TANNIER, COOKED (INCLUDE YAUTIA)","Tannier, cooked"
+71961010,"CELERIAC, COOKED (INCLUDE P.R. APIO)","Celeriac, cooked"
+71962010,"DASHEEN, BOILED (INCLUDE MALANGA)","Dasheen, boiled"
+71962020,"DASHEEN, FRIED (INCLUDE MALANGA)","Dasheen, fried"
+71962040,"TARO, BAKED","Taro, baked"
+71970110,"STARCHY VEGETABLES, P.R. STYLE, NFS (VIANDAS HERVIDAS)","Starchy vegetables, Puerto Rican style, NFS (viandas hervidas)"
+71970120,"STARCHY VEGETABLES, P.R., NO PLANTAINS","Starchy vegetables, Puerto Rican style, including tannier, white sweet potato and yam, with green or ripe plantains (viandas hervidas)"
+71970130,"STARCHY VEGETABLES, P.R., NO PLANTAINS","Starchy vegetables, Puerto Rican style, including tannier, white sweet potato and yam, no plantain (viandas hervidas)"
+71970200,"FUFU (AFRICAN)","Fufu (African)"
+71980100,"POI","Poi"
+71980200,"TARO CHIPS","Taro chips"
+72101100,"BEET GREENS, RAW","Beet greens, raw"
+72101200,"BEET GREENS, COOKED, NS AS TO ADDED FAT","Beet greens, cooked, NS as to fat added in cooking"
+72101210,"BEET GREENS, COOKED, FAT NOT ADDED","Beet greens, cooked, fat not added in cooking"
+72101220,"BEET GREENS, COOKED, FAT ADDED","Beet greens, cooked, fat added in cooking"
+72103000,"BROCCOLI RAAB, RAW","Broccoli raab, raw"
+72103010,"BROCCOLI RAAB, COOKED, NS AS TO FAT ADDED","Broccoli raab, cooked, NS as to fat added in cooking"
+72103020,"BROCCOLI RAAB, COOKED, FAT NOT ADDED","Broccoli raab, cooked, fat not added in cooking"
+72103030,"BROCCOLI RAAB, COOKED, FAT ADDED IN COOKING","Broccoli raab, cooked, fat added in cooking"
+72104100,"CHARD, RAW","Chard, raw"
+72104200,"CHARD, COOKED, NS AS TO ADDED FAT","Chard, cooked, NS as to fat added in cooking"
+72104210,"CHARD, COOKED, FAT NOT ADDED","Chard, cooked, fat not added in cooking"
+72104220,"CHARD, COOKED, FAT ADDED","Chard, cooked, fat added in cooking"
+72107100,"COLLARDS, RAW","Collards, raw"
+72107200,"COLLARDS, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Collards, cooked, NS as to form, NS as to fat added in cooking"
+72107201,"COLLARDS,COOKED,FROM FRESH,NS FAT ADDED","Collards, cooked, from fresh, NS as to fat added in cooking"
+72107202,"COLLARDS,COOKED,FROM FROZEN,NS FAT ADDED","Collards, cooked, from frozen, NS as to fat added in cooking"
+72107203,"COLLARDS,COOKED,FROM CANNED,NS FAT ADDED","Collards, cooked, from canned, NS as to fat added in cooking"
+72107210,"COLLARDS, COOKED, NS AS TO FORM, FAT NOT ADDED","Collards, cooked, NS as to form, fat not added in cooking"
+72107211,"COLLARDS,COOKED,FROM FRESH,FAT NOT ADDED","Collards, cooked, from fresh, fat not added in cooking"
+72107212,"COLLARDS,COOKED,FROM FROZEN,FAT NOT ADDED","Collards, cooked, from frozen, fat not added in cooking"
+72107213,"COLLARDS,COOKED,FROM CANNED,FAT NOT ADDED","Collards, cooked, from canned, fat not added in cooking"
+72107220,"COLLARDS, COOKED, NS AS TO FORM, FAT ADDED","Collards, cooked, NS as to form, fat added in cooking"
+72107221,"COLLARDS,COOKED,FROM FRESH,FAT ADDED","Collards, cooked, from fresh, fat added in cooking"
+72107222,"COLLARDS,COOKED,FROM FROZEN,FAT ADDED","Collards, cooked, from frozen, fat added in cooking"
+72107223,"COLLARDS,COOKED,FROM CANNED,FAT ADDED","Collards, cooked, from canned, fat added in cooking"
+72110100,"CRESS, RAW","Cress, raw"
+72110200,"CRESS, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Cress, cooked, NS as to form, NS as to fat added in cooking"
+72110201,"CRESS, COOKED, FROM FRESH, NS FAT ADDED","Cress, cooked, from fresh, NS as to fat added in cooking"
+72110203,"CRESS, COOKED, FROM CANNED, NS FAT ADDED","Cress, cooked, from canned, NS as to fat added in cooking"
+72110210,"CRESS, COOKED, NS AS TO FORM, FAT NOT ADDED","Cress, cooked, NS as to form, fat not added in cooking"
+72110211,"CRESS, COOKED, FROM FRESH, FAT NOT ADDED","Cress, cooked, from fresh, fat not added in cooking"
+72110213,"CRESS, COOKED, FROM CANNED, FAT NOT ADDED","Cress, cooked, from canned, fat not added in cooking"
+72110220,"CRESS, COOKED, NS AS TO FORM, FAT ADDED","Cress, cooked, NS as to form, fat added in cooking"
+72110221,"CRESS, COOKED, FROM FRESH, FAT ADDED","Cress, cooked, from fresh, fat added in cooking"
+72110223,"CRESS, COOKED, FROM CANNED, FAT ADDED","Cress, cooked, from canned, fat added in cooking"
+72113100,"DANDELION GREENS, RAW","Dandelion greens, raw"
+72113200,"DANDELION GREENS, COOKED, NS AS TO ADDED FAT","Dandelion greens, cooked, NS as to fat added in cooking"
+72113210,"DANDELION GREENS, COOKED, FAT NOT ADDED","Dandelion greens, cooked, fat not added in cooking"
+72113220,"DANDELION GREENS, COOKED, FAT ADDED","Dandelion greens, cooked, fat added in cooking"
+72116000,"ENDIVE, CHICORY, ESCAROLE OR ROMAINE LETTUCE, RAW","Endive, chicory, escarole, or romaine lettuce, raw"
+72116150,"CAESAR SALAD (WITH ROMAINE), NO DRESSING","Caesar salad (with romaine), no dressing"
+72116200,"ESCAROLE, COOKED, NS AS TO ADDED FAT","Escarole, cooked, NS as to fat added in cooking"
+72116210,"ESCAROLE, COOKED, FAT NOT ADDED","Escarole, cooked, fat not added in cooking"
+72116220,"ESCAROLE, COOKED, FAT ADDED","Escarole, cooked, fat added in cooking"
+72116230,"ESCAROLE, CREAMED","Escarole, creamed"
+72118200,"GREENS, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Greens, cooked, NS as to form, NS as to fat added in cooking"
+72118201,"GREENS, COOKED, FROM FRESH, NS FAT ADDED","Greens, cooked, from fresh, NS as to fat added in cooking"
+72118202,"GREENS, COOKED, FROM FROZ, NS FAT ADDED","Greens, cooked, from frozen, NS as to fat added in cooking"
+72118203,"GREENS, COOKED, FROM CANNED, NS FAT ADDED","Greens, cooked, from canned, NS as to fat added in cooking"
+72118210,"GREENS, COOKED, NS AS TO FORM, FAT NOT ADDED","Greens, cooked, NS as to form, fat not added in cooking"
+72118211,"GREENS, COOKED, FROM FRESH, FAT NOT ADDED","Greens, cooked, from fresh, fat not added in cooking"
+72118212,"GREENS, COOKED, FROM FROZEN, FAT NOT ADDED","Greens, cooked, from frozen, fat not added in cooking"
+72118213,"GREENS, COOKED, FROM CANNED, FAT NOT ADDED","Greens, cooked, from canned, fat not added in cooking"
+72118220,"GREENS, COOKED, NS AS TO FORM, FAT ADDED","Greens, cooked, NS as to form, fat added in cooking"
+72118221,"GREENS, COOKED, FROM FRESH, FAT ADDED","Greens, cooked, from fresh, fat added in cooking"
+72118222,"GREENS, COOKED, FROM FROZEN, FAT ADDED","Greens, cooked, from frozen, fat added in cooking"
+72118223,"GREENS, COOKED, FROM CANNED, FAT ADDED","Greens, cooked, from canned, fat added in cooking"
+72118300,"CHAMNAMUL (KOREAN LEAF VEGETABLE), COOKED, NS AS TO FAT","Chamnamul (Korean leaf vegetable), cooked, NS as to fat added in cooking"
+72118305,"CHAMNAMUL (KOREAN LEAF VEGETABLE), COOKED, FAT NOT ADDED","Chamnamul (Korean leaf vegetable), cooked, fat not added in cooking"
+72118310,"CHAMNAMUL (KOREAN LEAF VEGETABLE), COOKED, FAT ADDED","Chamnamul (Korean leaf vegetable), cooked, fat added in cooking"
+72119200,"KALE, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Kale, cooked, NS as to form, NS as to fat added in cooking"
+72119201,"KALE,COOKED,FROM FRESH,NS FAT ADDED","Kale, cooked, from fresh, NS as to fat added in cooking"
+72119202,"KALE,COOKED,FROM FROZEN,NS FAT ADDED","Kale, cooked, from frozen, NS as to fat added in cooking"
+72119203,"KALE,COOKED,FROM CANNED,NS FAT ADDED","Kale, cooked, from canned, NS as to fat added in cooking"
+72119210,"KALE, COOKED, NS AS TO FORM, FAT NOT ADDED","Kale, cooked, NS as to form, fat not added in cooking"
+72119211,"KALE,COOKED,FROM FRESH,FAT NOT ADDED","Kale, cooked, from fresh, fat not added in cooking"
+72119212,"KALE,COOKED,FROM FROZEN,FAT NOT ADDED","Kale, cooked, from frozen, fat not added in cooking"
+72119213,"KALE,COOKED,FROM CANNED,FAT NOT ADDED","Kale, cooked, from canned, fat not added in cooking"
+72119220,"KALE, COOKED, NS AS TO FORM, FAT ADDED","Kale, cooked, NS as to form, fat added in cooking"
+72119221,"KALE,COOKED,FROM FRESH,FAT ADDED","Kale, cooked, from fresh, fat added in cooking"
+72119222,"KALE,COOKED,FROM FROZEN,FAT ADDED","Kale, cooked, from frozen, fat added in cooking"
+72119223,"KALE,COOKED,FROM CANNED,FAT ADDED","Kale, cooked, from canned, fat added in cooking"
+72120200,"LAMBSQUARTER, COOKED, NS AS TO ADDED FAT","Lambsquarter, cooked, NS as to fat added in cooking"
+72120210,"CRESS, COOKED, FAT NOT ADDEDS","Lambsquarter, cooked, fat not added in cooking"
+72120220,"LAMBSQUARTER, COOKED, FAT ADDED","Lambsquarter, cooked, fat added in cooking"
+72121210,"MUSTARD CABBAGE,COOKED, FAT NOT ADDED IN COOKING","Mustard cabbage, cooked, fat not added in cooking"
+72122100,"MUSTARD GREENS, RAW","Mustard greens, raw"
+72122200,"MUSTARD GREENS, COOKED, NS FORM, NS FAT ADDED","Mustard greens, cooked, NS as to form, NS as to fat added in cooking"
+72122201,"MUSTARD GREENS,COOKED,FROM FRESH,NS FAT ADDED","Mustard greens, cooked, from fresh, NS as to fat added in cooking"
+72122202,"MUSTARD GREENS,COOKED,FROM FROZEN,NS FAT ADDED","Mustard greens, cooked, from frozen, NS as to fat added in cooking"
+72122203,"MUSTARD GREENS,COOKED,FROM CANNED,NS FAT ADDED","Mustard greens, cooked, from canned, NS as to fat added in cooking"
+72122210,"MUSTARD GREENS, COOKED, NS FORM, FAT NOT ADDED","Mustard greens, cooked, NS as to form, fat not added in cooking"
+72122211,"MUSTARD GREENS,COOKED,FROM FRESH,FAT NOT ADDED","Mustard greens, cooked, from fresh, fat not added in cooking"
+72122212,"MUSTARD GREENS,COOKED,FROM FROZEN,FAT NOT ADDED","Mustard greens, cooked, from frozen, fat not added in cooking"
+72122213,"MUSTARD GREENS,COOKED,FROM CANNED,FAT NOT ADDED","Mustard greens, cooked, from canned, fat not added in cooking"
+72122220,"MUSTARD GREEN, COOKED, NS FORM, FAT ADDED","Mustard greens, cooked, NS as to form, fat added in cooking"
+72122221,"MUSTARD GREENS,COOKED,FROM FRESH,FAT ADDED","Mustard greens, cooked, from fresh, fat added in cooking"
+72122222,"MUSTARD GREENS,COOKED,FROM FROZEN,FAT ADDED","Mustard greens, cooked, from frozen, fat added in cooking"
+72122223,"MUSTARD GREENS,COOKED,FROM CANNED,FAT ADDED","Mustard greens, cooked, from canned, fat added in cooking"
+72123000,"POKE GREENS, COOKED, NS AS TO ADDED FAT","Poke greens, cooked, NS as to fat added in cooking"
+72123010,"POKE GREENS, COOKED, FAT NOT ADDED","Poke greens, cooked, fat not added in cooking"
+72123020,"POKE GREENS, COOKED, FAT ADDED","Poke greens, cooked, fat added in cooking"
+72124100,"RADICCHIO, RAW","Radicchio, raw"
+72125100,"SPINACH, RAW","Spinach, raw"
+72125200,"SPINACH, COOKED, NS FORM, NS AS TO ADDED FAT","Spinach, cooked, NS as to form, NS as to fat added in cooking"
+72125201,"SPINACH,COOKED,FROM FRESH,NS FAT ADDED","Spinach, cooked, from fresh, NS as to fat added in cooking"
+72125202,"SPINACH,COOKED,FROM FROZEN,NS FAT ADDED","Spinach, cooked, from frozen, NS as to fat added in cooking"
+72125203,"SPINACH,COOKED,FROM CANNED,NS FAT ADDED","Spinach, cooked, from canned, NS as to fat added in cooking"
+72125210,"SPINACH, COOKED, NS AS TO FORM, FAT NOT ADDED","Spinach, cooked, NS as to form, fat not added in cooking"
+72125211,"SPINACH,COOKED,FROM FRESH,FAT NOT ADDED","Spinach, cooked, from fresh, fat not added in cooking"
+72125212,"SPINACH,COOKED,FROM FROZEN,FAT NOT ADDED","Spinach, cooked, from frozen, fat not added in cooking"
+72125213,"SPINACH,COOKED,FROM CANNED,FAT NOT ADDED","Spinach, cooked, from canned, fat not added in cooking"
+72125220,"SPINACH, COOKED, NS AS TO FORM, FAT ADDED","Spinach, cooked, NS as to form, fat added in cooking"
+72125221,"SPINACH,COOKED,FROM FRESH,FAT ADDED","Spinach, cooked, from fresh, fat added in cooking"
+72125222,"SPINACH,COOKED,FROM FROZEN,FAT ADDED","Spinach, cooked, from frozen, fat added in cooking"
+72125223,"SPINACH,COOKED,FROM CANNED,FAT ADDED","Spinach, cooked, from canned, fat added in cooking"
+72125230,"SPINACH, NS AS TO FORM, CREAMED","Spinach, NS as to form, creamed"
+72125231,"SPINACH, FROM FRESH, CREAMED","Spinach, from fresh, creamed"
+72125232,"SPINACH, FROM FROZEN, CREAMED","Spinach, from frozen, creamed"
+72125233,"SPINACH, FROM CANNED, CREAMED","Spinach, from canned, creamed"
+72125240,"SPINACH SOUFFLE","Spinach souffle"
+72125250,"SPINACH, COOKED, NS AS TO FORM, W/ CHEESE SAUCE","Spinach, cooked, NS as to form, with cheese sauce"
+72125251,"SPINACH, COOKED, FROM FRESH, W/ CHEESE SAUCE","Spinach, cooked, from fresh, with cheese sauce"
+72125252,"SPINACH, COOKED, FROM FROZEN, W/ CHEESE SAUCE","Spinach, cooked, from frozen, with cheese sauce"
+72125253,"SPINACH, COOKED, FROM CANNED, W/ CHEESE SAUCE","Spinach, cooked, from canned, with cheese sauce"
+72125260,"SPINACH & CHEESE CASSEROLE","Spinach and cheese casserole"
+72125310,"SPINACH AND COTTAGE CHEESE","Palak Paneer or Saag Paneer (Indian)"
+72125500,"SPINACH & CHICK PEAS, FAT ADDED","Spinach and chickpeas, fat added"
+72126000,"TARO LEAVES, COOKED, FAT NOT ADDED IN COOKING","Taro leaves, cooked, fat not added in cooking"
+72127000,"THISTLE LEAVES, COOKED, FAT NOT ADDED IN COOKING","Thistle leaves, cooked, fat not added in cooking"
+72128200,"TURNIP GREENS, COOKED, NS FORM, NS AS TO ADDED FAT","Turnip greens, cooked, NS as to form, NS as to fat added in cooking"
+72128201,"TURNIP GREENS,COOKED,FROM FRESH,NS FAT ADDED","Turnip greens, cooked, from fresh, NS as to fat added in cooking"
+72128202,"TURNIP GREENS,COOKED,FROM FROZEN,NS FAT ADDED","Turnip greens, cooked, from frozen, NS as to fat added in cooking"
+72128203,"TURNIP GREENS,COOKED,FROM CANNED,NS FAT ADDED","Turnip greens, cooked, from canned, NS as to fat added in cooking"
+72128210,"TURNIP GREENS, NS FORM, COOKED, FAT NOT ADDED","Turnip greens, cooked, NS as to form, fat not added in cooking"
+72128211,"TURNIP GREENS,COOKED,FROM FRESH,FAT NOT ADDED","Turnip greens, cooked, from fresh, fat not added in cooking"
+72128212,"TURNIP GREENS,COOKED,FROM FROZEN,FAT NOT ADDED","Turnip greens, cooked, from frozen, fat not added in cooking"
+72128213,"TURNIP GREENS,COOKED,FROM CANNED,FAT NOT ADDED","Turnip greens, cooked, from canned, fat not added in cooking"
+72128220,"TURNIP GREENS, COOKED, NS FORM, FAT ADDED","Turnip greens, cooked, NS as to form, fat added in cooking"
+72128221,"TURNIP GREENS,COOKED,FROM FRESH,FAT ADDED","Turnip greens, cooked, from fresh, fat added in cooking"
+72128222,"TURNIP GREENS,COOKED,FROM FROZEN,FAT ADDED","Turnip greens, cooked, from frozen, fat added in cooking"
+72128223,"TURNIP GREENS,COOKED,FROM CANNED,FAT ADDED","Turnip greens, cooked, from canned, fat added in cooking"
+72128400,"TURNIP GREENS W/ ROOTS, CKD, NS FORM, NS ADDED FAT","Turnip greens with roots, cooked, NS as to form, NS as to fat added in cooking"
+72128401,"TURNIP GREENS W/ ROOTS, CKD, FROM FRESH, NS ADDED FAT","Turnip greens with roots, cooked, from fresh, NS as to fat added in cooking"
+72128402,"TURNIP GREENS W/ ROOTS, CKD, FROM FROZ, NS ADDED FAT","Turnip greens with roots, cooked, from frozen, NS as to fat added in cooking"
+72128403,"TURNIP GREENS W/ ROOTS, CKD, FROM CAN, NS ADDED FAT","Turnip greens with roots, cooked, from canned, NS as to fat added in cooking"
+72128410,"TURNIP GREENS W/ ROOTS, CKD, NS FORM, FAT NOT ADDED","Turnip greens with roots, cooked, NS as to form, fat not added in cooking"
+72128411,"TURNIP GREENS W/ ROOTS, CKD, FROM FRESH, NO FAT ADDED","Turnip greens with roots, cooked, from fresh, fat not added in cooking"
+72128412,"TURNIP GREENS W/ ROOTS, CKD, FROM FROZ, NO FAT ADDED","Turnip greens with roots, cooked, from frozen, fat not added in cooking"
+72128413,"TURNIP GREENS W/ ROOTS, CKD, FROM CAN, NO FAT ADDED","Turnip greens with roots, cooked, from canned, fat not added in cooking"
+72128420,"TURNIP GREENS W/ ROOTS, COOKED, NS FORM, FAT ADDED","Turnip greens with roots, cooked, NS as to form, fat added in cooking"
+72128421,"TURNIP GREENS W/ ROOTS, CKD, FROM FRESH, FAT ADDED","Turnip greens with roots, cooked, from fresh, fat added in cooking"
+72128422,"TURNIP GREENS W/ ROOTS, CKD, FROM FROZ, FAT ADDED","Turnip greens with roots, cooked, from frozen, fat added in cooking"
+72128423,"TURNIP GREENS W/ ROOTS, CKD, FROM CAN, FAT ADDED","Turnip greens with roots, cooked, from canned, fat added in cooking"
+72128500,"TURNIP GREENS, CANNED, LOW NA, NS AS TO ADDED FAT","Turnip greens, canned, low sodium, cooked, NS as to fat added in cooking"
+72128510,"TURNIP GREENS, CANNED, LOW SODIUM, FAT NOT ADDED","Turnip greens, canned, low sodium, cooked, fat not added in cooking"
+72128520,"TURNIP GREENS, CANNED, LOW SODIUM, FAT ADDED","Turnip greens, canned, low sodium, cooked, fat added in cooking"
+72130100,"WATERCRESS, RAW","Watercress, raw"
+72130200,"WATERCRESS, COOKED, FAT NOT ADDED IN COOKING","Watercress, cooked, fat not added in cooking"
+72132200,"BITTERMELON,HORSERADISH,JUTE,RADISH LVES,CKD,NO FAT","Bitter melon leaves, horseradish leaves, jute leaves, or radish leaves, cooked, fat not added in cooking"
+72133200,"SWEET POTATO,SQUASH,PUMPKIN LEAVES,CKD,FAT NOT ADDED","Sweet potato leaves, squash leaves, pumpkin leaves, chrysanthemum leaves, bean leaves, or swamp cabbage, cooked, fat not added in cooking"
+72201100,"BROCCOLI, RAW","Broccoli, raw"
+72201200,"BROCCOLI, CKD, NS FORM, NS FAT (INCL BROCCOLI, NFS)","Broccoli, cooked, NS as to form, NS as to fat added in cooking"
+72201201,"BROCCOLI, CKD, FROM FRESH, NS FAT (INCL BROCCOLI, NFS)","Broccoli, cooked, from fresh, NS as to fat added in cooking"
+72201202,"BROCCOLI, CKD, FROM FROZ, NS FAT (INCL BROCCOLI, NFS)","Broccoli, cooked, from frozen, NS as to fat added in cooking"
+72201210,"BROCCOLI, COOKED, NS AS TO FORM, NO FAT ADDED","Broccoli, cooked, NS as to form, fat not added in cooking"
+72201211,"BROCCOLI, COOKED, FROM FRESH, NO FAT ADDED","Broccoli, cooked, from fresh, fat not added in cooking"
+72201212,"BROCCOLI, COOKED, FROM FROZ, NO FAT ADDED","Broccoli, cooked, from frozen, fat not added in cooking"
+72201220,"BROCCOLI, COOKED, NS AS TO FORM, FAT ADDED","Broccoli, cooked, NS as to form, fat added in cooking"
+72201221,"BROCCOLI, COOKED, FROM FRESH, FAT ADDED","Broccoli, cooked, from fresh, fat added in cooking"
+72201222,"BROCCOLI, COOKED, FROM FROZ, FAT ADDED","Broccoli, cooked, from frozen, fat added in cooking"
+72201230,"BROCCOLI, COOKED, NS AS TO FORM, W/ CHEESE SAUCE","Broccoli, cooked, NS as to form, with cheese sauce"
+72201231,"BROCCOLI, COOKED, FROM FRESH, W/ CHEESE SAUCE","Broccoli, cooked, from fresh, with cheese sauce"
+72201232,"BROCCOLI, COOKED, FROM FROZEN, W/ CHEESE SAUCE","Broccoli, cooked, from frozen, with cheese sauce"
+72201240,"BROCCOLI, COOKED, NS AS TO FORM, W/ MUSHROOM SAUCE","Broccoli, cooked, NS as to form, with mushroom sauce"
+72201241,"BROCCOLI, COOKED, FROM FRESH, W/ MUSHROOM SAUCE","Broccoli, cooked, from fresh, with mushroom sauce"
+72201242,"BROCCOLI, COOKED, FROM FROZEN, W/ MUSHROOM SAUCE","Broccoli, cooked, from frozen, with mushroom sauce"
+72201250,"BROCCOLI, COOKED, NS AS TO FORM, W/ CREAM SAUCE","Broccoli, cooked, NS as to form, with cream sauce"
+72201251,"BROCCOLI, COOKED, FROM FRESH, W/ CREAM SAUCE","Broccoli, cooked, from fresh, with cream sauce"
+72201252,"BROCCOLI, COOKED, FROM FROZEN, W/ CREAM SAUCE","Broccoli, cooked, from frozen, with cream sauce"
+72202010,"BROCCOLI CASSEROLE (BROC, NOODLES, CREAM SAUCE)","Broccoli casserole (broccoli, noodles, and cream sauce)"
+72202020,"BROCCOLI CASSEROLE (BROC,RICE,CHEESE,MUSHROOM SCE)","Broccoli casserole (broccoli, rice, cheese, and mushroom sauce)"
+72202030,"BROCCOLI, BATTER-DIPPED & FRIED","Broccoli, batter-dipped and fried"
+72302000,"BROCCOLI SOUP, PREPARED WITH MILK, HOME RECIPE, CANNED OR RE","Broccoli soup, prepared with milk, home recipe, canned or ready-to-serve"
+72302020,"BROCCOLI SOUP, PREP W/ WATER","Broccoli soup, prepared with water, home recipe, canned, or ready-to-serve"
+72302100,"BROCCOLI CHEESE SOUP, PREPARED WITH MILK, HOME RECIPE, CANNE","Broccoli cheese soup, prepared with milk, home recipe, canned, or ready-to-serve"
+72306000,"WATERCRESS BROTH W/ SHRIMP","Watercress broth with shrimp"
+72307000,"SPINACH SOUP","Spinach soup"
+72308000,"DARK-GREEN LEAFY VEGETABLE SOUP WITH MEAT, ASIAN STYLE","Dark-green leafy vegetable soup with meat, Asian style"
+72308500,"DARK-GREEN LEAFY VEGETABLE SOUP, MEATLESS, ASIAN STYLE","Dark-green leafy vegetable soup, meatless, Asian style"
+73101010,"CARROTS, RAW","Carrots, raw"
+73101110,"CARROTS, RAW, SALAD (INCLUDE CARROT-RAISIN SALAD)","Carrots, raw, salad"
+73101210,"CARROTS, RAW, SALAD W/ APPLES","Carrots, raw, salad with apples"
+73102200,"CARROTS, COOKED, NS AS TO FORM, NS FAT ADDED","Carrots, cooked, NS as to form, NS as to fat added in cooking"
+73102201,"CARROTS, COOKED, FROM FRESH, NS FAT ADDED","Carrots, cooked, from fresh, NS as to fat added in cooking"
+73102202,"CARROTS, COOKED, FROM FROZEN, NS FAT ADDED","Carrots, cooked, from frozen, NS as to fat added in cooking"
+73102203,"CARROTS, COOKED, FROM CANNED, NS FAT ADDED","Carrots, cooked, from canned, NS as to fat added in cooking"
+73102210,"CARROTS, COOKED, NS AS TO FORM, FAT NOT ADDED","Carrots, cooked, NS as to form, fat not added in cooking"
+73102211,"CARROTS, COOKED, FROM FRESH, FAT NOT ADDED","Carrots, cooked, from fresh, fat not added in cooking"
+73102212,"CARROTS, COOKED, FROM FROZEN, FAT NOT ADDED","Carrots, cooked, from frozen, fat not added in cooking"
+73102213,"CARROTS, COOKED, FROM CANNED, FAT NOT ADDED","Carrots, cooked, from canned, fat not added in cooking"
+73102220,"CARROTS, COOKED, NS AS TO FORM, FAT ADDED","Carrots, cooked, NS as to form, fat added in cooking"
+73102221,"CARROTS, COOKED, FROM FRESH, FAT ADDED","Carrots, cooked, from fresh, fat added in cooking"
+73102222,"CARROTS, COOKED, FROM FROZEN, FAT ADDED","Carrots, cooked, from frozen, fat added in cooking"
+73102223,"CARROTS, COOKED, FROM CANNED, FAT ADDED","Carrots, cooked, from canned, fat added in cooking"
+73102230,"CARROTS, COOKED, NS AS TO FORM, CREAMED","Carrots, cooked, NS as to form, creamed"
+73102231,"CARROTS, COOKED, FROM FRESH, CREAMED","Carrots, cooked, from fresh, creamed"
+73102232,"CARROTS, COOKED, FROM FROZEN, CREAMED","Carrots, cooked, from frozen, creamed"
+73102233,"CARROTS, COOKED, FROM CANNED, CREAMED","Carrots, cooked, from canned, creamed"
+73102240,"CARROTS, COOKED, NS AS TO FORM, GLAZED","Carrots, cooked, NS as to form, glazed"
+73102241,"CARROTS, COOKED, FROM FRESH, GLAZED","Carrots, cooked, from fresh, glazed"
+73102242,"CARROTS, COOKED, FROM FROZEN, GLAZED","Carrots, cooked, from frozen, glazed"
+73102243,"CARROTS, COOKED, FROM CANNED, GLAZED","Carrots, cooked, from canned, glazed"
+73102250,"CARROTS, COOKED, NS AS TO FORM, W/ CHEESE SAUCE","Carrots, cooked, NS as to form, with cheese sauce"
+73102251,"CARROTS, COOKED, FROM FRESH, W/ CHEESE SAUCE","Carrots, cooked, from fresh, with cheese sauce"
+73102252,"CARROTS, COOKED, FROM FROZEN, W/ CHEESE SAUCE","Carrots, cooked, from frozen, with cheese sauce"
+73102253,"CARROTS, COOKED, FROM CANNED, W/ CHEESE SAUCE","Carrots, cooked, from canned, with cheese sauce"
+73103000,"CARROTS, CANNED, LOW SODIUM, NS AS TO ADDED FAT","Carrots, canned, low sodium, NS as to fat added in cooking"
+73103010,"CARROTS, CANNED, LOW SODIUM, NO FAT ADDED","Carrots, canned, low sodium, fat not added in cooking"
+73103020,"CARROTS, CANNED, LOW SODIUM, FAT ADDED","Carrots, canned, low sodium, fat added in cooking"
+73105010,"CARROT JUICE","Carrot juice"
+73111030,"PEAS & CARROTS, NS AS TO FORM, CREAMED","Peas and carrots, NS as to form, creamed"
+73111031,"PEAS & CARROTS, FROM FRESH, CREAMED","Peas and carrots, from fresh, creamed"
+73111032,"PEAS & CARROTS, FROM FROZEN, CREAMED","Peas and carrots, from frozen, creamed"
+73111033,"PEAS & CARROTS, FROM CANNED, CREAMED","Peas and carrots, from canned, creamed"
+73111200,"PEAS & CARROTS, COOKED, NS FORM, NS AS TO ADDED FAT","Peas and carrots, cooked, NS as to form, NS as to fat added in cooking"
+73111201,"PEAS & CARROTS, COOKED, FROM FRESH, NS FAT ADDED","Peas and carrots, cooked, from fresh, NS as to fat added in cooking"
+73111202,"PEAS & CARROTS, COOKED, FROM FROZ, NS FAT ADDED","Peas and carrots, cooked, from frozen, NS as to fat added in cooking"
+73111203,"PEAS & CARROTS, COOKED, FROM CANNED, NS FAT ADDED","Peas and carrots, cooked, from canned, NS as to fat added in cooking"
+73111210,"PEAS & CARROTS, COOKED, NS FORM, FAT NOT ADDED","Peas and carrots, cooked, NS as to form, fat not added in cooking"
+73111211,"PEAS & CARROTS, COOKED, FROM FRESH, FAT NOT ADDED","Peas and carrots, cooked, from fresh, fat not added in cooking"
+73111212,"PEAS & CARROTS, COOKED, FROM FROZ, FAT NOT ADDED","Peas and carrots, cooked, from frozen, fat not added in cooking"
+73111213,"PEAS & CARROTS, COOKED, FROM CANNED, FAT NOT ADDED","Peas and carrots, cooked, from canned, fat not added in cooking"
+73111220,"PEAS & CARROTS, COOKED, NS AS TO FORM, FAT ADDED","Peas and carrots, cooked, NS as to form, fat added in cooking"
+73111221,"PEAS & CARROTS, COOKED, FROM FRESH, FAT ADDED","Peas and carrots, cooked, from fresh, fat added in cooking"
+73111222,"PEAS & CARROTS, COOKED, FROM FROZ, FAT ADDED","Peas and carrots, cooked, from frozen, fat added in cooking"
+73111223,"PEAS & CARROTS, COOKED, FROM CANNED, FAT ADDED","Peas and carrots, cooked, from canned, fat added in cooking"
+73111250,"PEAS & CARROTS, CANNED, LOW SODIUM, NS ADDED FAT","Peas and carrots, canned, low sodium, NS as to fat added in cooking"
+73111260,"PEAS & CARROTS, CANNED, LOW SODIUM, FAT ADDED","Peas and carrots, canned, low sodium, fat added in cooking"
+73111270,"PEAS & CARROTS, CANNED, LOW SODIUM, NO FAT ADDED","Peas and carrots, canned, low sodium, fat not added in cooking"
+73111400,"CARROTS IN TOMATO SAUCE","Carrots in tomato sauce"
+73112000,"CARROT CHIPS, DRIED","Carrot chips, dried"
+73201000,"PUMPKIN, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Pumpkin, cooked, NS as to form, NS as to fat added in cooking"
+73201001,"PUMPKIN, COOKED, FROM FRESH, NS AS TO ADDED FAT","Pumpkin, cooked, from fresh, NS as to fat added in cooking"
+73201002,"PUMPKIN, COOKED, FROM FROZEN, NS AS TO ADDED FAT","Pumpkin, cooked, from frozen, NS as to fat added in cooking"
+73201003,"PUMPKIN, COOKED, FROM CANNED, NS AS TO ADDED FAT","Pumpkin, cooked, from canned, NS as to fat added in cooking"
+73201010,"PUMPKIN, COOKED, NS AS TO FORM, FAT NOT ADDED","Pumpkin, cooked, NS as to form, fat not added in cooking"
+73201011,"PUMPKIN, COOKED, FROM FRESH, FAT NOT ADDED","Pumpkin, cooked, from fresh, fat not added in cooking"
+73201012,"PUMPKIN, COOKED, FROM FROZEN, FAT NOT ADDED","Pumpkin, cooked, from frozen, fat not added in cooking"
+73201013,"PUMPKIN, COOKED, FROM CANNED, FAT NOT ADDED","Pumpkin, cooked, from canned, fat not added in cooking"
+73201020,"PUMPKIN, COOKED, NS AS TO FORM, FAT ADDED","Pumpkin, cooked, NS as to form, fat added in cooking"
+73201021,"PUMPKIN, COOKED, FROM FRESH, FAT ADDED","Pumpkin, cooked, from fresh, fat added in cooking"
+73201022,"PUMPKIN, COOKED, FROM FROZEN, FAT ADDED","Pumpkin, cooked, from frozen, fat added in cooking"
+73201023,"PUMPKIN, COOKED, FROM CANNED, FAT ADDED","Pumpkin, cooked, from canned, fat added in cooking"
+73210010,"CALABAZA (SPANISH PUMPKIN), COOKED","Calabaza (Spanish pumpkin), cooked"
+73210110,"PUMPKIN FRITTERS, P.R.","Pumpkin fritters, Puerto Rican style"
+73211110,"SWEET POTATO & PUMPKIN CASSEROLE, P.R","Sweet potato and pumpkin casserole, Puerto Rican style"
+73301000,"SQUASH, WINTER, MASHED, NS AS TO ADDED FAT/SUGAR","Squash, winter type, mashed, NS as to fat or sugar added in cooking"
+73301010,"SQUASH, WINTER, MASHED, NO FAT OR SUGAR ADDED","Squash, winter type, mashed, no fat or sugar added in cooking"
+73301020,"SQUASH, WINTER, COOKED, MASHED, FAT ADDED, NO SUGAR","Squash, winter type, mashed, fat added in cooking, no sugar added in cooking"
+73301030,"SQUASH, WINTER, COOKED, MASHED, FAT & SUGAR ADDED","Squash, winter type, mashed, fat and sugar added in cooking"
+73302010,"SQUASH, WINTER, RAW","Squash, winter type, raw"
+73303000,"SQUASH, WINTER, BAKED, NS FAT OR SUGAR ADDED","Squash, winter type, baked, NS as to fat or sugar added in cooking"
+73303010,"SQUASH, WINTER, BAKED, NO FAT OR SUGAR ADDED","Squash, winter type, baked, no fat or sugar added in cooking"
+73303020,"SQUASH, WINTER, BAKED, FAT ADDED, NO SUGAR","Squash, winter type, baked, fat added in cooking, no sugar added in cooking"
+73303030,"SQUASH, WINTER, BAKED, FAT & SUGAR ADDED","Squash, winter type, baked, fat and sugar added in cooking"
+73303040,"SQUASH, WINTER, BAKED, NO ADDED FAT, SUGAR ADDED","Squash, winter type, baked, no fat added in cooking, sugar added in cooking"
+73304010,"SQUASH, FRITTER OR CAKE","Squash fritter or cake"
+73305010,"SQUASH, WINTER, BAKED W/ CHEESE","Squash, winter, baked with cheese"
+73305020,"SQUASH, WINTER, SOUFFLE","Squash, winter, souffle"
+73401000,"SWEET POTATO, NFS","Sweet potato, NFS"
+73402000,"SWEET POTATO, BAKED, PEEL EATEN, NS AS TO ADDED FAT","Sweet potato, baked, peel eaten, NS as to fat added in cooking"
+73402010,"SWEET POTATO, BAKED, PEEL EATEN, NO FAT ADDED","Sweet potato, baked, peel eaten, fat not added in cooking"
+73402020,"SWEET POTATO, BAKED, PEEL EATEN, FAT ADDED","Sweet potato, baked, peel eaten, fat added in cooking"
+73403000,"SWEET POTATO, BAKED, PEEL NOT EATEN, NS AS TO FAT","Sweet potato, baked, peel not eaten, NS as to fat added in cooking"
+73403010,"SWEET POTATO, BAKED, PEEL NOT EATEN, FAT NOT ADDED","Sweet potato, baked, peel not eaten, fat not added in cooking"
+73403020,"SWEET POTATO, BAKED, PEEL NOT EATEN, FAT ADDED","Sweet potato, baked, peel not eaten, fat added in cooking"
+73405000,"SWEET POTATO, BOILED, W/O PEEL, NS AS TO ADDED FAT","Sweet potato, boiled, without peel, NS as to fat added in cooking"
+73405010,"SWEET POTATO, BOILED, W/O PEEL, FAT NOT ADDED","Sweet potato, boiled, without peel, fat not added in cooking"
+73405020,"SWEET POTATO, BOILED, W/O PEEL, FAT ADDED","Sweet potato, boiled, without peel, fat added in cooking"
+73405100,"SWEET POTATO, BOILED W/ PEEL, PEEL NOT EATEN, NS AS TO FAT","Sweet potato, boiled with peel, peel not eaten, NS as to fat added in cooking"
+73405110,"SWEET POTATO, BOILED W/ PEEL, PEEL NOT EATEN, FAT NOT ADDED","Sweet potato, boiled with peel, peel not eaten, fat not added in cooking"
+73405120,"SWEET POTATO, BOILED W/ PEEL, PEEL NOT EATEN, FAT ADDED","Sweet potato, boiled with peel, peel not eaten, fat added in cooking"
+73406000,"SWEET POTATO, CANDIED","Sweet potato, candied"
+73406010,"SWEET POTATO W/ FRUIT","Sweet potato with fruit"
+73407000,"SWEET POTATO, CANNED, NS AS TO SYRUP","Sweet potato, canned, NS as to syrup"
+73407010,"SWEET POTATO, CANNED, W/O SYRUP","Sweet potato, canned without syrup"
+73407020,"SWEET POTATO, CANNED IN SYRUP","Sweet potato, canned in syrup"
+73407030,"SWEET POTATO, CANNED IN SYRUP, W/ FAT ADDED","Sweet potato, canned in syrup, with fat added in cooking"
+73409000,"SWEET POTATO, CASSEROLE OR MASHED","Sweet potato, casserole or mashed"
+73410110,"SWEET POTATO, FRIED","Sweet potato, fried"
+73410210,"SWEET POTATO, CHIPS","Sweet potato, chips"
+73410300,"SWEET POTATO, FRENCH FRIES","Sweet potato, french fries"
+73421000,"SWEET POTATO, YELLOW, P.R., COOKED","Sweet potato, yellow, Puerto Rican, cooked"
+73501000,"CARROT SOUP, CREAM OF, PREPARED WITH MILK, HOME RECIPE, CANN","Carrot soup, cream of, prepared with milk, home recipe, canned or ready-to-serve"
+73501010,"CARROT WITH RICE SOUP, CREAM OF, PREPARED WITH MILK, HOME RE","Carrot with rice soup, cream of, prepared with milk, home recipe, canned or ready-to-serve"
+74101000,"TOMATOES, RAW","Tomatoes, raw"
+74102000,"TOMATOES, GREEN, RAW","Tomatoes, green, raw"
+74201000,"TOMATOES, COOKED, NS AS TO FORM, NS AS TO METHOD","Tomatoes, cooked, NS as to form, NS as to method"
+74201001,"TOMATOES, COOKED, FROM FRESH, NS AS TO METHOD","Tomatoes, cooked, from fresh, NS as to method"
+74201003,"TOMATOES, COOKED, FROM CANNED, NS AS TO METHOD","Tomatoes, cooked, from canned, NS as to method"
+74202010,"TOMATOES, NS AS TO FORM, BROILED","Tomatoes, NS as to form, broiled"
+74202011,"TOMATOES, FROM FRESH, BROILED","Tomatoes, from fresh, broiled"
+74202050,"TOMATOES, RED, NS AS TO FORM, FRIED","Tomatoes, red, NS as to form, fried"
+74202051,"TOMATOES, RED, FROM FRESH, FRIED","Tomatoes, red, from fresh, fried"
+74203010,"TOMATOES, NS AS TO FORM, SCALLOPED","Tomatoes, NS as to form, scalloped"
+74203011,"TOMATOES, FROM FRESH, SCALLOPED","Tomatoes, from fresh, scalloped"
+74204010,"TOMATOES, NS AS TO FORM, STEWED","Tomatoes, NS as to form, stewed"
+74204011,"TOMATOES, FROM FRESH, STEWED","Tomatoes, from fresh, stewed"
+74204013,"TOMATOES, FROM CANNED, STEWED","Tomatoes, from canned, stewed"
+74204500,"TOMATOES, CANNED, LOW SODIUM","Tomatoes, canned, low sodium"
+74205010,"TOMATOES, GREEN, COOKED, NS AS TO FORM (INCL FRIED)","Tomatoes, green, cooked, NS as to form"
+74205011,"TOMATOES, GREEN, COOKED, FROM FRESH (INCL FRIED)","Tomatoes, green, cooked, from fresh"
+74205020,"TOMATOES, GREEN, PICKLED","Tomato, green, pickled"
+74206000,"TOMATOES, RED, DRIED","Tomatoes, red, dried"
+74301100,"TOMATO JUICE","Tomato juice"
+74301150,"TOMATO JUICE, LOW SODIUM","Tomato juice, low sodium"
+74302000,"TOMATO JUICE COCKTAIL","Tomato juice cocktail"
+74303000,"TOMATO & VEGETABLE JUICE, MOSTLY TOMATO (INCL V-8)","Tomato and vegetable juice, mostly tomato"
+74303100,"TOMATO & VEGETABLE JUICE, MOSTLY TOMATO, LOW SODIUM","Tomato and vegetable juice, mostly tomato, low sodium"
+74304000,"TOMATO JUICE W/ CLAM OR BEEF JUICE","Tomato juice with clam or beef juice"
+74401010,"TOMATO CATSUP","Tomato catsup"
+74401110,"TOMATO CATSUP, REDUCED SODIUM","Tomato catsup, reduced sodium"
+74402010,"TOMATO CHILI SAUCE (CATSUP TYPE)","Tomato chili sauce (catsup-type)"
+74402100,"SALSA, NFS","Salsa, NFS"
+74402110,"SALSA, PICO DE GALLO","Salsa, pico de gallo"
+74402150,"SALSA, RED, COMMERCIALLY-PREPARED","Salsa, red, commercially-prepared"
+74402200,"SALSA, RED, HOMEMADE","Salsa, red, homemade"
+74402250,"ENCHILADA SAUCE, RED","Enchilada sauce, red"
+74402260,"ENCHILADA SAUCE, GREEN","Enchilada sauce, green"
+74402350,"SALSA VERDE OR SALSA, GREEN","Salsa verde or salsa, green"
+74404010,"SPAGHETTI SAUCE, MEATLESS","Spaghetti sauce, meatless"
+74404020,"SPAGHETTI SAUCE W/ VEGETABLES, HOMEMADE-STYLE","Spaghetti sauce with vegetables, homemade-style"
+74404030,"SPAGHETTI SAUCE W/ MEAT, CANNED, NO EXTRA MEAT","Spaghetti sauce with meat, canned, no extra meat added"
+74404050,"SPAGHETTI SAUCE, MEATLESS, REDUCED SODIUM","Spaghetti sauce, meatless, reduced sodium"
+74404060,"SPAGHETTI SAUCE, MEATLESS, FAT FREE","Spaghetti sauce, meatless, fat free"
+74404090,"VODKA FLAVORED PASTA SAUCE MADE WITH TOMATOES AND CREAM","Vodka flavored pasta sauce made with tomatoes and cream"
+74405010,"TOMATO RELISH (INCLUDE TOMATO PRESERVES)","Tomato relish"
+74406010,"BARBECUE SAUCE","Barbecue sauce"
+74406050,"BARBECUE SAUCE, REDUCED SODIUM","Barbecue sauce, reduced sodium"
+74406100,"STEAK SAUCE, TOMATO-BASE (INCLUDE A-1)","Steak sauce, tomato-base"
+74406500,"COCKTAIL SAUCE","Cocktail sauce"
+74410110,"PUERTO RICAN SEASONING WITH HAM","Puerto Rican seasoning with ham"
+74415110,"PUERTO RICAN SEASONING W/ HAM & TOMATO SAUCE","Puerto Rican seasoning with ham and tomato sauce"
+74420110,"PUERTO RICAN SEASONING WO/ HAM & TOMATO SAUCE","Puerto Rican seasoning without ham and tomato sauce"
+74501010,"TOMATO ASPIC","Tomato aspic"
+74503010,"TOMATO & CORN, COOKED, FAT NOT ADDED IN COOKING","Tomato and corn, cooked, fat not added in cooking"
+74504000,"TOMATO & OKRA, COOKED, NS AS TO ADDED FAT","Tomato and okra, cooked, NS as to fat added in cooking"
+74504010,"TOMATO & OKRA, COOKED, NO FAT ADDED","Tomato and okra, cooked, fat not added in cooking"
+74504020,"TOMATO & OKRA, COOKED, FAT ADDED","Tomato and okra, cooked, fat added in cooking"
+74504100,"TOMATO & ONION, COOKED, NS FAT ADDED","Tomato and onion, cooked, NS as to fat added in cooking"
+74504110,"TOMATO & ONION, COOKED, FAT NOT ADDED IN COOKING","Tomato and onion, cooked, fat not added in cooking"
+74504120,"TOMATO & ONION, COOKED, FAT ADDED","Tomato and onion, cooked, fat added in cooking"
+74504150,"TOMATO & CELERY, COOKED, FAT NOT ADDED IN COOKING","Tomato and celery, cooked, fat not added in cooking"
+74505000,"TOMATO W/ CORN & OKRA, COOKED, NS AS TO ADDED FAT","Tomato with corn and okra, cooked, NS as to fat added in cooking"
+74505010,"TOMATO W/ CORN & OKRA, COOKED, NO FAT ADDED","Tomato with corn and okra, cooked, fat not added in cooking"
+74505020,"TOMATO W/ CORN & OKRA, COOKED, FAT ADDED","Tomato with corn and okra, cooked, fat added in cooking"
+74506000,"TOMATO & CUCUMBER SALAD W/ OIL & VINEGAR","Tomato and cucumber salad made with tomato, cucumber, oil, and vinegar"
+74601000,"TOMATO SOUP, NFS","Tomato soup, NFS"
+74601010,"TOMATO SOUP, CREAM OF,PREP W/ MILK","Tomato soup, cream of, prepared with milk"
+74602010,"TOMATO SOUP, PREPARED WITH WATER, OR READY-TO-SERVE","Tomato soup, prepared with water, or ready-to-serve"
+74602050,"TOMATO SOUP, INSTANT TYPE, PREPARED W/ WATER","Tomato soup, instant type, prepared with water"
+74602200,"TOMATO SOUP, CANNED, REDUCED SODIUM, PREPARED WITH WATER, OR","Tomato soup, canned, reduced sodium, prepared with water, or ready-to-serve"
+74602300,"TOMATO SOUP, CANNED, REDUCED SODIUM, PREP W/ MILK","Tomato soup, canned, reduced sodium, prepared with milk"
+74603010,"TOMATO BEEF SOUP, PREPARED W/ WATER","Tomato beef soup, prepared with water"
+74604010,"TOMATO BEEF NOODLE SOUP, PREPARED W/ WATER","Tomato beef noodle soup, prepared with water"
+74604100,"TOMATO BEEF RICE SOUP, PREPARED W/ WATER","Tomato beef rice soup, prepared with water"
+74604500,"TOMATO NOODLE SOUP, CANNED, PREPARED WITH WATER OR READY-TO-","Tomato noodle soup, canned, prepared with water or ready-to-serve"
+74604600,"TOMATO NOODLE SOUP, CANNED, PREPARED WITH MILK","Tomato noodle soup, canned, prepared with milk"
+74605010,"TOMATO RICE SOUP, PREPARED W/ WATER","Tomato rice soup, prepared with water"
+74606010,"TOMATO VEGETABLE SOUP, PREP W/ WATER","Tomato vegetable soup, prepared with water"
+74606020,"TOMATO VEGETABLE SOUP W/NOODLES, PREPARED W/ WATER","Tomato vegetable soup with noodles, prepared with water"
+74701000,"TOMATO SANDWICH","Tomato sandwich"
+75100250,"RAW VEGETABLE, NFS","Raw vegetable, NFS"
+75100300,"SPROUTS, NFS","Sprouts, NFS"
+75100500,"ALFALFA SPROUTS, RAW","Alfalfa sprouts, raw"
+75100750,"ARTICHOKE, JERUSALEM, RAW (INCLUDE SUNCHOKE)","Artichoke, Jerusalem, raw"
+75100800,"ASPARAGUS, RAW","Asparagus, raw"
+75101000,"BEAN SPROUTS, RAW (SOYBEAN/MUNG)","Bean sprouts, raw (soybean or mung)"
+75101800,"BEANS, STRING, GREEN, RAW","Beans, string, green, raw"
+75102000,"BEANS, LIMA, RAW","Beans, lima, raw"
+75102500,"BEETS, RAW","Beets, raw"
+75102600,"BROCCOFLOWER, RAW","Broccoflower, raw"
+75102750,"BRUSSELS SPROUTS, RAW","Brussels sprouts, raw"
+75103000,"CABBAGE, GREEN, RAW","Cabbage, green, raw"
+75104000,"CABBAGE, CHINESE, RAW","Cabbage, Chinese, raw"
+75105000,"CABBAGE, RED, RAW","Cabbage, red, raw"
+75105500,"CACTUS, RAW","Cactus, raw"
+75107000,"CAULIFLOWER, RAW","Cauliflower, raw"
+75109000,"CELERY, RAW (INCLUDE CELERY, NFS)","Celery, raw"
+75109010,"FENNEL BULB, RAW","Fennel bulb, raw"
+75109400,"BASIL, RAW","Basil, raw"
+75109500,"CHIVES, RAW (INCLUDE CHIVES, NFS)","Chives, raw"
+75109550,"CILANTRO, RAW","Cilantro, raw"
+75109600,"CORN, RAW","Corn, raw"
+75111000,"CUCUMBER, RAW (INCLUDE CUCUMBER, NFS)","Cucumber, raw"
+75111200,"EGGPLANT, RAW","Eggplant, raw"
+75111500,"GARLIC, RAW","Garlic, raw"
+75111800,"JICAMA, RAW (INCLUDE YAMBEAN)","Jicama, raw"
+75112000,"KOHLRABI, RAW","Kohlrabi, raw"
+75112500,"LEEK, RAW","Leek, raw"
+75113000,"LETTUCE, RAW","Lettuce, raw"
+75113060,"LETTUCE, BOSTON, RAW","Lettuce, Boston, raw"
+75113070,"LETTUCE, MANOA","Lettuce, manoa"
+75113080,"LETTUCE, ARUGULA, RAW","Lettuce, arugula, raw"
+75114000,"MIXED SALAD GREENS, RAW","Mixed salad greens, raw"
+75115000,"MUSHROOMS, RAW","Mushrooms, raw"
+75117010,"ONIONS, YOUNG GREEN, RAW","Onions, young green, raw"
+75117020,"ONIONS, MATURE, RAW","Onions, mature, raw"
+75119000,"PARSLEY, RAW","Parsley, raw"
+75120000,"PEAS, GREEN, RAW","Peas, green, raw"
+75121000,"PEPPER, HOT CHILI, RAW (INCLUDE JALAPENO)","Pepper, hot chili, raw"
+75121400,"PEPPER, POBLANO, RAW","Pepper, poblano, raw"
+75121500,"PEPPER, SERRANO, RAW","Pepper, Serrano, raw"
+75122000,"PEPPER, RAW, NFS","Pepper, raw, NFS"
+75122100,"PEPPER, SWEET, GREEN, RAW","Pepper, sweet, green, raw"
+75122200,"PEPPER, SWEET, RED, RAW","Pepper, sweet, red, raw"
+75124000,"PEPPER, BANANA, RAW","Pepper, banana, raw"
+75125000,"RADISH, RAW","Radish, raw"
+75127000,"RUTABAGA, RAW","Rutabaga, raw"
+75127500,"SEAWEED, RAW (INCLUDE BLANCHED)","Seaweed, raw"
+75127750,"SNOWPEA (PEA POD), RAW","Snowpeas (pea pod), raw"
+75128000,"SQUASH, SUMMER, YELLOW, RAW","Squash, summer, yellow, raw"
+75128010,"SQUASH, SUMMER, GREEN, RAW (INCLUDE ZUCCHINI)","Squash, summer, green, raw"
+75129000,"TURNIP, RAW","Turnip, raw"
+75132000,"MIXED VEGETABLE JUICE (OTHER THAN TOMATO)","Mixed vegetable juice (vegetables other than tomato)"
+75132100,"CELERY JUICE","Celery juice"
+75140500,"BROCCOLI SALAD W/CAULIFLOWER,CHEESE,BACON,&DRESSING","Broccoli salad with cauliflower, cheese, bacon bits, and dressing"
+75140510,"BROCCOLI SLAW SALAD","Broccoli slaw salad"
+75140990,"CABBAGE SALAD OR COLESLAW, FROM FAST FOOD / RESTAURANT","Cabbage salad or coleslaw, from fast food / restaurant"
+75141000,"CABBAGE SALAD OR COLESLAW, MADE WITH COLESLAW DRESSING","Cabbage salad or coleslaw, made with coleslaw dressing"
+75141005,"CABBAGE SALAD OR COLESLAW, MADE W/ LIGHT COLESLAW DRESSING","Cabbage salad or coleslaw, made with light coleslaw dressing"
+75141020,"CABBAGE SALAD OR COLESLAW, W/ ITALIAN DRSG","Cabbage salad or coleslaw, made with Italian dressing"
+75141025,"CABBAGE SALAD OR COLESLAW, W/LT ITALIAN DRSG","Cabbage salad or coleslaw, made with light Italian dressing"
+75141030,"CABBAGE SALAD OR COLESLAW, W/ CREAMY DRSG","Cabbage salad or coleslaw, made with creamy dressing"
+75141035,"CABBAGE SALAD OR COLESLAW, W/ LT CREAMY DRSG","Cabbage salad or coleslaw, made with light creamy dressing"
+75141040,"CABBAGE SALAD OR COLESLAW, W/ FAT FREE DRSG","Cabbage salad or coleslaw, made with any type of fat free dressing"
+75141100,"CABBAGE SALAD OR COLESLAW, W/APPLES/RAISINS, DRESS","Cabbage salad or coleslaw with apples and/or raisins, with dressing"
+75141200,"CABBAGE SALAD OR COLESLAW, W/ PINEAPPLE, DRESSING","Cabbage salad or coleslaw with pineapple, with dressing"
+75141300,"CABBAGE, CHINESE, SALAD, W/ DRESSING","Cabbage, Chinese, salad, with dressing"
+75141500,"CELERY, STUFFED W/ CHEESE","Celery, stuffed with cheese"
+75142000,"CUCUMBER & VEGETABLE NAMASU","Cucumber and vegetable namasu"
+75142500,"CUCUMBER SALAD, MADE WITH SOUR CREAM DRESSING","Cucumber salad, made with sour cream dressing"
+75142550,"CUCUMBER SALAD, W/ ITALIAN DRSG","Cucumber salad, made with Italian dressing"
+75142600,"CUCUMBER SALAD MADE W/ CUCUMBER AND VINEGAR","Cucumber salad made with cucumber and vinegar"
+75143000,"LETTUCE SALAD W/ ASSORTED VEGETABLES","Lettuce, salad with assorted vegetables including tomatoes and/or carrots, no dressing"
+75143050,"LETTUCE SALAD, W/ ASST VEG, NO TOM OR CAR, NO DRESS","Lettuce, salad with assorted vegetables excluding tomatoes and carrots, no dressing"
+75143100,"LETTUCE SALAD, W/ AVOCADO, TOMATO/CAR, NO DRESS","Lettuce, salad with avocado, tomato, and/or carrots, with or without other vegetables, no dressing"
+75143200,"LETTUCE SALAD, W/ CHEESE, TOM/CAR, NO DRESSING","Lettuce, salad with cheese, tomato and/or carrots, with or without other vegetables, no dressing"
+75143300,"LETTUCE SALAD, W/ EGG, TOM/CAR, NO DRESSING","Lettuce, salad with egg, tomato, and/or carrots, with or without other vegetables, no dressing"
+75143350,"LETTUCE SALAD W/ EGG, CHEESE, TOM/CAR, NO DRESSING","Lettuce, salad with egg, cheese, tomato, and/or carrots, with or without other vegetables, no dressing"
+75144100,"LETTUCE, WILTED, W/ BACON DRESSING","Lettuce, wilted, with bacon dressing"
+75145000,"SEVEN-LAYER SALAD(LETTUCE, MAYO, CHEESE, EGG, PEAS)","Seven-layer salad (lettuce salad made with a combination of onion, celery, green pepper, peas, mayonnaise, cheese, eggs, and/or bacon)"
+75146000,"GREEK SALAD, NO DRESSING","Greek Salad, no dressing"
+75147000,"SPINACH SALAD, NO DRESSING","Spinach salad, no dressing"
+75148010,"COBB SALAD, NO DRESSING","Cobb salad, no dressing"
+75200100,"VEGETABLES, NS AS TO TYPE, NS AS TO ADDED FAT","Vegetables, NS as to type, cooked, NS as to fat added in cooking"
+75200110,"VEGETABLES, NS AS TO TYPE, NO FAT ADDED","Vegetables, NS as to type, cooked, fat not added in cooking"
+75200120,"VEGETABLES, NS AS TO TYPE, COOKED, FAT ADDED","Vegetables, NS as to type, cooked, fat added in cooking"
+75200600,"ALGAE, DRIED (INCLUDE SPIRULINA)","Algae, dried"
+75200700,"ALOE VERA JUICE","Aloe vera juice"
+75201000,"ARTICHOKE, GLOBE(FRENCH), CKD, NS FORM, NS FAT ADDED","Artichoke, globe (French), cooked, NS as to form, NS as to fat added in cooking"
+75201001,"ARTICHOKE, GLOBE(FRENCH), CKD, FROM FRESH, NS FAT ADDED","Artichoke, globe (French), cooked, from fresh, NS as to fat added in cooking"
+75201002,"ARTICHOKE, GLOBE(FRENCH), CKD, FROM FROZ, NS FAT ADDED","Artichoke, globe (French), cooked, from frozen, NS as to fat added in cooking"
+75201003,"ARTICHOKE, GLOBE(FRENCH), CKD, FROM CAN, NS FAT ADDED","Artichoke, globe (French), cooked, from canned, NS as to fat added in cooking"
+75201010,"ARTICHOKE,GLOBE (FRENCH),CKD,NS FORM,FAT NOT ADDED","Artichoke, globe (French), cooked, NS as to form, fat not added in cooking"
+75201011,"ARTICHOKE,GLOBE (FRENCH),CKD,FROM FRESH,FAT NOT ADDED","Artichoke, globe (French), cooked, from fresh, fat not added in cooking"
+75201012,"ARTICHOKE,GLOBE (FRENCH),CKD,FROM FROZ,FAT NOT ADDED","Artichoke, globe (French), cooked, from frozen, fat not added in cooking"
+75201013,"ARTICHOKE,GLOBE (FRENCH),CKD,FROM CAN,FAT NOT ADDED","Artichoke, globe (French), cooked, from canned, fat not added in cooking"
+75201020,"ARTICHOKE, GLOBE (FRENCH), CKD, NS FORM, FAT ADDED","Artichoke, globe (French), cooked, NS as to form, fat added in cooking"
+75201021,"ARTICHOKE, GLOBE (FRENCH), CKD, FROM FRESH, FAT ADDED","Artichoke, globe (French), cooked, from fresh, fat added in cooking"
+75201022,"ARTICHOKE, GLOBE (FRENCH), CKD, FROM FROZ, FAT ADDED","Artichoke, globe (French), cooked, from frozen, fat added in cooking"
+75201023,"ARTICHOKE, GLOBE (FRENCH), CKD, FROM CAN, FAT ADDED","Artichoke, globe (French), cooked, from canned, fat added in cooking"
+75201030,"ARTICHOKE SALAD IN OIL","Artichoke salad in oil"
+75202000,"ASPARAGUS, COOKED, NS AS TO FORM, NS FAT ADDED","Asparagus, cooked, NS as to form, NS as to fat added in cooking"
+75202001,"ASPARAGUS, COOKED, FROM FRESH, NS FAT ADDED","Asparagus, cooked, from fresh, NS as to fat added in cooking"
+75202002,"ASPARAGUS, COOKED, FROM FROZEN, NS FAT ADDED","Asparagus, cooked, from frozen, NS as to fat added in cooking"
+75202003,"ASPARAGUS, COOKED, FROM CANNED, NS FAT ADDED","Asparagus, cooked, from canned, NS as to fat added in cooking"
+75202010,"ASPARAGUS, COOKED, NS AS TO FORM, FAT NOT ADDED","Asparagus, cooked, NS as to form, fat not added in cooking"
+75202011,"ASPARAGUS, COOKED, FROM FRESH, FAT NOT ADDED","Asparagus, cooked, from fresh, fat not added in cooking"
+75202012,"ASPARAGUS, COOKED, FROM FROZEN, FAT NOT ADDED","Asparagus, cooked, from frozen, fat not added in cooking"
+75202013,"ASPARAGUS, COOKED, FROM CANNED, FAT NOT ADDED","Asparagus, cooked, from canned, fat not added in cooking"
+75202020,"ASPARAGUS, COOKED, NS AS TO FORM, FAT ADDED","Asparagus, cooked, NS as to form, fat added in cooking"
+75202021,"ASPARAGUS, COOKED, FROM FRESH, FAT ADDED","Asparagus, cooked, from fresh, fat added in cooking"
+75202022,"ASPARAGUS, COOKED, FROM FROZEN, FAT ADDED","Asparagus, cooked, from frozen, fat added in cooking"
+75202023,"ASPARAGUS, COOKED, FROM CANNED, FAT ADDED","Asparagus, cooked, from canned, fat added in cooking"
+75203000,"BAMBOO SHOOTS, COOKED, FAT NOT ADDED IN COOKING","Bamboo shoots, cooked, fat not added in cooking"
+75203020,"BAMBOO SHOOTS, COOKED, FAT ADDED IN COOKING","Bamboo shoots, cooked, fat added in cooking"
+75204000,"BEANS, LIMA, IMMATURE, COOKED, NS FORM, NS AS TO FAT","Beans, lima, immature, cooked, NS as to form, NS as to fat added in cooking"
+75204001,"BEANS, LIMA, IMMATURE, COOKED, FROM FRESH, NS FAT ADDED","Beans, lima, immature, cooked, from fresh, NS as to fat added in cooking"
+75204002,"BEANS, LIMA, IMMATURE, COOKED, FROM FROZEN, NS FAT ADDED","Beans, lima, immature, cooked, from frozen, NS as to fat added in cooking"
+75204003,"BEANS, LIMA, IMMATURE, COOKED, FROM CANNED, NS FAT ADDED","Beans, lima, immature, cooked, from canned, NS as to fat added in cooking"
+75204010,"BEANS, LIMA, IMMATURE, COOKED, NS FORM, NO FAT ADDED","Beans, lima, immature, cooked, NS as to form, fat not added in cooking"
+75204011,"BEANS, LIMA, IMMATURE, COOKED, FROM FRESH, NO FAT ADDED","Beans, lima, immature, cooked, from fresh, fat not added in cooking"
+75204012,"BEANS, LIMA, IMMATURE, COOKED, FROM FROZ, NO FAT ADDED","Beans, lima, immature, cooked, from frozen, fat not added in cooking"
+75204013,"BEANS, LIMA, IMMATURE, COOKED, FROM CAN, NO FAT ADDED","Beans, lima, immature, cooked, from canned, fat not added in cooking"
+75204020,"BEANS, LIMA, IMMATURE, COOKED, NS FORM, FAT ADDED","Beans, lima, immature, cooked, NS as to form, fat added in cooking"
+75204021,"BEANS, LIMA, IMMATURE, COOKED, FROM FRESH, FAT ADDED","Beans, lima, immature, cooked, from fresh, fat added in cooking"
+75204022,"BEANS, LIMA, IMMATURE, COOKED, FROM FROZ, FAT ADDED","Beans, lima, immature, cooked, from frozen, fat added in cooking"
+75204023,"BEANS, LIMA, IMMATURE, COOKED, FROM CAN, FAT ADDED","Beans, lima, immature, cooked, from canned, fat added in cooking"
+75204100,"BEANS, LIMA,IMMATURE,CANNED,LOW SODIUM,NS AS TO FAT","Beans, lima, immature, canned, low sodium, NS as to fat added in cooking"
+75204110,"BEANS, LIMA,IMMATURE,CANNED,LOW SODIUM,NO FAT ADDED","Beans, lima, immature, canned, low sodium, fat not added in cooking"
+75204120,"BEANS, LIMA, IMMATURE, CANNED,LOW SODIUM, FAT ADDED","Beans, lima, immature, canned, low sodium, fat added in cooking"
+75204980,"BEANS, STRING, CKD, NS FORM, NS COLOR, FAT ADDED","Beans, string, cooked, NS as to form, NS as to color, fat added in cooking"
+75204981,"BEANS, STRING, CKD, FROM FRESH, NS COLOR, FAT ADDED","Beans, string, cooked, from fresh, NS as to color, fat added in cooking"
+75204982,"BEANS, STRING, CKD, FROM FROZ, NS COLOR, FAT ADDED","Beans, string, cooked, from frozen, NS as to color, fat added in cooking"
+75204983,"BEANS, STRING, CKD, FROM CAN, NS COLOR, FAT ADDED","Beans, string, cooked, from canned, NS as to color, fat added in cooking"
+75204990,"BEANS, STRING, CKD, NS FORM, NS COLOR, NO FAT ADDED","Beans, string, cooked, NS as to form, NS as to color, fat not added in cooking"
+75204991,"BEANS, STRING, CKD, FROM FRESH, NS COLOR, NO FAT ADDED","Beans, string, cooked, from fresh, NS as to color, fat not added in cooking"
+75204992,"BEANS, STRING, CKD, FROM FROZ, NS COLOR, NO FAT ADDED","Beans, string, cooked, from frozen, NS as to color, fat not added in cooking"
+75204993,"BEANS, STRING, CKD, FROM CAN, NS COLOR, NO FAT ADDED","Beans, string, cooked, from canned, NS as to color, fat not added in cooking"
+75205000,"BEANS, STRING, CKD, NS FORM, NS COLOR, NS FAT ADDED","Beans, string, cooked, NS as to form, NS as to color, NS as to fat added in cooking"
+75205001,"BEANS, STRING, CKD, FROM FRESH, NS COLOR, NS FAT ADDED","Beans, string, cooked, from fresh, NS as to color, NS as to fat added in cooking"
+75205002,"BEANS, STRING, CKD, FROM FROZ, NS COLOR, NS FAT ADDED","Beans, string, cooked, from frozen, NS as to color, NS as to fat added in cooking"
+75205003,"BEANS, STRING, CKD, FROM CAN, NS COLOR, NS FAT ADDED","Beans, string, cooked, from canned, NS as to color, NS as to fat added in cooking"
+75205010,"BEANS, STRING, GREEN, COOKED, NS FORM, NS FAT ADDED","Beans, string, green, cooked, NS as to form, NS as to fat added in cooking"
+75205011,"BEANS, STRING, GREEN, COOKED, FROM FRESH, NS FAT ADDED","Beans, string, green, cooked, from fresh, NS as to fat added in cooking"
+75205012,"BEANS, STRING, GREEN, COOKED, FROM FROZEN, NS FAT ADDED","Beans, string, green, cooked, from frozen, NS as to fat added in cooking"
+75205013,"BEANS, STRING, GREEN, COOKED, FROM CANNED, NS FAT ADDED","Beans, string, green, cooked, from canned, NS as to fat added in cooking"
+75205020,"BEANS, STRING, GREEN, COOKED, NS FORM,FAT NOT ADDED","Beans, string, green, cooked, NS as to form, fat not added in cooking"
+75205021,"BEANS, STRING, GREEN, COOKED, FROM FRESH, FAT NOT ADDED","Beans, string, green, cooked, from fresh, fat not added in cooking"
+75205022,"BEANS, STRING, GREEN, COOKED, FROM FROZEN, FAT NOT ADDED","Beans, string, green, cooked, from frozen, fat not added in cooking"
+75205023,"BEANS, STRING, GREEN, COOKED, FROM CANNED, FAT NOT ADDED","Beans, string, green, cooked, from canned, fat not added in cooking"
+75205030,"BEANS, STRING, GREEN, COOKED, NS FORM, FAT ADDED","Beans, string, green, cooked, NS as to form, fat added in cooking"
+75205031,"BEANS, STRING, GREEN, COOKED, FROM FRESH, FAT ADDED","Beans, string, green, cooked, from fresh, fat added in cooking"
+75205032,"BEANS, STRING, GREEN, COOKED, FROM FROZEN, FAT ADDED","Beans, string, green, cooked, from frozen, fat added in cooking"
+75205033,"BEANS, STRING, GREEN, COOKED, FROM CANNED, FAT ADDED","Beans, string, green, cooked, from canned, fat added in cooking"
+75205110,"BEANS, GREEN, CANNED, LO NA, NS AS TO ADDED FAT","Beans, string, green, canned, low sodium, NS as to fat added in cooking"
+75205120,"BEANS, GREEN, CANNED, LO NA, FAT NOT ADDED","Beans, string, green, canned, low sodium, fat not added in cooking"
+75205130,"BEANS, GREEN, CANNED, LO NA, FAT ADDED","Beans, string, green, canned, low sodium, fat added in cooking"
+75206000,"BEANS, STRING, YELLOW, COOKED, NS FORM, NS ADDED FAT","Beans, string, yellow, cooked, NS as to form, NS as to fat added in cooking"
+75206001,"BEANS, STRING, YELLOW, COOKED, FROM FRESH, NS ADDED FAT","Beans, string, yellow, cooked, from fresh, NS as to fat added in cooking"
+75206002,"BEANS, STRING, YELLOW, COOKED, FROM FROZ, NS ADDED FAT","Beans, string, yellow, cooked, from frozen, NS as to fat added in cooking"
+75206003,"BEANS, STRING, YELLOW, COOKED, FROM CANNED, NS ADDED FAT","Beans, string, yellow, cooked, from canned, NS as to fat added in cooking"
+75206010,"BEANS, STRING, YELLOW, COOKED, NS FORM, NO FAT ADDED","Beans, string, yellow, cooked, NS as to form, fat not added in cooking"
+75206011,"BEANS, STRING, YELLOW, COOKED, FROM FRESH, NO FAT ADDED","Beans, string, yellow, cooked, from fresh, fat not added in cooking"
+75206012,"BEANS, STRING, YELLOW, COOKED, FROM FROZ, NO FAT ADDED","Beans, string, yellow, cooked, from frozen, fat not added in cooking"
+75206013,"BEANS, STRING, YELLOW, COOKED, FROM CANNED, NO FAT ADDED","Beans, string, yellow, cooked, from canned, fat not added in cooking"
+75206020,"BEANS, STRING, YELLOW, COOKED, NS FORM, FAT ADDED","Beans, string, yellow, cooked, NS as to form, fat added in cooking"
+75206021,"BEANS, STRING, YELLOW, COOKED, FROM FRESH, FAT ADDED","Beans, string, yellow, cooked, from fresh, fat added in cooking"
+75206022,"BEANS, STRING, YELLOW, COOKED, FROM FROZ, FAT ADDED","Beans, string, yellow, cooked, from frozen, fat added in cooking"
+75206023,"BEANS, STRING, YELLOW, COOKED, FROM CAN, FAT ADDED","Beans, string, yellow, cooked, from canned, fat added in cooking"
+75207000,"BEAN SPROUTS, COOKED, NS FORM, NS AS TO ADDED FAT","Bean sprouts, cooked, NS as to form, NS as to fat added in cooking"
+75207001,"BEAN SPROUTS, COOKED, FROM FRESH, NS FAT ADDED","Bean sprouts, cooked, from fresh, NS as to fat added in cooking"
+75207003,"BEAN SPROUTS, COOKED, FROM CANNED, NS FAT ADDED","Bean sprouts, cooked, from canned, NS as to fat added in cooking"
+75207010,"BEAN SPROUTS, COOKED, NS AS TO FORM, FAT NOT ADDED","Bean sprouts, cooked, NS as to form, fat not added in cooking"
+75207011,"BEAN SPROUTS, COOKED, FROM FRESH, FAT NOT ADDED","Bean sprouts, cooked, from fresh, fat not added in cooking"
+75207013,"BEAN SPROUTS, COOKED, FROM CANNED, FAT NOT ADDED","Bean sprouts, cooked, from canned, fat not added in cooking"
+75207020,"BEAN SPROUTS, COOKED, NS AS TO FORM, FAT ADDED","Bean sprouts, cooked, NS as to form, fat added in cooking"
+75207021,"BEAN SPROUTS, COOKED, FROM FRESH, FAT ADDED","Bean sprouts, cooked, from fresh, fat added in cooking"
+75207023,"BEAN SPROUTS, COOKED, FROM CANNED, FAT ADDED","Bean sprouts, cooked, from canned, fat added in cooking"
+75208000,"BEETS, COOKED, NS AS TO FORM, NS AS TO FAT ADDED","Beets, cooked, NS as to form, NS as to fat added in cooking"
+75208001,"BEETS, COOKED, FROM FRESH, NS AS TO FAT ADDED","Beets, cooked, from fresh, NS as to fat added in cooking"
+75208002,"BEETS, COOKED, FROM FROZEN, NS AS TO FAT ADDED","Beets, cooked, from frozen, NS as to fat added in cooking"
+75208003,"BEETS, COOKED, FROM CANNED, NS AS TO FAT ADDED","Beets, cooked, from canned, NS as to fat added in cooking"
+75208010,"BEETS, COOKED, NS AS TO FORM, FAT NOT ADDED","Beets, cooked, NS as to form, fat not added in cooking"
+75208011,"BEETS, COOKED, FROM FRESH, FAT NOT ADDED","Beets, cooked, from fresh, fat not added in cooking"
+75208012,"BEETS, COOKED, FROM FROZEN, FAT NOT ADDED","Beets, cooked, from frozen, fat not added in cooking"
+75208013,"BEETS, COOKED, FROM CANNED, FAT NOT ADDED","Beets, cooked, from canned, fat not added in cooking"
+75208020,"BEETS, COOKED, NS AS TO FORM, FAT ADDED","Beets, cooked, NS as to form, fat added in cooking"
+75208021,"BEETS, COOKED, FROM FRESH, FAT ADDED","Beets, cooked, from fresh, fat added in cooking"
+75208022,"BEETS, COOKED, FROM FROZEN, FAT ADDED","Beets, cooked, from frozen, fat added in cooking"
+75208023,"BEETS, COOKED, FROM CANNED, FAT ADDED","Beets, cooked, from canned, fat added in cooking"
+75208100,"BEETS, CANNED, LOW SODIUM, NS AS TO ADDED FAT","Beets, canned, low sodium, NS as to fat added in cooking"
+75208110,"BEETS, CANNED, LOW SODIUM, FAT NOT ADDED","Beets, canned, low sodium, fat not added in cooking"
+75208120,"BEETS, CANNED, LOW SODIUM, FAT ADDED","Beets, canned, low sodium, fat added in cooking"
+75208290,"BITTERMELON, COOKED, NS AS TO ADDED FAT","Bitter melon, cooked, NS as to fat added in cooking"
+75208300,"BITTERMELON, COOKED, NO FAT ADDED(INCL BALSAM PEAR)","Bitter melon, cooked, fat not added in cooking"
+75208310,"BITTERMELON, COOKED, FAT ADDED (INCL BALSAM PEAR)","Bitter melon, cooked, fat added in cooking"
+75208500,"BREADFRUIT, COOKED,FAT NOT ADDED IN COOKING","Breadfruit, cooked, fat not added in cooking"
+75208520,"BREADFRUIT, FRIED","Breadfruit, fried"
+75208700,"BROCCOFLOWER,COOKED,NS AS TO FAT ADDED IN COOKING","Broccoflower, cooked, NS as to fat added in cooking"
+75208710,"BROCCOFLOWER,COOKED,FAT NOT ADDED IN COOKING","Broccoflower, cooked, fat not added in cooking"
+75208720,"BROCCOFLOWER,COOKED,FAT ADDED IN COOKING","Broccoflower, cooked, fat added in cooking"
+75209000,"BRUSSELS SPROUTS, COOKED, NS FORM, NS ADDED FAT","Brussels sprouts, cooked, NS as to form, NS as to fat added in cooking"
+75209001,"BRUSSELS SPROUTS, COOKED, FROM FRESH, NS ADDED FAT","Brussels sprouts, cooked, from fresh, NS as to fat added in cooking"
+75209002,"BRUSSELS SPROUTS, COOKED, FROM FROZ, NS ADDED FAT","Brussels sprouts, cooked, from frozen, NS as to fat added in cooking"
+75209010,"BRUSSELS SPROUTS, COOKED, NS FORM, FAT NOT ADDED","Brussels sprouts, cooked, NS as to form, fat not added in cooking"
+75209011,"BRUSSELS SPROUTS, COOKED, FROM FRESH, FAT NOT ADDED","Brussels sprouts, cooked, from fresh, fat not added in cooking"
+75209012,"BRUSSELS SPROUTS, COOKED, FROM FROZ, FAT NOT ADDED","Brussels sprouts, cooked, from frozen, fat not added in cooking"
+75209020,"BRUSSELS SPROUTS, COOKED, NS AS TO FORM, FAT ADDED","Brussels sprouts, cooked, NS as to form, fat added in cooking"
+75209021,"BRUSSELS SPROUTS, COOKED, FROM FRESH, FAT ADDED","Brussels sprouts, cooked, from fresh, fat added in cooking"
+75209022,"BRUSSELS SPROUTS, COOKED, FROM FROZ, FAT ADDED","Brussels sprouts, cooked, from frozen, fat added in cooking"
+75209500,"BURDOCK, COOKED, FAT NOT ADDED IN COOKING","Burdock, cooked, fat not added in cooking"
+75210000,"CABBAGE, CHINESE, COOKED, NS AS TO ADDED FAT","Cabbage, Chinese, cooked, NS as to fat added in cooking"
+75210010,"CABBAGE, CHINESE, COOKED, FAT NOT ADDED","Cabbage, Chinese, cooked, fat not added in cooking"
+75210020,"CABBAGE, CHINESE, COOKED, FAT ADDED","Cabbage, Chinese, cooked, fat added in cooking"
+75211010,"CABBAGE, GREEN, COOKED, NS FAT","Cabbage, green, cooked, NS as to fat added in cooking"
+75211020,"CABBAGE, GREEN, COOKED, FAT NOT ADDED","Cabbage, green, cooked, fat not added in cooking"
+75211030,"CABBAGE, GREEN, COOKED, FAT ADDED","Cabbage, green, cooked, fat added in cooking"
+75212000,"CABBAGE, RED, COOKED, NS AS TO ADDED FAT","Cabbage, red, cooked, NS as to fat added in cooking"
+75212010,"CABBAGE, RED, COOKED, FAT NOT ADDED","Cabbage, red, cooked, fat not added in cooking"
+75212020,"CABBAGE, RED, COOKED, FAT ADDED","Cabbage, red, cooked, fat added in cooking"
+75213000,"CABBAGE, SAVOY, COOKED, NS AS TO ADDED FAT","Cabbage, savoy, cooked, NS as to fat added in cooking"
+75213010,"CABBAGE, SAVOY, COOKED, FAT NOT ADDED","Cabbage, savoy, cooked, fat not added in cooking"
+75213020,"CABBAGE, SAVOY, COOKED, FAT ADDED","Cabbage, savoy, cooked, fat added in cooking"
+75213100,"CACTUS, COOKED, NS AS TO ADDED FAT","Cactus, cooked, NS as to fat added in cooking"
+75213110,"CACTUS, COOKED, FAT NOT ADDED","Cactus, cooked, fat not added in cooking"
+75213120,"CACTUS, COOKED, FAT ADDED","Cactus, cooked, fat added in cooking"
+75214000,"CAULIFLOWER, COOKED, NS FORM, NS FAT ADDED","Cauliflower, cooked, NS as to form, NS as to fat added in cooking"
+75214001,"CAULIFLOWER, COOKED, FROM FRESH, NS FAT ADDED","Cauliflower, cooked, from fresh, NS as to fat added in cooking"
+75214002,"CAULIFLOWER, COOKED, FROM FROZEN, NS FAT ADDED","Cauliflower, cooked, from frozen, NS as to fat added in cooking"
+75214003,"CAULIFLOWER, COOKED, FROM CANNED, NS FAT ADDED","Cauliflower, cooked, from canned, NS as to fat added in cooking"
+75214010,"CAULIFLOWER, COOKED, NS FORM, FAT NOT ADDED","Cauliflower, cooked, NS as to form, fat not added in cooking"
+75214011,"CAULIFLOWER, COOKED, FROM FRESH, FAT NOT ADDED","Cauliflower, cooked, from fresh, fat not added in cooking"
+75214012,"CAULIFLOWER, COOKED, FROM FROZEN, FAT NOT ADDED","Cauliflower, cooked, from frozen, fat not added in cooking"
+75214013,"CAULIFLOWER, COOKED, FROM CANNED, FAT NOT ADDED","Cauliflower, cooked, from canned, fat not added in cooking"
+75214020,"CAULIFLOWER, COOKED, NS AS TO FORM, FAT ADDED","Cauliflower, cooked, NS as to form, fat added in cooking"
+75214021,"CAULIFLOWER, COOKED, FROM FRESH, FAT ADDED","Cauliflower, cooked, from fresh, fat added in cooking"
+75214022,"CAULIFLOWER, COOKED, FROM FROZEN, FAT ADDED","Cauliflower, cooked, from frozen, fat added in cooking"
+75214023,"CAULIFLOWER, COOKED, FROM CANNED, FAT ADDED","Cauliflower, cooked, from canned, fat added in cooking"
+75215000,"CELERY, COOKED, NS AS TO ADDED FAT","Celery, cooked, NS as to fat added in cooking"
+75215010,"CELERY, COOKED, FAT NOT ADDED","Celery, cooked, fat not added in cooking"
+75215020,"CELERY, COOKED, FAT ADDED","Celery, cooked, fat added in cooking"
+75215100,"FENNEL BULB, COOKED, NS AS TO FAT ADDED","Fennel bulb, cooked, NS as to fat added in cooking"
+75215110,"FENNEL BULB, COOKED, FAT NOT ADDED IN COOKING","Fennel bulb, cooked, fat not added in cooking"
+75215120,"FENNEL BULB, COOKED, FAT ADDED IN COOKING","Fennel bulb, cooked, fat added in cooking"
+75215510,"CHRISTOPHINE, COOKED, FAT NOT ADDED IN COOKING","Christophine, cooked, fat not added in cooking"
+75216000,"CORN, COOKED, NS FORM, NS COLOR. NS FAT ADDED","Corn, cooked, NS as to form, NS as to color, NS as to fat added in cooking"
+75216001,"CORN, COOKED, FROM FRESH, NS COLOR. NS FAT ADDED","Corn, cooked, from fresh, NS as to color, NS as to fat added in cooking"
+75216002,"CORN, COOKED, FROM FROZEN, NS COLOR. NS FAT ADDED","Corn, cooked, from frozen, NS as to color, NS as to fat added in cooking"
+75216003,"CORN, COOKED, FROM CANNED, NS COLOR, NS FAT ADDED","Corn, cooked, from canned, NS as to color, NS as to fat added in cooking"
+75216010,"CORN, COOKED, NS FORM, NS COLOR, FAT NOT ADDED","Corn, cooked, NS as to form, NS as to color, fat not added in cooking"
+75216011,"CORN, COOKED, FROM FRESH, NS COLOR, FAT NOT ADDED","Corn, cooked, from fresh, NS as to color, fat not added in cooking"
+75216012,"CORN, COOKED, FROM FROZEN, NS COLOR, FAT NOT ADDED","Corn, cooked, from frozen, NS as to color, fat not added in cooking"
+75216013,"CORN, COOKED, FROM CANNED, NS COLOR, FAT NOT ADDED","Corn, cooked, from canned, NS as to color, fat not added in cooking"
+75216020,"CORN, COOKED, NS FORM, NS COLOR, FAT ADDED","Corn, cooked, NS as to form, NS as to color, fat added in cooking"
+75216021,"CORN, COOKED, FROM FRESH, NS COLOR, FAT ADDED","Corn, cooked, from fresh, NS as to color, fat added in cooking"
+75216022,"CORN, COOKED, FROM FROZEN, NS COLOR, FAT ADDED","Corn, cooked, from frozen, NS as to color, fat added in cooking"
+75216023,"CORN, COOKED, FROM CANNED, NS COLOR, FAT ADDED","Corn, cooked, from canned, NS as to color, fat added in cooking"
+75216050,"CORN, NS AS TO FORM, NS AS TO COLOR, CREAM STYLE","Corn, NS as to form, NS as to color, cream style"
+75216053,"CORN, FROM CANNED, NS AS TO COLOR, CREAM STYLE","Corn, from canned, NS as to color, cream style"
+75216070,"CORN, DRIED, COOKED","Corn, dried, cooked"
+75216100,"CORN, YELLOW, COOKED, NS FORM, NS FAT ADDED","Corn, yellow, cooked, NS as to form, NS as to fat added in cooking"
+75216101,"CORN, YELLOW, COOKED, FROM FRESH, NS FAT ADDED","Corn, yellow, cooked, from fresh, NS as to fat added in cooking"
+75216102,"CORN, YELLOW, COOKED, FROM FROZEN, NS FAT ADDED","Corn, yellow, cooked, from frozen, NS as to fat added in cooking"
+75216103,"CORN, YELLOW, COOKED, FROM CANNED, NS FAT ADDED","Corn, yellow, cooked, from canned, NS as to fat added in cooking"
+75216110,"CORN, YELLOW, COOKED, NS FORM, FAT NOT ADDED","Corn, yellow, cooked, NS as to form, fat not added in cooking"
+75216111,"CORN, YELLOW, COOKED, FROM FRESH, FAT NOT ADDED","Corn, yellow, cooked, from fresh, fat not added in cooking"
+75216112,"CORN, YELLOW, COOKED, FROM FROZEN, FAT NOT ADDED","Corn, yellow, cooked, from frozen, fat not added in cooking"
+75216113,"CORN, YELLOW, COOKED, FROM CANNED, FAT NOT ADDED","Corn, yellow, cooked, from canned, fat not added in cooking"
+75216120,"CORN, YELLOW, COOKED, NS FORM, FAT ADDED","Corn, yellow, cooked, NS as to form, fat added in cooking"
+75216121,"CORN, YELLOW, COOKED, FROM FRESH, FAT ADDED","Corn, yellow, cooked, from fresh, fat added in cooking"
+75216122,"CORN, YELLOW, COOKED, FROM FROZEN, FAT ADDED","Corn, yellow, cooked, from frozen, fat added in cooking"
+75216123,"CORN, YELLOW, COOKED, FROM CANNED, FAT ADDED","Corn, yellow, cooked, from canned, fat added in cooking"
+75216150,"CORN, YELLOW, NS AS TO FORM, CREAM STYLE","Corn, yellow, NS as to form, cream style"
+75216153,"CORN, YELLOW, FROM CANNED, CREAM STYLE","Corn, yellow, from canned, cream style"
+75216160,"CORN, YELLOW & WHITE, COOKED, NS FORM, NS FAT ADDED","Corn, yellow and white, cooked, NS as to form, NS as to fat added in cooking"
+75216161,"CORN, YELLOW & WHITE, COOKED, FROM FRESH, NS FAT ADDED","Corn, yellow and white, cooked, from fresh, NS as to fat added in cooking"
+75216162,"CORN, YELLOW & WHITE, COOKED, FROM FROZ, NS FAT ADDED","Corn, yellow and white, cooked, from frozen, NS as to fat added in cooking"
+75216163,"CORN, YELLOW & WHITE, COOKED, FROM CAN, NS FAT ADDED","Corn, yellow and white, cooked, from canned, NS as to fat added in cooking"
+75216170,"CORN, YELLOW & WHITE, COOKED, NS FORM, NO FAT ADDED","Corn, yellow and white, cooked, NS as to form, fat not added in cooking"
+75216171,"CORN, YELLOW & WHITE, COOKED, FROM FRESH, NO FAT ADDED","Corn, yellow and white, cooked, from fresh, fat not added in cooking"
+75216172,"CORN, YELLOW & WHITE, COOKED, FROM FROZ, NO FAT ADDED","Corn, yellow and white, cooked, from frozen, fat not added in cooking"
+75216173,"CORN, YELLOW & WHITE, COOKED, FROM CAN, NO FAT ADDED","Corn, yellow and white, cooked, from canned, fat not added in cooking"
+75216180,"CORN, YELLOW & WHITE, COOKED, NS FORM, FAT ADDED","Corn, yellow and white, cooked, NS as to form, fat added in cooking"
+75216181,"CORN, YELLOW & WHITE, COOKED, FROM FRESH, FAT ADDED","Corn, yellow and white, cooked, from fresh, fat added in cooking"
+75216182,"CORN, YELLOW & WHITE, COOKED, FROM FROZ, FAT ADDED","Corn, yellow and white, cooked, from frozen, fat added in cooking"
+75216183,"CORN, YELLOW & WHITE, COOKED, FROM CAN, FAT ADDED","Corn, yellow and white, cooked, from canned, fat added in cooking"
+75216190,"CORN, YELLOW, NS AS TO FORM, CREAM STYLE, FAT ADDED","Corn, yellow, NS as to form, cream style, fat added in cooking"
+75216193,"CORN, YELLOW, FROM CANNED, CREAM STYLE, FAT ADDED","Corn, yellow, from canned, cream style, fat added in cooking"
+75216200,"CORN, WHITE, COOKED, NS FORM, NS FAT ADDED","Corn, white, cooked, NS as to form, NS as to fat added in cooking"
+75216201,"CORN, WHITE, COOKED, FROM FRESH, NS FAT ADDED","Corn, white, cooked, from fresh, NS as to fat added in cooking"
+75216202,"CORN, WHITE, COOKED, FROM FROZEN, NS FAT ADDED","Corn, white, cooked, from frozen, NS as to fat added in cooking"
+75216203,"CORN, WHITE, COOKED, FROM CANNED, NS FAT ADDED","Corn, white, cooked, from canned, NS as to fat added in cooking"
+75216210,"CORN, WHITE, COOKED, NS AS TO FORM, FAT NOT ADDED","Corn, white, cooked, NS as to form, fat not added in cooking"
+75216211,"CORN, WHITE, COOKED, FROM FRESH, FAT NOT ADDED","Corn, white, cooked, from fresh, fat not added in cooking"
+75216212,"CORN, WHITE, COOKED, FROM FROZEN, FAT NOT ADDED","Corn, white, cooked, from frozen, fat not added in cooking"
+75216213,"CORN, WHITE, COOKED, FROM CANNED, FAT NOT ADDED","Corn, white, cooked, from canned, fat not added in cooking"
+75216220,"CORN, WHITE, COOKED, NS AS TO FORM, FAT ADDED","Corn, white, cooked, NS as to form, fat added in cooking"
+75216221,"CORN, WHITE, COOKED, FROM FRESH, FAT ADDED","Corn, white, cooked, from fresh, fat added in cooking"
+75216222,"CORN, WHITE, COOKED, FROM FROZEN, FAT ADDED","Corn, white, cooked, from frozen, fat added in cooking"
+75216223,"CORN, WHITE, COOKED, FROM CANNED, FAT ADDED","Corn, white, cooked, from canned, fat added in cooking"
+75216250,"CORN, WHITE, NS AS TO FORM, CREAM STYLE","Corn, white, NS as to form, cream style"
+75216253,"CORN, WHITE, FROM CANNED, CREAM STYLE","Corn, white, from canned, cream style"
+75216300,"CORN, YELLOW, CANNED, LO NA, NS AS TO ADDED FAT","Corn, yellow, canned, low sodium, NS as to fat added in cooking"
+75216310,"CORN, YELLOW, CANNED, LOW SODIUM, FAT NOT ADDED","Corn, yellow, canned, low sodium, fat not added in cooking"
+75216320,"CORN, YELLOW, CANNED, LOW SODIUM, FAT ADDED","Corn, yellow, canned, low sodium, fat added in cooking"
+75216700,"CUCUMBER, COOKED, NS AS TO ADDED FAT","Cucumber, cooked, NS as to fat added in cooking"
+75216710,"CUCUMBER, COOKED, FAT NOT ADDED","Cucumber, cooked, fat not added in cooking"
+75216720,"CUCUMBER, COOKED, FAT ADDED","Cucumber, cooked, fat added in cooking"
+75217000,"EGGPLANT, COOKED, NS AS TO ADDED FAT","Eggplant, cooked, NS as to fat added in cooking"
+75217010,"EGGPLANT, COOKED, FAT NOT ADDED","Eggplant, cooked, fat not added in cooking"
+75217020,"EGGPLANT, COOKED, FAT ADDED","Eggplant, cooked, fat added in cooking"
+75217300,"FLOWERS / BLOSSOMS OF SESBANIA/LILY/SQUASH, NO FAT","Flowers or blossoms of sesbania, squash, or lily, fat not added in cooking"
+75217400,"GARLIC, COOKED","Garlic, cooked"
+75217490,"HOMINY, COOKED, NS AS TO ADDED FAT","Hominy, cooked, NS as to fat added in cooking"
+75217500,"HOMINY, COOKED, NO FAT ADDED","Hominy, cooked, fat not added in cooking"
+75217520,"HOMINY, COOKED, FAT ADDED","Hominy, cooked, fat added in cooking"
+75218010,"KOHLRABI, COOKED,FAT NOT ADDED IN COOKING","Kohlrabi, cooked, fat not added in cooking"
+75218400,"LEEK, COOKED, NS AS TO FAT ADDED IN COOKING","Leek, cooked, NS as to fat added in cooking"
+75218500,"LOTUS ROOT, COOKED, FAT NOT ADDED IN COOKING","Lotus root, cooked, fat not added in cooking"
+75219000,"MUSHROOMS, COOKED, NS FORM, NS AS TO ADDED FAT","Mushrooms, cooked, NS as to form, NS as to fat added in cooking"
+75219001,"MUSHROOMS, COOKED, FROM FRESH, NS FAT ADDED","Mushrooms, cooked, from fresh, NS as to fat added in cooking"
+75219002,"MUSHROOMS, COOKED, FROM FROZ, NS FAT ADDED","Mushrooms, cooked, from frozen, NS as to fat added in cooking"
+75219003,"MUSHROOMS, COOKED, FROM CANNED, NS FAT ADDED","Mushrooms, cooked, from canned, NS as to fat added in cooking"
+75219010,"MUSHROOMS, COOKED, NS AS TO FORM, FAT NOT ADDED","Mushrooms, cooked, NS as to form, fat not added in cooking"
+75219011,"MUSHROOMS, COOKED, FROM FRESH, FAT NOT ADDED","Mushrooms, cooked, from fresh, fat not added in cooking"
+75219012,"MUSHROOMS, COOKED, FROM FROZ, FAT NOT ADDED","Mushrooms, cooked, from frozen, fat not added in cooking"
+75219013,"MUSHROOMS, COOKED, FROM CANNED, FAT NOT ADDED","Mushrooms, cooked, from canned, fat not added in cooking"
+75219020,"MUSHROOMS, COOKED, NS AS TO FORM, FAT ADDED","Mushrooms, cooked, NS as to form, fat added in cooking"
+75219021,"MUSHROOMS, COOKED, FROM FRESH, FAT ADDED","Mushrooms, cooked, from fresh, fat added in cooking"
+75219022,"MUSHROOMS, COOKED, FROM FROZ, FAT ADDED","Mushrooms, cooked, from frozen, fat added in cooking"
+75219023,"MUSHROOMS, COOKED, FROM CANNED, FAT ADDED","Mushrooms, cooked, from canned, fat added in cooking"
+75219100,"MUSHROOM, ASIAN, COOKED, FROM DRIED","Mushroom, Asian, cooked, from dried"
+75220000,"OKRA, COOKED, NS FORM, NS FAT ADDED","Okra, cooked, NS as to form, NS as to fat added in cooking"
+75220001,"OKRA, COOKED, FROM FRESH, NS FAT ADDED","Okra, cooked, from fresh, NS as to fat added in cooking"
+75220002,"OKRA, COOKED, FROM FROZ, NS FAT ADDED","Okra, cooked, from frozen, NS as to fat added in cooking"
+75220003,"OKRA, COOKED, FROM CANNED, NS FAT ADDED","Okra, cooked, from canned, NS as to fat added in cooking"
+75220010,"OKRA, COOKED, NS FORM, FAT NOT ADDED","Okra, cooked, NS as to form, fat not added in cooking"
+75220011,"OKRA, COOKED, FROM FRESH, FAT NOT ADDED","Okra, cooked, from fresh, fat not added in cooking"
+75220012,"OKRA, COOKED, FROM FROZ, FAT NOT ADDED","Okra, cooked, from frozen, fat not added in cooking"
+75220013,"OKRA, COOKED, FROM CANNED, FAT NOT ADDED","Okra, cooked, from canned, fat not added in cooking"
+75220020,"OKRA, COOKED, NS FORM, FAT ADDED","Okra, cooked, NS as to form, fat added in cooking"
+75220021,"OKRA, COOKED, FROM FRESH, FAT ADDED","Okra, cooked, from fresh, fat added in cooking"
+75220022,"OKRA, COOKED, FROM FROZ, FAT ADDED","Okra, cooked, from frozen, fat added in cooking"
+75220023,"OKRA, COOKED, FROM CANNED, FAT ADDED","Okra, cooked, from canned, fat added in cooking"
+75220050,"LETTUCE, COOKED, FAT NOT ADDED IN COOKING","Lettuce, cooked, fat not added in cooking"
+75220100,"LUFFA (CHINESE OKRA), COOKED, NO FAT ADDED","Luffa (Chinese okra), cooked, fat not added in cooking"
+75221000,"ONIONS, MATURE, COOKED, NS FORM, NS AS TO ADDED FAT","Onions, mature, cooked, NS as to form, NS as to fat added in cooking"
+75221001,"ONIONS, MATURE, COOKED, FROM FRESH, NS FAT ADDED","Onions, mature, cooked, from fresh, NS as to fat added in cooking"
+75221002,"ONIONS, MATURE, COOKED, FROM FROZ, NS FAT ADDED","Onions, mature, cooked, from frozen, NS as to fat added in cooking"
+75221010,"ONIONS, MATURE, COOKED, NS FORM, FAT NOT ADDED","Onions, mature, cooked, NS as to form, fat not added in cooking"
+75221011,"ONIONS, MATURE, COOKED, FROM FRESH, FAT NOT ADDED","Onions, mature, cooked, from fresh, fat not added in cooking"
+75221012,"ONIONS, MATURE, COOKED, FROM FROZ, FAT NOT ADDED","Onions, mature, cooked, from frozen, fat not added in cooking"
+75221020,"ONIONS, MATURE, COOKED, NS AS TO FORM, FAT ADDED","Onions, mature, cooked or sauteed, NS as to form, fat added in cooking"
+75221021,"ONIONS, MATURE, COOKED, FROM FRESH, FAT ADDED","Onions, mature, cooked or sauteed, from fresh, fat added in cooking"
+75221022,"ONIONS, MATURE, COOKED, FROM FROZ, FAT ADDED","Onions, mature, cooked or sauteed, from frozen, fat added in cooking"
+75221030,"ONIONS, PEARL, COOKED, NS FORM (INCL PICKLED/COCKTAIL)","Onions, pearl, cooked, NS as to form"
+75221031,"ONIONS, PEARL, COOKED, FROM FRESH (INCL PICKLED/COCKTAIL)","Onions, pearl, cooked, from fresh"
+75221032,"ONIONS, PEARL, COOKED, FROM FROZ (INCL PICKLED/COCKTAIL)","Onions, pearl, cooked, from frozen"
+75221033,"ONIONS, PEARL, COOKED, FROM CAN (INCL PICKLED/COCKTAIL)","Onions, pearl, cooked, from canned"
+75221040,"ONIONS, YOUNG GREEN, COOKED, NS FORM, NS ADDED FAT","Onion, young green, cooked, NS as to form, NS as to fat added in cooking"
+75221041,"ONIONS, YOUNG GREEN, COOKED, FROM FRESH, NS ADDED FAT","Onion, young green, cooked, from fresh, NS as to fat added in cooking"
+75221050,"ONIONS, YOUNG GREEN, COOKED, NS FORM, NO FAT ADDED","Onions, young green, cooked, NS as to form, fat not added in cooking"
+75221051,"ONIONS, YOUNG GREEN, COOKED, FROM FRESH, NO FAT ADDED","Onions, young green, cooked, from fresh, fat not added in cooking"
+75221060,"ONIONS, YOUNG GREEN, COOKED, NS FORM, FAT ADDED","Onion, young green, cooked, NS as to form, fat added in cooking"
+75221061,"ONIONS, YOUNG GREEN, COOKED, FROM FRESH, FAT ADDED","Onion, young green, cooked, from fresh, fat added in cooking"
+75221100,"ONIONS, DEHYDRATED","Onion, dehydrated"
+75221160,"PALM HEARTS, COOKED (ASSUME NO FAT ADDED)","Palm hearts, cooked (assume fat not added in cooking)"
+75221210,"PARSLEY, COOKED (ASSUME NO FAT ADDED)","Parsley, cooked (assume fat not added in cooking)"
+75222000,"PARSNIPS, COOKED, NS AS TO ADDED FAT","Parsnips, cooked, NS as to fat added in cooking"
+75222010,"PARSNIPS, COOKED, FAT NOT ADDED","Parsnips, cooked, fat not added in cooking"
+75222020,"PARSNIPS, COOKED, FAT ADDED","Parsnips, cooked, fat added in cooking"
+75223000,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,NS FORM,NS FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, NS as to form, NS as to fat added in cooking"
+75223001,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD, FROM FRESH,NS FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from fresh, NS as to fat added in cooking"
+75223002,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD, FROM FROZ,NS FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from frozen, NS as to fat added in cooking"
+75223003,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD, FROM CAN,NS FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from canned, NS as to fat added in cooking"
+75223010,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,NS FORM,NO FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, NS as to form, fat not added in cooking"
+75223011,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM FRESH,NO FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from fresh, fat not added in cooking"
+75223012,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM FROZ,NO FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from frozen, fat not added in cooking"
+75223013,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM CAN,NO FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from canned, fat not added in cooking"
+75223020,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,NS FORM,W/ FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, NS as to form, fat added in cooking"
+75223021,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM FRESH,W/ FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from fresh, fat added in cooking"
+75223022,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM FROZ,W/ FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from frozen, fat added in cooking"
+75223023,"PEAS,COW/FIELD/BLACKEYE,NOT DRY,CKD,FROM CAN,W/ FAT","Peas, cowpeas, field peas, or blackeye peas (not dried), cooked, from canned, fat added in cooking"
+75224010,"PEAS, GREEN, COOKED, NS FORM, NS AS TO ADDED FAT","Peas, green, cooked, NS as to form, NS as to fat added in cooking"
+75224011,"PEAS, GREEN, COOKED, FROM FRESH, NS FAT ADDED","Peas, green, cooked, from fresh, NS as to fat added in cooking"
+75224012,"PEAS, GREEN, COOKED, FROM FROZ, NS FAT ADDED","Peas, green, cooked, from frozen, NS as to fat added in cooking"
+75224013,"PEAS, GREEN, COOKED, FROM CANNED, NS FAT ADDED","Peas, green, cooked, from canned, NS as to fat added in cooking"
+75224020,"PEAS, GREEN, COOKED, NS AS TO FORM, FAT NOT ADDED","Peas, green, cooked, NS as to form, fat not added in cooking"
+75224021,"PEAS, GREEN, COOKED, FROM FRESH, FAT NOT ADDED","Peas, green, cooked, from fresh, fat not added in cooking"
+75224022,"PEAS, GREEN, COOKED, FROM FROZ, FAT NOT ADDED","Peas, green, cooked, from frozen, fat not added in cooking"
+75224023,"PEAS, GREEN, COOKED, FROM CANNED, FAT NOT ADDED","Peas, green, cooked, from canned, fat not added in cooking"
+75224030,"PEAS, GREEN, COOKED, NS AS TO FORM, FAT ADDED","Peas, green, cooked, NS as to form, fat added in cooking"
+75224031,"PEAS, GREEN, COOKED, FROM FRESH, FAT ADDED","Peas, green, cooked, from fresh, fat added in cooking"
+75224032,"PEAS, GREEN, COOKED, FROM FROZ, FAT ADDED","Peas, green, cooked, from frozen, fat added in cooking"
+75224033,"PEAS, GREEN, COOKED, FROM CANNED, FAT ADDED","Peas, green, cooked, from canned, fat added in cooking"
+75224110,"PEAS, GREEN, CANNED, LOW SODIUM, NS AS TO ADDED FAT","Peas, green, canned, low sodium, NS as to fat added in cooking"
+75224120,"PEAS, GREEN, CANNED, LOW SODIUM, FAT NOT ADDED","Peas, green, canned, low sodium, fat not added in cooking"
+75224130,"PEAS, GREEN, CANNED, LOW SODIUM, FAT ADDED","Peas, green, canned, low sodium, fat added in cooking"
+75225010,"PIGEON PEAS, COOKED, NS AS TO FORM, FAT NOT ADDED","Pigeon peas, cooked, NS as to form, fat not added in cooking"
+75225011,"PIGEON PEAS, COOKED, FROM FRESH, FAT NOT ADDED","Pigeon peas, cooked, from fresh, fat not added in cooking"
+75225013,"PIGEON PEAS, COOKED, FROM CANNED, FAT NOT ADDED","Pigeon peas, cooked, from canned, fat not added in cooking"
+75226000,"PEPPERS, GREEN, COOKED, NS AS TO FAT","Peppers, green, cooked, NS as to fat added in cooking"
+75226010,"PEPPERS, GREEN, COOKED, FAT NOT ADDED","Peppers, green, cooked, fat not added in cooking"
+75226020,"PEPPERS, GREEN, COOKED, FAT ADDED","Peppers, green, cooked, fat added in cooking"
+75226040,"PEPPERS, RED, COOKED, NS AS TO ADDED FAT","Peppers, red, cooked, NS as to fat added in cooking"
+75226050,"PEPPERS, RED, COOKED, FAT NOT ADDED","Peppers, red, cooked, fat not added in cooking"
+75226060,"PEPPERS, RED, COOKED, FAT ADDED","Peppers, red, cooked, fat added in cooking"
+75226090,"PEPPERS, HOT, COOKED, NS FORM, NS FAT ADDED","Peppers, hot, cooked, NS as to form, NS as to fat added in cooking"
+75226091,"PEPPERS, HOT, COOKED, FROM FRESH, NS FAT ADDED","Peppers, hot, cooked, from fresh, NS as to fat added in cooking"
+75226092,"PEPPERS, HOT, COOKED, FROM FROZ, NS FAT ADDED","Peppers, hot, cooked, from frozen, NS as to fat added in cooking"
+75226093,"PEPPERS, HOT, COOKED, FROM CANNED, NS FAT ADDED","Peppers, hot, cooked, from canned, NS as to fat added in cooking"
+75226100,"PEPPERS, HOT, COOKED, NS FORM, NO FAT ADDED","Peppers, hot, cooked, NS as to form, fat not added in cooking"
+75226101,"PEPPERS, HOT, COOKED, FROM FRESH, NO FAT ADDED","Peppers, hot, cooked, from fresh, fat not added in cooking"
+75226102,"PEPPERS, HOT, COOKED, FROM FROZ, NO FAT ADDED","Peppers, hot, cooked, from frozen, fat not added in cooking"
+75226103,"PEPPERS, HOT, COOKED, FROM CANNED, NO FAT ADDED","Peppers, hot, cooked, from canned, fat not added in cooking"
+75226110,"PEPPERS, HOT, COOKED, NS FORM, FAT ADDED","Peppers, hot, cooked, NS as to form, fat added in cooking"
+75226111,"PEPPERS, HOT, COOKED, FROM FRESH, FAT ADDED","Peppers, hot, cooked, from fresh, fat added in cooking"
+75226112,"PEPPERS, HOT, COOKED, FROM FROZ, FAT ADDED","Peppers, hot, cooked, from frozen, fat added in cooking"
+75226113,"PEPPERS, HOT, COOKED, FROM CANNED, FAT ADDED","Peppers, hot, cooked, from canned, fat added in cooking"
+75226700,"PIMIENTO","Pimiento"
+75227100,"RADISH, JAPANESE (DAIKON), COOKED, NO FAT ADDED","Radish, Japanese (daikon), cooked, fat not added in cooking"
+75227110,"RADISH, JAPANESE (DAIKON), COOKED, FAT ADDED","Radish, Japanese (daikon), cooked, fat added in cooking"
+75228000,"RUTABAGA, COOKED, NS AS TO ADDED FAT","Rutabaga, cooked, NS as to fat added in cooking"
+75228010,"RUTABAGA, COOKED, FAT NOT ADDED","Rutabaga, cooked, fat not added in cooking"
+75228020,"RUTABAGA, COOKED, FAT ADDED","Rutabaga, cooked, fat added in cooking"
+75229010,"SALSIFY (VEGETABLE OYSTER), COOKED, NO FAT ADDED","Salsify (vegetable oyster), cooked, fat not added in cooking"
+75230000,"SAUERKRAUT, NS AS TO ADDED FAT","Sauerkraut, cooked, NS as to fat added in cooking"
+75230010,"SAUERKRAUT, NO FAT ADDED","Sauerkraut, cooked, fat not added in cooking"
+75230020,"SAUERKRAUT, FAT ADDED","Sauerkraut, cooked, fat added in cooking"
+75230100,"SAUERKRAUT, CANNED, LO NA","Sauerkraut, canned, low sodium"
+75231000,"SNOWPEA(PEA POD), COOKED, NS FORM, NS AS TO FAT","Snowpea (pea pod), cooked, NS as to form, NS as to fat added in cooking"
+75231001,"SNOWPEA(PEA POD), COOKED, FROM FRESH, NS AS TO FAT","Snowpea (pea pod), cooked, from fresh, NS as to fat added in cooking"
+75231002,"SNOWPEA(PEA POD), COOKED, FROM FROZEN, NS AS TO FAT","Snowpea (pea pod), cooked, from frozen, NS as to fat added in cooking"
+75231010,"SNOWPEA(PEA POD), COOKED, NS FORM, NO FAT ADDED","Snowpea (pea pod), cooked, NS as to form, fat not added in cooking"
+75231011,"SNOWPEA(PEA POD), COOKED, FROM FRESH, NO FAT ADDED","Snowpea (pea pod), cooked, from fresh, fat not added in cooking"
+75231012,"SNOWPEA(PEA POD), COOKED, FROM FROZ, NO FAT ADDED","Snowpea (pea pod), cooked, from frozen, fat not added in cooking"
+75231020,"SNOWPEA(PEA POD), COOKED, NS AS TO FORM, FAT ADDED","Snowpea (pea pod), cooked, NS as to form, fat added in cooking"
+75231021,"SNOWPEA(PEA POD), COOKED, FROM FRESH, FAT ADDED","Snowpea (pea pod), cooked, from fresh, fat added in cooking"
+75231022,"SNOWPEA(PEA POD), COOKED, FROM FROZ, FAT ADDED","Snowpea (pea pod), cooked, from frozen, fat added in cooking"
+75232000,"SEAWEED, DRIED","Seaweed, dried"
+75232050,"SEAWEED, PREPARED W/ SOY SAUCE","Seaweed, prepared with soy sauce"
+75232100,"SEAWEED, COOKED, NS AS TO FAT ADDED IN COOKING","Seaweed, cooked, NS as to fat added in cooking"
+75232110,"SEAWEED, COOKED, FAT NOT ADDED IN COOKING","Seaweed, cooked, fat not added in cooking"
+75232120,"SEAWEED, COOKED, FAT ADDED IN COOKING","Seaweed, cooked, fat added in cooking"
+75233000,"SQUASH, SUMMER, COOKED, NS FORM, NS AS TO ADDED FAT","Squash, summer, cooked, NS as to form, NS as to fat added in cooking"
+75233001,"SQUASH, SUMMER, COOKED, FROM FRESH, NS FAT ADDED","Squash, summer, cooked, from fresh, NS as to fat added in cooking"
+75233002,"SQUASH, SUMMER, COOKED, FROM FROZ, NS FAT ADDED","Squash, summer, cooked, from frozen, NS as to fat added in cooking"
+75233003,"SQUASH, SUMMER, COOKED, FROM CANNED, NS FAT ADDED","Squash, summer, cooked, from canned, NS as to fat added in cooking"
+75233010,"SQUASH, SUMMER, COOKED, NS FORM, FAT NOT ADDED","Squash, summer, cooked, NS as to form, fat not added in cooking"
+75233011,"SQUASH, SUMMER,YELLOW OR GREEN, CKD, FRESH, FAT NOT ADDED","Squash, summer,yellow or green, cooked, from fresh, fat not added in cooking"
+75233012,"SQUASH, SUMMER, COOKED, FROM FROZ, FAT NOT ADDED","Squash, summer, cooked, from frozen, fat not added in cooking"
+75233013,"SQUASH, SUMMER, COOKED, FROM CANNED, FAT NOT ADDED","Squash, summer, cooked, from canned, fat not added in cooking"
+75233020,"SQUASH, SUMMER, COOKED, NS AS TO FORM, FAT ADDED","Squash, summer, cooked, NS as to form, fat added in cooking"
+75233021,"SQUASH, SUMMER, COOKED, FROM FRESH, FAT ADDED","Squash, summer, cooked, from fresh, fat added in cooking"
+75233022,"SQUASH, SUMMER, COOKED, FROM FROZ, FAT ADDED","Squash, summer, cooked, from frozen, fat added in cooking"
+75233023,"SQUASH, SUMMER, COOKED, FROM CANNED, FAT ADDED","Squash, summer, cooked, from canned, fat added in cooking"
+75233200,"SQUASH, SPAGHETTI, NS AS TO ADDED FAT","Squash, spaghetti, cooked, NS as to fat added in cooking"
+75233210,"SQUASH, SPAGHETTI, FAT ADDED","Squash, spaghetti, cooked, fat added in cooking"
+75233220,"SQUASH, SPAGHETTI, NO FAT ADDED","Squash, spaghetti, cooked, fat not added in cooking"
+75233510,"SEQUIN (PORTUGUESE SQUASH), COOKED, NO FAT ADDED","Sequin (Portuguese squash), cooked, fat not added in cooking"
+75234000,"TURNIP, COOKED, NS AS TO FORM, NS AS TO ADDED FAT","Turnip, cooked, NS as to form, NS as to fat added in cooking"
+75234001,"TURNIP, COOKED, FROM FRESH, NS AS TO ADDED FAT","Turnip, cooked, from fresh, NS as to fat added in cooking"
+75234002,"TURNIP, COOKED, FROM FROZ, NS AS TO ADDED FAT","Turnip, cooked, from frozen, NS as to fat added in cooking"
+75234003,"TURNIP, COOKED, FROM CAN, NS AS TO ADDED FAT","Turnip, cooked, from canned, NS as to fat added in cooking"
+75234010,"TURNIP, COOKED, NS AS TO FORM, FAT NOT ADDED","Turnip, cooked, NS as to form, fat not added in cooking"
+75234011,"TURNIP, COOKED, FROM FRESH, FAT NOT ADDED","Turnip, cooked, from fresh, fat not added in cooking"
+75234012,"TURNIP, COOKED, FROM FROZ, FAT NOT ADDED","Turnip, cooked, from frozen, fat not added in cooking"
+75234013,"TURNIP, COOKED, FROM CANNED, FAT NOT ADDED","Turnip, cooked, from canned, fat not added in cooking"
+75234020,"TURNIP, COOKED, NS AS TO FORM, FAT ADDED","Turnip, cooked, NS as to form, fat added in cooking"
+75234021,"TURNIP, COOKED, FROM FRESH, FAT ADDED","Turnip, cooked, from fresh, fat added in cooking"
+75234022,"TURNIP, COOKED, FROM FROZ, FAT ADDED","Turnip, cooked, from frozen, fat added in cooking"
+75234023,"TURNIP, COOKED, FROM CAN, FAT ADDED","Turnip, cooked, from canned, fat added in cooking"
+75235000,"WATER CHESTNUT","Water chestnut"
+75235750,"WINTER MELON, COOKED (INCL CHINESE MELON, TOGAN)","Winter melon, cooked"
+75236000,"YEAST (INCLUDE BREWER'S YEAST)","Yeast"
+75236500,"YEAST EXTRACT SPREAD (INCL VEGEMITE, MARMITE)","Yeast extract spread"
+75301100,"BEANS, LIMA, & CORN (SUCCOTASH), NS AS TO ADDED FAT","Beans, lima and corn (succotash), cooked, NS as to fat added in cooking"
+75301110,"BEANS, LIMA, & CORN (SUCCOTASH), NO FAT ADDED","Beans, lima and corn (succotash), cooked, fat not added in cooking"
+75301120,"BEANS, LIMA, & CORN (SUCCOTASH), FAT ADDED","Beans, lima and corn (succotash), cooked, fat added in cooking"
+75302010,"BEANS, STRING, GREEN, W/ TOMATOES, FAT NOT ADDED IN COOKING","Beans, string, green, with tomatoes, cooked, fat not added in cooking"
+75302020,"BEANS, STRING, GREEN, W/ ONIONS, FAT NOT ADDED IN COOKING","Beans, string, green, with onions, cooked, fat not added in cooking"
+75302030,"BEANS, STRING, GREEN, W/ CHICKPEAS, FAT NOT ADDED IN COOKING","Beans, string, green, with chickpeas, cooked, fat not added in cooking"
+75302040,"BEANS, STRING, GREEN, W/ ALMONDS, FAT NOT ADDED IN COOKING","Beans, string, green, with almonds, cooked, fat not added in cooking"
+75302045,"BEANS, STRING, GREEN, W/ ALMONDS, FAT ADDED IN COOKING","Beans, string, green, with almonds, cooked, fat added in cooking"
+75302050,"BEANS, STRING, GREEN, & POTATOES, FAT NOT ADDED","Beans, string, green, and potatoes, cooked, fat not added in cooking"
+75302060,"BEANS, STRING, GREEN, W/ PINTO BEANS, FAT NOT ADDED","Beans, string, green, with pinto beans, cooked, fat not added in cooking"
+75302070,"BEANS, STRING, GREEN, W/ SPAETZEL, FAT NOT ADDED","Beans, string, green, with spaetzel, cooked, fat not added in cooking"
+75302080,"BEAN SALAD, YELLOW &/OR GREEN STRING BEANS","Bean salad, yellow and/or green string beans"
+75302200,"BEANS, STRING, GREEN, W/ ONIONS, NS AS TO FAT ADDED","Beans, string, green, with onions, NS as to fat added in cooking"
+75302210,"BEANS, STRING, GREEN, W/ ONIONS, FAT ADDED IN COOKING","Beans, string, green, with onions, fat added in cooking"
+75302500,"BEANS, STRING, GREEN, & POTATOES, NS AS TO FAT ADDED","Beans, string, green, and potatoes, cooked, NS as to fat added in cooking"
+75302510,"BEANS, STRING, GREEN, & POTATOES, FAT ADDED","Beans, string, green, and potatoes, cooked, fat added in cooking"
+75303000,"CORN W/ PEPPERS, RED OR GREEN,COOKED, NS FAT ADDED","Corn with peppers, red or green, cooked, NS as to fat added in cooking"
+75303010,"CORN W/ PEPPERS, RED OR GREEN,COOKED, NO FAT ADDED","Corn with peppers, red or green, cooked, fat not added in cooking"
+75303020,"CORN W/ PEPPERS, RED OR GREEN,COOKED,FAT ADDED","Corn with peppers, red or green, cooked, fat added in cooking"
+75306010,"EGGPLANT IN TOM SCE, COOKED,NO FAT ADDED","Eggplant in tomato sauce, cooked, fat not added in cooking"
+75307000,"GREEN PEPPERS & ONIONS, COOKED,FAT ADDED IN COOKING","Green peppers and onions, cooked, fat added in cooking"
+75311000,"MIXED VEGS (CORN,LIMA,PEAS,GRBNS,CAR), NS FORM & FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, NS as to form, NS as to fat added in cooking"
+75311002,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), FROZ, NS FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from frozen, NS as to fat added in cooking"
+75311003,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), CANNED, NS FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from canned, NS as to fat added in cooking"
+75311010,"MIXED VEGS (CORN,LIMA,PEAS,GRBN,CAR), NS FORM, NO FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, NS as to form, fat not added in cooking"
+75311012,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), FROZ, NO FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from frozen, fat not added in cooking"
+75311013,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), CANNED, NO FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from canned, fat not added in cooking"
+75311020,"MIXED VEGS (CORN,LIMA,PEAS,GRBNS,CAR), NS FORM,W/FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, NS as to form, fat added in cooking"
+75311022,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), FROZ, W/ FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from frozen, fat added in cooking"
+75311023,"MIXED VEGETABLES (CORN,LIMA,PEAS,GRBNS,CAR), CANNED, W/ FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), cooked, from canned, fat added in cooking"
+75311100,"MIXED VEGETABLES, CANNED, LOW SODIUM, NS ADDED FAT","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), canned, low sodium, NS as to fat added in cooking"
+75311110,"MIXED VEGETABLES, CANNED, LOW SODIUM, NO FAT ADDED","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), canned, low sodium, fat not added in cooking"
+75311120,"MIXED VEGETABLES, CANNED, LOW SODIUM, FAT ADDED","Mixed vegetables (corn, lima beans, peas, green beans, and carrots), canned, low sodium, fat added in cooking"
+75315000,"PEAS & CORN, COOKED, NS AS TO ADDED FAT","Peas and corn, cooked, NS as to fat added in cooking"
+75315010,"PEAS & CORN, COOKED, NO FAT ADDED","Peas and corn, cooked, fat not added in cooking"
+75315020,"PEAS & CORN, COOKED, FAT ADDED","Peas and corn, cooked, fat added in cooking"
+75315100,"PEAS & ONIONS, COOKED, NS AS TO ADDED FAT","Peas and onions, cooked, NS as to fat added in cooking"
+75315110,"PEAS & ONIONS, COOKED, FAT NOT ADDED","Peas and onions, cooked, fat not added in cooking"
+75315120,"PEAS & ONIONS, COOKED, FAT ADDED","Peas and onions, cooked, fat added in cooking"
+75315200,"PEAS W/ MUSHROOMS, COOKED, NS AS TO FAT","Peas with mushrooms, cooked, NS as to fat added in cooking"
+75315210,"PEAS W/ MUSHROOMS, COOKED, NO FAT ADDED","Peas with mushrooms, cooked, fat not added in cooking"
+75315215,"PEAS W/ MUSHROOMS, COOKED, FAT ADDED","Peas with mushrooms, cooked, fat added in cooking"
+75315250,"COWPEAS W/ SNAP BEANS,COOKED, NO FAT ADDED IN COOK","Cowpeas with snap beans, cooked, fat not added in cooking"
+75315300,"PEAS & POTATOES, COOKED, NO FAT ADDED IN COOKING","Peas and potatoes, cooked, fat not added in cooking"
+75315305,"PEAS AND POTATOES, COOKED, NS AS TO FAT","Peas and potatoes, cooked, NS as to fat added in cooking"
+75315310,"PEAS AND POTATOES, COOKED, FAT ADDED","Peas and potatoes, cooked, fat added in cooking"
+75316000,"SQUASH, SUMMER, & ONIONS,COOKED, NO FAT ADDED","Squash, summer, and onions, cooked, fat not added in cooking"
+75316010,"ZUCCHINI W/ TOM SCE, CKD,NO FAT ADDED IN COOKING","Zucchini with tomato sauce, cooked, fat not added in cooking"
+75316020,"SQUASH, SUMMER, & ONIONS, COOKED, FAT ADDED","Squash, summer, and onions, cooked, fat added in cooking"
+75316050,"RATATOUILLE","Ratatouille"
+75317000,"VEGETABLES,STEWTYPE(POT,CRT,ONION,CELERY)COOK,NS FA","Vegetables, stew type (including potatoes, carrots, onions, celery) cooked, NS as to fat added in cooking"
+75317010,"VEGETABLES,STEWTYPE(POT,CRT,ONION,CELERY)COOK,W/FAT","Vegetables, stew type (including potatoes, carrots, onions, celery) cooked, fat added in cooking"
+75317020,"VEGETABLES,STEWTYPE(POT,CRT,ONION,CELERY)COOK,NO FA","Vegetables, stew type (including potatoes, carrots, onions, celery) cooked, fat not added in cooking"
+75330100,"VEG COMBINATION (INCL CAR/ DK GRN), NO SAUCE, NS FAT","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, no sauce, NS as to fat added in cooking"
+75330110,"VEG COMBINATION (INCL CAR/ DK GRN), NO SAUCE, FAT NOT ADDED","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, no sauce, fat not added in cooking"
+75330120,"VEG COMBINATION (INCL CAR/ DK GRN), NO SAUCE, FAT ADDED","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, no sauce, fat added in cooking"
+75330130,"VEG COMBINATION (NO CAR/ DK GRN), NO SAUCE, NS FAT","Vegetable combination (excluding carrots, broccoli, and dark-green leafy), cooked, no sauce, NS as to fat added in cooking"
+75330140,"VEG COMBINATION (NO CAR/ DK GRN), NO SAUCE, FAT NOT ADDED","Vegetable combination (excluding carrots, broccoli, and dark-green leafy), cooked, no sauce, fat not added in cooking"
+75330150,"VEG COMBINATION (NO CAR/ DK GRN), NO SAUCE, FAT ADDED","Vegetable combination (excluding carrots, broccoli, and dark-green leafy), cooked, no sauce, fat added in cooking"
+75340000,"VEG ASIAN,ORIENTAL STYLE,CKD,NS FAT ADDED IN COOKING","Vegetable combinations, Asian style, (broccoli, green pepper, water chestnut, etc) cooked, NS as to fat added in cooking"
+75340010,"VEG COMBO ASIAN STYLE, CKD, FAT, NOT ADDED","Vegetable combinations, Asian style, (broccoli, green pepper, water chestnuts, etc), cooked, fat not added in cooking"
+75340020,"VEG COMBO, ASIAN STYLE, CKD, FAT ADDED","Vegetable combinations, Asian style, (broccoli, green pepper, water chestnuts, etc), cooked, fat added in cooking"
+75340160,"VEG & PASTA COMBOS, W/ CREAM/CHEESE SCE, COOKED","Vegetable and pasta combinations with cream or cheese sauce (broccoli, pasta, carrots, corn, zucchini, peppers, cauliflower, peas, etc.), cooked"
+75340200,"JAI, MONK'S FOOD (MSHRMS,LILY RTS,B.CURD,W.CHSTNUT)","Jai, Monk's Food (mushrooms, lily roots, bean curd, water chestnuts)"
+75340300,"PINACBET (EGGPLANT W/ TOMATO, BITTERMELON, ETC)","Pinacbet (eggplant with tomatoes, bitter melon, etc.)"
+75365000,"VEGETABLE MIXTURE, DRIED (INCL SALAD CRUNCHIES)","Vegetable mixture, dried"
+75400500,"ARTICHOKES, STUFFED","Artichokes, stuffed"
+75401010,"ASPARAGUS, NS FORM, CREAMED OR W/ CHEESE SAUCE","Asparagus, NS as to form, creamed or with cheese sauce"
+75401011,"ASPARAGUS, FROM FRESH, CREAMED OR W/ CHEESE SAUCE","Asparagus, from fresh, creamed or with cheese sauce"
+75401012,"ASPARAGUS, FROM FROZEN, CREAMED OR W/ CHEESE SAUCE","Asparagus, from frozen, creamed or with cheese sauce"
+75401013,"ASPARAGUS, FROM CANNED, CREAMED OR W/ CHEESE SAUCE","Asparagus, from canned, creamed or with cheese sauce"
+75402010,"BEANS, LIMA, IMMATURE, NS FORM, CREAMED/ CHEESE SCE","Beans, lima, immature, NS as to form, creamed or with cheese sauce"
+75402011,"BEANS, LIMA, IMMATURE, FROM FRESH, CREAMED/CHEESE SCE","Beans, lima, immature, from fresh, creamed or with cheese sauce"
+75402012,"BEANS, LIMA, IMMATURE, FROM FROZEN, CREAMED/CHEESE SCE","Beans, lima, immature, from frozen, creamed or with cheese sauce"
+75402013,"BEANS, LIMA, IMMATURE, FROM CANNED, CREAMED/CHEESE SCE","Beans, lima, immature, from canned, creamed or with cheese sauce"
+75402020,"BEANS, LIMA, IMMATURE, CKD, NS FORM, W/ MUSHROOM SCE","Beans, lima, immature, cooked, NS as to form, with mushroom sauce"
+75402021,"BEANS, LIMA, IMMATURE, CKD, FROM FRESH, W/ MUSHROOM SCE","Beans, lima, immature, cooked, from fresh, with mushroom sauce"
+75402022,"BEANS, LIMA, IMMATURE, CKD, FROM FROZ, W/ MUSHROOM SCE","Beans, lima, immature, cooked, from frozen, with mushroom sauce"
+75402023,"BEANS, LIMA, IMMATURE, CKD, FROM CAN, W/ MUSHROOM SCE","Beans, lima, immature, cooked, from canned, with mushroom sauce"
+75403010,"BEANS, STRING, GREEN, NS FORM, CREAMED/CHEESE SCE","Beans, string, green, NS as to form, creamed or with cheese sauce"
+75403011,"BEANS, STRING, GREEN, FROM FRESH, CREAMED/CHEESE SCE","Beans, string, green, from fresh, creamed or with cheese sauce"
+75403012,"BEANS, STRING, GREEN, FROM FROZEN, CREAMED/CHEESE SCE","Beans, string, green, from frozen, creamed or with cheese sauce"
+75403013,"BEANS, STRING, GREEN, FROM CANNED, CREAMED/CHEESE SCE","Beans, string, green, from canned, creamed or with cheese sauce"
+75403020,"BEANS, STRING, GREEN, CKD, NS FORM, W/ MUSHROOM SCE","Beans, string, green, cooked, NS as to form, with mushroom sauce"
+75403021,"BEANS, STRING, GREEN, CKD, FROM FRESH, W/ MUSHROOM SCE","Beans, string, green, cooked, from fresh, with mushroom sauce"
+75403022,"BEANS, STRING, GREEN, CKD, FROM FROZ, W/ MUSHROOM SCE","Beans, string, green, cooked, from frozen, with mushroom sauce"
+75403023,"BEANS, STRING, GREEN, CKD, FROM CAN, W/ MUSHROOM SCE","Beans, string, green, cooked, from canned, with mushroom sauce"
+75403200,"BEANS, STRING, GREEN, SZECHUAN-STYLE, FAT ADDED","Beans, string, green, cooked, Szechuan-style, fat added in cooking"
+75404010,"BEANS, STRING, YELLOW, NS FORM, CREAMED/ CHEESE SCE","Beans, string, yellow, NS as to form, creamed or with cheese sauce"
+75404011,"BEANS, STRING, YELLOW, FROM FRESH, CREAMED/ CHEESE SCE","Beans, string, yellow, from fresh, creamed or with cheese sauce"
+75404012,"BEANS, STRING, YELLOW, FROM FROZ, CREAMED/ CHEESE SCE","Beans, string, yellow, from frozen, creamed or with cheese sauce"
+75404013,"BEANS, STRING, YELLOW, FROM CANNED, CREAMED/ CHEESE SCE","Beans, string, yellow, from canned, creamed or with cheese sauce"
+75405010,"BEETS WITH HARVARD SAUCE","Beets with Harvard sauce"
+75406010,"BRUSSEL SPROUTS, NS AS TO FORM, CREAMED","Brussels sprouts, NS as to form, creamed"
+75406011,"BRUSSEL SPROUTS, FROM FRESH, CREAMED","Brussels sprouts, from fresh, creamed"
+75406012,"BRUSSEL SPROUTS, FROM FROZ, CREAMED","Brussels sprouts, from frozen, creamed"
+75407010,"CABBAGE, CREAMED","Cabbage, creamed"
+75409010,"CAULIFLOWER, NS FORM, CREAMED(INCL W/ CHEESE SAUCE)","Cauliflower, NS as to form, creamed"
+75409011,"CAULIFLOWER, FROM FRESH, CREAMED(INCL W/ CHEESE SAUCE)","Cauliflower, from fresh, creamed"
+75409012,"CAULIFLOWER, FROM FROZ, CREAMED(INCL W/ CHEESE SAUCE)","Cauliflower, from frozen, creamed"
+75409013,"CAULIFLOWER, FROM CANNED, CREAMED(INCL W/ CHEESE SAUCE)","Cauliflower, from canned, creamed"
+75409020,"CAULIFLOWER, BATTER-DIPPED, FRIED","Cauliflower, batter-dipped, fried"
+75410010,"CELERY, CREAMED","Celery, creamed"
+75410500,"CHILES RELLENOS, CHEESE-FILLED","Chiles rellenos, cheese-filled (stuffed chili peppers)"
+75410530,"CHILES RELLENOS, FILLED W/ MEAT & CHEESE","Chiles rellenos, filled with meat and cheese (stuffed chili peppers)"
+75410550,"JALAPENO PEPPER, STUFFED W/ CHEESE, BATTERED, FRIED","Jalapeno pepper, stuffed with cheese, breaded or battered, fried"
+75411010,"CORN, SCALLOPED OR PUDDING (INCLUDE CORN SOUFFLE)","Corn, scalloped or pudding"
+75411020,"CORN FRITTER","Corn fritter"
+75411030,"CORN, COOKED, NS FORM, W/ CREAM SAUCE, MADE W/ MILK","Corn, cooked, NS as to form, with cream sauce, made with milk"
+75411031,"CORN, COOKED, FROM FRESH, W/ CREAM SAUCE, MADE W/ MILK","Corn, cooked, from fresh, with cream sauce, made with milk"
+75411032,"CORN, COOKED, FROM FROZ, W/ CREAM SAUCE, MADE W/ MILK","Corn, cooked, from frozen, with cream sauce, made with milk"
+75411033,"CORN, COOKED, FROM CAN, W/ CREAM SAUCE, MADE W/ MILK","Corn, cooked, from canned, with cream sauce, made with milk"
+75412010,"EGGPLANT, BATTER-DIPPED, FRIED","Eggplant, batter-dipped, fried"
+75412030,"EGGPLANT DIP (INCL BABA GHANOUSH)","Eggplant dip"
+75412060,"EGGPLANT PARMESAN CASSEROLE, REGULAR","Eggplant parmesan casserole, regular"
+75412070,"EGGPLANT W/ CHEESE & TOMATO SAUCE","Eggplant with cheese and tomato sauce"
+75413010,"KOHLRABI, CREAMED","Kohlrabi, creamed"
+75414010,"MUSHROOMS, NS AS TO FORM, CREAMED","Mushrooms, NS as to form, creamed"
+75414011,"MUSHROOMS, FROM FRESH, CREAMED","Mushrooms, from fresh, creamed"
+75414012,"MUSHROOMS, FROM FROZEN, CREAMED","Mushrooms, from frozen, creamed"
+75414013,"MUSHROOMS, FROM CANNED, CREAMED","Mushrooms, from canned, creamed"
+75414020,"MUSHROOMS, STUFFED","Mushrooms, stuffed"
+75414030,"MUSHROOM, BATTER-DIPPED, FRIED","Mushrooms, batter-dipped, fried"
+75414500,"OKRA, BATTER-DIPPED, FRIED","Okra, batter-dipped, fried"
+75415010,"ONIONS, NS AS TO FORM, CREAMED","Onions, NS as to form, creamed"
+75415011,"ONIONS, FROM FRESH, CREAMED","Onions, from fresh, creamed"
+75415020,"ONION RINGS, NS FORM, BATTER-DIPPED, BAKED/FRIED","Onion rings, NS as to form, batter-dipped, baked or fried"
+75415021,"ONION RINGS, FROM FRESH, BATTERED, BAKED/FRIED","Onion rings, from fresh, batter-dipped, baked or fried"
+75415022,"ONION RINGS, FROM FROZ, BATTERED, BAKED/FRIED","Onion rings, from frozen, batter-dipped, baked or fried"
+75416010,"PARSNIPS, CREAMED","Parsnips, creamed"
+75416500,"PEA SALAD","Pea salad"
+75416600,"PEA SALAD W/ CHEESE","Pea salad with cheese"
+75417010,"PEAS, NS AS TO FORM, CREAMED","Peas, NS as to form, creamed"
+75417011,"PEAS, FROM FRESH, CREAMED","Peas, from fresh, creamed"
+75417012,"PEAS, FROM FROZEN, CREAMED","Peas, from frozen, creamed"
+75417013,"PEAS, FROM CANNED, CREAMED","Peas, from canned, creamed"
+75417020,"PEAS, COOKED, NS AS TO FORM, W/ MUSHROOM SAUCE","Peas, cooked, NS as to form, with mushroom sauce"
+75417021,"PEAS, COOKED, FROM FRESH, W/ MUSHROOM SAUCE","Peas, cooked, from fresh, with mushroom sauce"
+75417022,"PEAS, COOKED, FROM FROZEN, W/ MUSHROOM SAUCE","Peas, cooked, from frozen, with mushroom sauce"
+75417023,"PEAS, COOKED, FROM CANNED, W/ MUSHROOM SAUCE","Peas, cooked, from canned, with mushroom sauce"
+75417030,"PEAS, COOKED, NS AS TO FORM, W/ TOMATO SAUCE","Peas, cooked, NS as to form, with tomato sauce"
+75417031,"PEAS, COOKED, FROM FRESH, W/ TOMATO SAUCE","Peas, cooked, from fresh, with tomato sauce"
+75417032,"PEAS, COOKED, FROM FROZEN, W/ TOMATO SAUCE","Peas, cooked, from frozen, with tomato sauce"
+75417033,"PEAS, COOKED, FROM CANNED, W/ TOMATO SAUCE","Peas, cooked, from canned, with tomato sauce"
+75418000,"SQUASH, SUMMER, BREADED, BAKED","Squash,summer, yellow or green, breaded or battered, baked"
+75418010,"SQUASH, SUMMER, BREADED OR BATTERED, FRIED","Squash, summer, yellow or green, breaded or battered, fried"
+75418020,"SQUASH, SUMMER, CASSEROLE, W/ TOMATO & CHEESE","Squash, summer, casserole with tomato and cheese"
+75418030,"SQUASH, SUMMER, CASSEROLE, W/ RICE & TOMATO SAUCE","Squash, summer, casserole, with rice and tomato sauce"
+75418040,"SQUASH, SUMMER, CASSEROLE, W/ CHEESE SAUCE","Squash, summer, casserole, with cheese sauce"
+75418050,"SQUASH, SUMMER, NS AS TO FORM, CREAMED","Squash, summer, NS as to form, creamed"
+75418051,"SQUASH, SUMMER, FROM FRESH, CREAMED","Squash, summer, from fresh, creamed"
+75418052,"SQUASH, SUMMER, FROM FROZEN, CREAMED","Squash, summer, from frozen, creamed"
+75418053,"SQUASH, SUMMER, FROM CANNED, CREAMED","Squash, summer, from canned, creamed"
+75418060,"SQUASH, SUMMER, SOUFFLE","Squash, summer, souffle"
+75418100,"TURNIPS, NS AS TO FORM, CREAMED","Turnips, NS as to form, creamed"
+75418101,"TURNIPS, FROM FRESH, CREAMED","Turnips, from fresh, creamed"
+75418102,"TURNIPS, FROM FROZEN, CREAMED","Turnips, from frozen, creamed"
+75418103,"TURNIPS, FROM CANNED, CREAMED","Turnips, from canned, creamed"
+75418220,"CREAMED CHRISTOPHINE, P.R. (CHAYOTE A LA CREMA)","Creamed christophine, Puerto Rican style (Chayote a la crema)"
+75439010,"VEGETABLE STEW, W/O MEAT","Vegetable stew without meat"
+75439500,"CHOW MEIN OR CHOP SUEY, MEATLESS, NO NOODLES","Chow mein or chop suey, meatless, no noodles"
+75440100,"VEG COMBINATION (INCL CAR/ DK GRN), W/ SOY-BASE SCE","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, with soy-based sauce"
+75440110,"VEG COMBINATION (NO CAR/ DK GRN), W/ SOY-BASE SAUCE","Vegetable combination (excluding carrots, broccoli, and dark-green leafy), cooked, with soy-based sauce"
+75440170,"VEGETABLE STICKS, BREADED(INCL CORN,CARROT,GR BEAN)","Vegetable sticks, breaded (including corn, carrots, and green beans)"
+75440200,"VEGETABLE TEMPURA","Vegetable tempura"
+75440300,"VEG COMBINATIONS (INCL CAR/DK GRN), W/ TOMATO SAUCE","Vegetable combinations (including carrots, broccoli, and/or dark-green leafy), cooked, with tomato sauce"
+75440310,"VEG COMBINATIONS (NO CAR/DK GRN), W/ TOMATO SAUCE","Vegetable combinations (excluding carrots, broccoli, and dark-green leafy), cooked, with tomato sauce"
+75440400,"VEGETABLE,IN CHICK-PEA FLOUR BATTER,(PAKORA),FRIED","Vegetables, dipped in chick-pea flour batter, (pakora), fried"
+75440500,"VEG COMBINATION (INCL CAR/DK GRN), W/ CHEESE SAUCE","Vegetable combinations (including carrots, broccoli, and/or dark-green leafy), cooked, with cheese sauce"
+75440510,"VEG COMBINATION (NO CAR/ DK GRN), W/ CHEESE SAUCE","Vegetable combinations (excluding carrots, broccoli, and dark-green leafy), cooked, with cheese sauce"
+75440600,"VEGETABLE CURRY","Vegetable curry"
+75450500,"VEG COMBINATION (INCL CAR, DK GRN), W/ CREAM SAUCE","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, with cream sauce"
+75450510,"VEG COMBINATION (NO CAR, DK GRN), W/ CREAM SAUCE","Vegetable combination (excluding carrots, broccoli, and dark-green leafy), cooked, with cream sauce"
+75450600,"VEG COMBINATION(INCL CAR,BROC,DK GRN)W/BUTTER SAUCE","Vegetable combination (including carrots, broccoli, and/or dark-green leafy), cooked, with butter sauce"
+75460700,"VEGETABLE COMBINATION (INCL CAR/DK GRN), W/ PASTA","Vegetable combinations (including carrots, broccoli, and/or dark-green leafy), cooked, with pasta"
+75460710,"VEGETABLE COMBINATION (NO CAR/DK GRN), W/ PASTA","Vegetable combinations (excluding carrots, broccoli, and dark-green leafy), cooked, with pasta"
+75460800,"VEGETABLE COMB(INCL CAR/DK GRN),CKD,W/ BUTTER SAUCE","Vegetable combinations (including carrots, broccoli, and/or dark-green leafy), cooked, with butter sauce and pasta"
+75460810,"VEGETABLE COMB (NO CAR/DK GRN),CKD, W/ BUTTER SAUCE","Vegetable combinations (excluding carrots, broccoli, and dark-green leafy), cooked, with butter sauce and pasta"
+75460900,"CHOW MEIN OR CHOP SUEY, MEATLESS, WITH NOODLES","Chow mein or chop suey, meatless, with noodles"
+75500110,"BEANS, STRING, GREEN, PICKLED","Beans, string, green, pickled"
+75500210,"BEETS, PICKLED (INCLUDE W/ ONIONS, BEET SALAD)","Beets, pickled"
+75500510,"CELERY, PICKLED","Celery, pickled"
+75501010,"CORN RELISH","Corn relish"
+75502010,"CAULIFLOWER, PICKLED","Cauliflower, pickled"
+75502500,"CABBAGE, FRESH, PICKLED, JAPANESE","Cabbage, fresh, pickled, Japanese style"
+75502510,"CABBAGE, RED, PICKLED (INCL SWEET & SOUR CABBAGE)","Cabbage, red, pickled"
+75502520,"CABBAGE, KIMCHI (KIM CHEE) STYLE","Cabbage, Kimchi (Kim Chee) style"
+75502550,"CABBAGE, MUSTARD, SALTED","Cabbage, mustard, salted"
+75503010,"CUCUMBER PICKLES, DILL","Cucumber pickles, dill"
+75503020,"CUCUMBER PICKLES, RELISH","Cucumber pickles, relish"
+75503030,"CUCUMBER PICKLES, SOUR","Cucumber pickles, sour"
+75503040,"CUCUMBER PICKLES, SWEET","Cucumber pickles, sweet"
+75503080,"EGGPLANT, PICKLED","Eggplant, pickled"
+75503090,"HORSERADISH","Horseradish"
+75503100,"MUSTARD PICKLES (INCL CHOW-CHOW, HOT DOG RELISH)","Mustard pickles"
+75503110,"CUCUMBER PICKLE, DILL, REDUCED SALT","Cucumber pickles, dill, reduced salt"
+75503140,"CUCUMBER PICKLE, SWEET, REDUCED SALT","Cucumber pickles, sweet, reduced salt"
+75505000,"MUSHROOMS, PICKLED","Mushrooms, pickled"
+75506010,"MUSTARD (INCL HORSERADISH MUSTARD, CHINESE MUSTARD)","Mustard"
+75506100,"MUSTARD SAUCE","Mustard sauce"
+75507000,"OKRA, PICKLED","Okra, pickled"
+75510000,"OLIVES, NFS","Olives, NFS"
+75510010,"OLIVES, GREEN","Olives, green"
+75510020,"OLIVES, BLACK","Olives, black"
+75510030,"OLIVES, GREEN, STUFFED","Olives, green, stuffed"
+75511010,"HOT PEPPER SAUCE","Hot pepper sauce"
+75511020,"PEPPERS, PICKLED","Peppers, pickled"
+75511040,"PEPPER, HOT, PICKLED","Pepper, hot, pickled"
+75511100,"PICKLES, NS AS TO VEGETABLE","Pickles, NS as to vegetable"
+75511200,"PICKLES, MIXED","Pickles, mixed"
+75512010,"RADISHES, PICKLED, HAWAIIAN","Radishes, pickled, Hawaiian style"
+75512510,"RECAITO (P.R. LITTLE CORIANDER)","Recaito (Puerto Rican little coriander)"
+75513010,"SEAWEED, PICKLED","Seaweed, pickled"
+75515000,"VEGETABLES, PICKLED, HAWAIIAN","Vegetables, pickled, Hawaiian style"
+75515010,"VEGETABLE RELISH","Vegetable relish"
+75515100,"VEGETABLES, PICKLED (INCLUDE GIARDINIERA)","Vegetables, pickled"
+75534030,"TURNIP, PICKLED","Turnip, pickled"
+75534500,"TSUKEMONO, JAPANESE PICKLES","Tsukemono, Japanese pickles"
+75535000,"ZUCCHINI, PICKLED","Zucchini, pickled"
+75600150,"SOUP, CREAM OF, NFS","Soup, cream of, NFS"
+75601000,"ASPARAGUS SOUP, CREAM OF, NS AS TO W/ MILK OR WATER","Asparagus soup, cream of, NS as to made with milk or water"
+75601010,"ASPARAGUS SOUP, CREAM OF,W/ MILK","Asparagus soup, cream of, prepared with milk"
+75601020,"ASPARAGUS SOUP, CREAM OF, PREPARED W/ WATER","Asparagus soup, cream of, prepared with water"
+75601100,"BEET SOUP (BORSCHT)","Beet soup (borscht)"
+75601200,"CABBAGE SOUP, HOME RECIPE, CANNED OR READY-TO-SERVE","Cabbage soup, home recipe, canned or ready-to-serve"
+75601210,"CABBAGE WITH MEAT SOUP, HOME RECIPE, CANNED OR READY-TO-SERV","Cabbage with meat soup, home recipe, canned or ready-to-serve"
+75603010,"CELERY SOUP, CREAM OF, PREPARED WITH MILK, HOME RECIPE, CANN","Celery soup, cream of, prepared with milk, home recipe, canned or ready-to-serve"
+75603020,"CELERY SOUP, CREAM OF, PREPARED WITH WATER, HOME RECIPE, CAN","Celery soup, cream of, prepared with water, home recipe, canned or ready-to-serve"
+75604010,"CORN SOUP, CREAM OF, W/ MILK","Corn soup, cream of, prepared with milk"
+75604020,"CORN SOUP, CREAM OF, PREPARED W/ WATER","Corn soup, cream of, prepared with water"
+75604600,"GAZPACHO","Gazpacho"
+75605010,"LEEK SOUP, CREAM OF, PREP W/ MILK","Leek soup, cream of, prepared with milk"
+75607000,"MUSHROOM SOUP, NFS","Mushroom soup, NFS"
+75607010,"MUSHROOM SOUP, CREAM OF, PREP W/ MILK","Mushroom soup, cream of, prepared with milk"
+75607020,"MUSHROOM SOUP, CREAM OF, PREPARED W/ WATER","Mushroom soup, cream of, prepared with water"
+75607040,"MUSHROOM SOUP, W/ MEAT BROTH, PREPARED W/ WATER","Mushroom soup, with meat broth, prepared with water"
+75607050,"MUSHROOM SOUP, CM OF, LOW SOD, PREP W/ WATER","Mushroom soup, cream of, low sodium, prepared with water"
+75607060,"MUSHROOM SOUP, CREAM OF, NS AS TO W/ MILK OR WATER","Mushroom soup, cream of, NS as to made with milk or water"
+75607080,"MUSHROOM W/ CHICKEN SOUP, CREAM OF, PREP W/ MILK","Mushroom with chicken soup, cream of, prepared with milk"
+75607090,"MUSHROOM SOUP, CREAM OF, CAN, RED. SOD., NS W/ MILK/WATER","Mushroom soup, cream of, canned, reduced sodium, NS as to made with milk or water"
+75607100,"MUSHROOM SOUP, CREAM OF, CAN, RED. SODIUM, PREP W/ MILK","Mushroom soup, cream of, canned, reduced sodium, prepared with milk"
+75607130,"MUSHROOM SOUP, MADE FROM DRY MIX","Mushroom soup, made from dry mix"
+75607140,"MUSHROOM SOUP, CM OF, CAN, RED SOD, PREP W/ WATER","Mushroom soup, cream of, canned, reduced sodium, prepared with water"
+75608010,"ONION SOUP, CREAM OF, PREP W/ MILK","Onion soup, cream of, prepared with milk"
+75608100,"ONION SOUP, FRENCH","Onion soup, French"
+75608200,"ONION SOUP, MADE FROM DRY MIX","Onion soup, made from dry mix"
+75609010,"PEA SOUP, PREPARED WITH MILK","Pea soup, prepared with milk"
+75611010,"VEGETABLE SOUP, CREAM OF, PREP W/ MILK","Vegetable soup, cream of, prepared with milk"
+75612010,"ZUCCHINI SOUP, CREAM OF, PREP W/ MILK","Zucchini soup, cream of, prepared with milk"
+75646010,"SHAV SOUP","Shav soup"
+75647000,"SEAWEED SOUP","Seaweed soup"
+75649010,"VEGETABLE SOUP, CANNED, PREPARED WITH WATER OR READY-TO-SERV","Vegetable soup, canned, prepared with water or ready-to-serve"
+75649050,"VEGETABLE SOUP, MADE FROM DRY MIX","Vegetable soup, made from dry mix"
+75649070,"VEGETABLE SOUP, FROM DRY MIX, LOW SODIUM","Vegetable soup, made from dry mix, low sodium"
+75649110,"VEGETABLE SOUP, HOME RECIPE","Vegetable soup, home recipe"
+75649150,"VEGETABLE NOODLE SOUP, HOME RECIPE","Vegetable noodle soup, home recipe"
+75650990,"MINESTRONE SOUP, REDUCED SODIUM, CANNED OR READY-TO-SERVE","Minestrone soup, reduced sodium, canned or ready-to-serve"
+75651000,"MINESTRONE SOUP, HOME RECIPE","Minestrone soup, home recipe"
+75651010,"MINESTRONE SOUP, CANNED, PREPARED WITH WATER, OR READY-TO-SE","Minestrone soup, canned, prepared with water, or ready-to-serve"
+75651020,"VEGETABLE BEEF SOUP, CANNED, PREPARED WITH WATER, OR READY-T","Vegetable beef soup, canned, prepared with water, or ready-to-serve"
+75651030,"VEGETABLE BEEF NOODLE SOUP, PREPARED W/ WATER","Vegetable beef noodle soup, prepared with water"
+75651040,"VEGETABLE NOODLE SOUP, CANNED, PREPARED WITH WATER, OR READY","Vegetable noodle soup, canned, prepared with water, or ready-to-serve"
+75651070,"VEGETABLE RICE SOUP, CANNED, PREPARED WITH WATER OR READY-TO","Vegetable rice soup, canned, prepared with water or ready-to-serve"
+75651080,"VEGETABLE BEEF SOUP WITH RICE, CANNED, PREPARED WITH WATER O","Vegetable beef soup with rice, canned, prepared with water or ready-to-serve"
+75651110,"VEGETABLE CHICKEN RICE SOUP, CANNED, PREP W/WATER OR RTF","Vegetable chicken rice soup, canned, prepared with water or ready-to-serve"
+75651140,"VEGETABLE SOUP WITH CHICKEN BROTH, MEXICAN STYLE, HOME RECIP","Vegetable soup with chicken broth, Mexican style, home recipe (Sopa Ranchera)"
+75651150,"VEGETABLE NOODLE SOUP, RED SODIUM, CAN, PREP W/ WATER/RTS","Vegetable noodle soup, reduced sodium, canned, prepared with water or ready-to-serve"
+75652010,"VEGETABLE BEEF SOUP, HOME RECIPE","Vegetable beef soup, home recipe"
+75652030,"VEGETABLE BEEF SOUP, CANNED, PREPARED WITH MILK","Vegetable beef soup, canned, prepared with milk"
+75652040,"VEG BEEF SOUP W/ NOODLES, HOME RECIPE","Vegetable beef soup with noodles or pasta, home recipe"
+75652050,"VEG BEEF SOUP W/ RICE, HOME RECIPE","Vegetable beef soup with rice, home recipe"
+75654010,"VEGETARIAN VEGETABLE SOUP, PREPARED W/ WATER","Vegetarian vegetable soup, prepared with water"
+75656010,"VEGETABLE SOUP, SPANISH, STEW TYPE","Vegetable soup, Spanish style, stew type"
+75656020,"VEGETABLE SOUP, CHUNKY STYLE","Vegetable soup, chunky style"
+75656040,"VEGETABLE SOUP W/ PASTA, CHUNKY STYLE","Vegetable soup, with pasta, chunky style"
+75656060,"VEG BEEF SOUP, CHUNKY STYLE (INCL VEG W/ MEAT SOUPS","Vegetable beef soup, chunky style"
+75657000,"VEGETABLE BROTH, BOUILLON (INCL POT LIQUOR)","Vegetable broth, bouillon"
+76102010,"SPINACH, CREAMED, BABY, STRAINED","Spinach, creamed, baby food, strained"
+76102030,"BROCCOLI, CARROTS & CHEESE, BABY, JUNIOR","Broccoli, carrots and cheese, baby food, junior"
+76201000,"CARROTS, BABY, NS AS TO STRAINED OR JUNIOR","Carrots, baby food, NS as to strained or junior"
+76201010,"CARROTS, BABY, STRAINED","Carrots, baby food, strained"
+76201020,"CARROTS, BABY, JUNIOR","Carrots, baby food, junior"
+76201030,"CARROTS, BABY FOOD, TODDLER","Carrots, baby food, toddler"
+76202000,"CARROTS & PEAS, BABY, STRAINED","Carrots and peas, baby food, strained"
+76205000,"SQUASH, BABY, NS AS TO STRAINED OR JUNIOR","Squash, baby food, NS as to strained or junior"
+76205010,"SQUASH, BABY, STRAINED","Squash, baby food, strained"
+76205020,"SQUASH, BABY, JUNIOR","Squash, baby food, junior"
+76205030,"SQUASH & CORN, BABY, STRAINED","Squash and corn, baby food, strained"
+76205060,"CORN AND SWEET POTATOES, BABY FOOD, STRAINED","Corn and sweet potatoes, baby food, strained"
+76209000,"SWEET POTATOES, BABY, NS AS TO STRAINED OR JUNIOR","Sweet potatoes, baby food, NS as to strained or junior"
+76209010,"SWEET POTATOES, BABY, STRAINED","Sweet potatoes, baby food, strained"
+76209020,"SWEET POTATOES, BABY, JUNIOR","Sweet potatoes, baby food, junior"
+76401000,"BEANS, GREEN STRING, BABY, NS AS TO STR OR JR","Beans, green string, baby food, NS as to strained or junior"
+76401010,"BEANS, GREEN STRING, BABY, STRAINED","Beans, green string, baby food, strained"
+76401020,"BEANS, GREEN STRING, BABY, JUNIOR","Beans, green string, baby food, junior"
+76401060,"BEANS, GREEN STRING, BABY, TODDLER","Beans, green string, baby food, toddler"
+76402000,"GREEN BEANS & POTATOES, BABY, STRAINED","Green beans and potatoes, baby food, strained"
+76403010,"BEETS, BABY, STRAINED","Beets, baby food, strained"
+76405000,"CORN, CREAMED, BABY, NS AS TO STRAINED OR JUNIOR","Corn, creamed, baby food, NS as to strained or junior"
+76405010,"CORN, CREAMED, BABY, STRAINED","Corn, creamed, baby food, strained"
+76405020,"CORN, CREAMED, BABY, JUNIOR","Corn, creamed, baby food, junior"
+76407000,"MIXED VEG, GARDEN VEG, BABY, NS AS TO STR OR JR","Mixed vegetables, garden vegetables, baby food, NS as to strained or junior"
+76407010,"MIXED VEGETABLES, GARDEN VEGETABLES, BABY, STRAINED","Mixed vegetables, garden vegetables, baby food, strained"
+76407020,"MIXED VEGETABLES, GARDEN VEGETABLES, BABY, JUNIOR","Mixed vegetables, garden vegetables, baby food, junior"
+76409000,"PEAS, BABY, NS AS TO STRAINED OR JUNIOR","Peas, baby food, NS as to strained or junior"
+76409010,"PEAS, BABY, STRAINED","Peas, baby food, strained"
+76409020,"PEAS, BABY, JUNIOR","Peas, baby food, junior"
+76409030,"PEAS, BABY, TODDLER","Peas, baby food, toddler"
+76420000,"POTATOES, BABY, TODDLER","Potatoes, baby food, toddler"
+76501000,"VEGETABLES & RICE, BABY, STRAINED","Vegetables and rice, baby food, strained"
+76502000,"PEAS & BROWN RICE, BABY","Peas and brown rice, baby food"
+76601010,"VEGETABLE & BACON, BABY, STRAINED","Vegetable and bacon, baby food, strained"
+76602000,"CARROTS & BEEF, BABY, STRAINED","Carrots and beef, baby food, strained"
+76603000,"VEGETABLE & BEEF, BABY, NS AS TO STRAINED OR JUNIOR","Vegetable and beef, baby food, NS as to strained or junior"
+76603010,"VEGETABLE & BEEF, BABY, STRAINED","Vegetable and beef, baby food, strained"
+76603020,"VEGETABLE & BEEF, BABY, JUNIOR","Vegetable and beef, baby food, junior"
+76604000,"BROCCOLI & CHICKEN, BABY, STRAINED","Broccoli and chicken, baby food, strained"
+76604500,"SWEET POTATOES & CHICKEN, BABY, STRAINED","Sweet potatoes and chicken, baby food, strained"
+76605000,"VEGETABLE & CHICKEN, BABY, NS AS TO STR OR JR","Vegetable and chicken, baby food, NS as to strained or junior"
+76605010,"VEGETABLE & CHICKEN, BABY, STRAINED","Vegetable and chicken, baby food, strained"
+76605020,"VEGETABLE & CHICKEN, BABY, JUNIOR","Vegetable and chicken, baby food, junior"
+76607000,"VEGETABLE & HAM, BABY, NS AS TO STRAINED OR JUNIOR","Vegetable and ham, baby food, NS as to strained or junior"
+76607010,"VEGETABLE & HAM, BABY, STRAINED","Vegetable and ham, baby food, strained"
+76607020,"VEGETABLE & HAM, BABY, JUNIOR","Vegetable and ham, baby food, junior"
+76607030,"POTATOES W/ CHEESE & HAM, BABY FOOD, TODDLER","Potatoes with cheese and ham, baby food, toddler"
+76607100,"POTATOES WITH CHEESE AND BROCCOLI, BABY FOOD, TODDLER","Potatoes with cheese and broccoli, baby food, toddler"
+76609010,"VEGETABLE & LAMB, BABY, STRAINED","Vegetable and lamb, baby food, strained"
+76611000,"VEGETABLE & TURKEY, BABY, NS AS TO STR OR JR","Vegetable and turkey, baby food, NS as to strained or junior"
+76611010,"VEGETABLE & TURKEY, BABY, STRAINED","Vegetable and turkey, baby food, strained"
+76611020,"VEGETABLE & TURKEY, BABY, JUNIOR","Vegetable and turkey, baby food, junior"
+77121010,"FRIED STUFFED POTATOES, P.R. (RELLENOS DE PAPAS)","Fried stuffed potatoes, Puerto Rican style (Rellenos de papas)"
+77121110,"POTATO&HAM FRITTERS,P.R.(FRITURAS DE PAPA Y JAMON)","Potato and ham fritters, Puerto Rican style (Frituras de papa y jamon)"
+77141010,"POTATO CHICKEN PIE, P.R. (PASTELON DE POLLO)","Potato chicken pie, Puerto Rican style (Pastelon de pollo)"
+77201210,"GREEN PLANTAIN W/ CRACKLINGS, P.R. (MOFONGO)","Green plantain with cracklings, Puerto Rican style (Mofongo)"
+77205110,"RIPE PLANTAIN FRITTERS, P.R. (PIONONO)","Ripe plantain fritters, Puerto Rican style (Pionono)"
+77205610,"RIPE PLANTAIN MEAT PIE, P.R. (PINON)","Ripe plantain meat pie, Puerto Rican style (Pinon)"
+77230210,"CASSAVA PASTELES, P.R. (PASTELES DE YUCA)","Cassava Pasteles, Puerto Rican style (Pasteles de yuca)"
+77230510,"CASSAVA FRITTER STUFFED W/ CRAB, P.R. (EMPANADA DE YUCA)","Cassava fritter stuffed with crab meat, Puerto Rican style (Empanada de yuca y jueyes)"
+77250110,"STUFFED TANNIER FRITTERS, P.R. (ALCAPURRIAS)","Stuffed tannier fritters, Puerto Rican style (Alcapurrias)"
+77250710,"TANNIER FRITTERS, P.R. (FRITURAS DE YAUTIA)","Tannier fritters, Puerto Rican style (Frituras de yautia)"
+77272010,"PUERTO RICAN PASTELES (PASTELES DE MASA)","Puerto Rican pasteles (Pasteles de masa)"
+77316010,"STUFFED CABBAGE, W/ MEAT, P.R.(REPOLLO RELLENO CON CARNE)","Stuffed cabbage, with meat, Puerto Rican style (Repollo relleno con carne)"
+77316510,"STUFFED CABBAGE, W MEAT& RICE, SYRIAN DISH, P.R. STYLE","Stuffed cabbage, with meat and rice, Syrian dish, Puerto Rican style (Repollo relleno con carne y con arroz; Arabe Mihsy Melful)"
+77316600,"EGGPLANT AND MEAT CASSEROLE","Eggplant and meat casserole"
+77513010,"SPANISH STEW, P.R. (COCIDO ESPANOL)","Spanish stew, Puerto Rican style (Cocido Espanol)"
+77563010,"PUERTO RICAN STEW (SALCOCHO / SANCOCHO)","Puerto Rican stew (Salcocho / Sancocho)"
+78101000,"VEGETABLE & FRUIT JUICE BLEND,100% JUICE,W/ HIGH VIT C,+ E,A","Vegetable and fruit juice blend, 100% juice, with high vitamin C plus added vitamin E and vitamin A"
+81100000,"TABLE FAT, NFS","Table fat, NFS"
+81100500,"BUTTER, NFS","Butter, NFS"
+81101000,"BUTTER, STICK, SALTED","Butter, stick, salted"
+81101010,"BUTTER, WHIPPED, TUB, SALTED","Butter, whipped, tub, salted"
+81101020,"BUTTER, WHIPPED, STICK, SALTED","Butter, whipped, stick, salted"
+81101100,"BUTTER, STICK, UNSALTED","Butter, stick, unsalted"
+81101110,"BUTTER, WHIPPED, TUB, UNSALTED","Butter, whipped, tub, unsalted"
+81101120,"BUTTER, WHIPPED, STICK, UNSALTED","Butter, whipped, stick, unsalted"
+81101500,"LIGHT BUTTER, STICK, SALTED","Light butter, stick, salted"
+81101510,"LIGHT BUTTER, STICK, UNSALTED","Light butter, stick, unsalted"
+81101520,"LIGHT BUTTER, WHIPPED, TUB, SALTED","Light butter, whipped, tub, salted"
+81102000,"MARGARINE, NFS","Margarine, NFS"
+81102010,"MARGARINE, STICK, SALTED","Margarine, stick, salted"
+81102020,"MARGARINE, TUB, SALTED","Margarine, tub, salted"
+81103020,"MARGARINE, WHIPPED, TUB, SALTED","Margarine, whipped, tub, salted"
+81103030,"MARGARINE, STICK, UNSALTED","Margarine, stick, unsalted"
+81103040,"MARGARINE-LIKE SPREAD, STICK, SALTED","Margarine-like spread, stick, salted"
+81103041,"MARGARINE-LIKE SPREAD, MADE W/ YOGURT, STICK, SALTED","Margarine-like spread, made with yogurt, stick, salted"
+81103060,"MARGARINE, TUB, UNSALTED","Margarine, tub, unsalted"
+81103070,"MARGARINE, WHIPPED, TUB, UNSALTED","Margarine, whipped, tub, unsalted"
+81103080,"MARGARINE-LIKE SPREAD, TUB, SALTED","Margarine-like spread, tub, salted"
+81103090,"MARGARINE-LIKE SPREAD, LIQUID, SALTED","Margarine-like spread, liquid, salted"
+81103100,"MARGARINE-LIKE SPREAD, STICK, UNSALTED","Margarine-like spread, stick, unsalted"
+81103120,"MARGARINE-LIKE SPREAD, TUB, UNSALTED","Margarine-like spread, tub, unsalted"
+81103130,"MARGARINE-LIKE SPREAD, WHIPPED, TUB, SALTED","Margarine-like spread, whipped, tub, salted"
+81103140,"MARGARINE-LIKE SPREAD, TUB, SWEETENED","Margarine-like spread, tub, sweetened"
+81104010,"MARGARINE-LIKE SPREAD, RED CAL, 40% FAT, TUB, SALTED","Margarine-like spread, reduced calorie, about 40% fat, tub, salted"
+81104011,"MARGARINE-LIKE SPREAD,RED CAL,40% FAT,MADE W/ YOGURT,TUB","Margarine-like spread, reduced calorie, about 40% fat, made with yogurt, tub, salted"
+81104020,"MARGARINE-LIKE SPREAD, RED CAL, 40% FAT, STICK, SALTED","Margarine-like spread, reduced calorie, about 40% fat, stick, salted"
+81104050,"MARGARINE-LIKE SPREAD, RED CAL, 20% FAT, TUB, SALTED","Margarine-like spread, reduced calorie, about 20% fat, tub, salted"
+81104070,"MARGARINE-LIKE SPREAD, RED CAL, 20% FAT, TUB, UNSALTED","Margarine-like spread, reduced calorie, about 20% fat, tub, unsalted"
+81104100,"MARGARINE-LIKE SPREAD, FAT FREE, TUB, SALTED","Margarine-like spread, fat free, tub, salted"
+81104110,"MARGARINE-LIKE SPREAD, FAT FREE, LIQUID, SALTED","Margarine-like spread, fat free, liquid, salted"
+81104500,"VEGETABLE OIL-BUTTER SPREAD, STICK, SALTED","Vegetable oil-butter spread, stick, salted"
+81104510,"VEGETABLE OIL-BUTTER SPREAD, TUB, SALTED","Vegetable oil-butter spread, tub, salted"
+81104550,"VEGETABLE OIL-BUTTER SPREAD, RED CAL, STICK, SALTED","Vegetable oil-butter spread, reduced calorie, stick, salted"
+81104560,"VEGETABLE OIL-BUTTER SPREAD, RED CAL, TUB, SALTED","Vegetable oil-butter spread, reduced calorie, tub, salted"
+81105010,"BUTTER-MARGARINE BLEND, STICK, SALTED","Butter-margarine blend, stick, salted"
+81105020,"BUTTER-MARGARINE BLEND, TUB, SALTED","Butter-margarine blend, tub, salted"
+81105500,"BUTTER-VEG OIL BLEND","Butter-vegetable oil blend"
+81106010,"BUTTER REPLACEMENT, FAT-FREE POWDER, NOT RECONST","Butter replacement, fat-free powder"
+81201000,"ANIMAL FAT OR DRIPPINGS","Animal fat or drippings"
+81202000,"LARD","Lard"
+81203000,"SHORTENING, NS AS TO VEGETABLE OR ANIMAL","Shortening, NS as to vegetable or animal"
+81203100,"SHORTENING, VEGETABLE","Shortening, vegetable"
+81203200,"SHORTENING, ANIMAL","Shortening, animal"
+81204000,"GHEE, CLARIFIED BUTTER","Ghee, clarified butter"
+81301000,"GARLIC SAUCE","Garlic sauce"
+81301020,"LEMON-BUTTER SAUCE","Lemon-butter sauce"
+81302010,"HOLLANDAISE SAUCE","Hollandaise sauce"
+81302040,"SANDWICH SPREAD","Sandwich spread"
+81302050,"TARTAR SAUCE","Tartar sauce"
+81302060,"HORSERADISH SAUCE","Horseradish sauce"
+81302070,"PESTO SAUCE","Pesto sauce"
+81312000,"TARTAR SAUCE, REDUCED FAT/CALORIE","Tartar sauce, reduced fat/calorie"
+81322000,"HONEY BUTTER","Honey butter"
+81330210,"ADOBO FRESCO (INCL ADOBO CRIOLLO)","Adobo fresco"
+82101000,"VEGETABLE OIL, NFS (INCLUDE OIL, NFS)","Vegetable oil, NFS"
+82101300,"ALMOND OIL","Almond oil"
+82101500,"COCONUT OIL","Coconut oil"
+82102000,"CORN OIL","Corn oil"
+82102500,"CORN & CANOLA OIL","Corn and canola oil"
+82103000,"COTTONSEED OIL","Cottonseed oil"
+82103500,"FLAXSEED OIL","Flaxseed oil"
+82104000,"OLIVE OIL","Olive oil"
+82105000,"PEANUT OIL","Peanut oil"
+82105500,"RAPESEED OIL (INCL CANOLA OIL, PURITAN)","Rapeseed oil"
+82105750,"CANOLA & SOYBEAN OIL","Canola and soybean oil"
+82105800,"CANOLA, SOYBEAN & SUNFLOWER OIL","Canola, soybean and sunflower oil"
+82106000,"SAFFLOWER OIL","Safflower oil"
+82107000,"SESAME OIL","Sesame oil"
+82108000,"SOYBEAN OIL","Soybean oil"
+82108250,"SOYBEAN & SUNFLOWER OIL","Soybean and sunflower oil"
+82108500,"SUNFLOWER OIL","Sunflower oil"
+82108700,"WALNUT OIL","Walnut oil"
+82109000,"WHEAT GERM OIL","Wheat germ oil"
+83100100,"SALAD DRESSING, NFS, FOR SALADS","Salad dressing, NFS, for salads"
+83100200,"SALAD DRESSING, NFS, FOR SANDWICHES","Salad dressing, NFS, for sandwiches"
+83101000,"BLUE OR ROQUEFORT CHEESE DRESSING","Blue or roquefort cheese dressing"
+83101500,"BACON DRESSING (HOT)","Bacon dressing (hot)"
+83101600,"BACON & TOMATO DRESSING","Bacon and tomato dressing"
+83102000,"CAESAR DRESSING","Caesar dressing"
+83103000,"COLESLAW DRESSSING","Coleslaw dressing"
+83104000,"FRENCH OR CATALINA DRESSING","French or Catalina dressing"
+83105500,"HONEY MUSTARD DRESSING","Honey mustard dressing"
+83106000,"ITALIAN DRESSING, W/ VINEGAR & OIL","Italian dressing, made with vinegar and oil"
+83107000,"MAYONNAISE, REGULAR","Mayonnaise, regular"
+83108000,"MAYONNAISE, IMITATION","Mayonnaise, imitation"
+83109000,"RUSSIAN DRESSING","Russian dressing"
+83110000,"MAYONNAISE-TYPE SALAD DRESSING","Mayonnaise-type salad dressing"
+83112000,"AVOCADO DRESSING","Avocado dressing"
+83112500,"CREAMY DRESSING","Creamy dressing"
+83112950,"POPPY SEED DRESSING","Poppy seed dressing"
+83112990,"SESAME DRESSING","Sesame dressing"
+83114000,"THOUSAND ISLAND DRESSING","Thousand Island dressing"
+83115000,"YOGURT DRESSING","Yogurt dressing"
+83200100,"SALAD DRESSING, LIGHT, NFS","Salad dressing, light, NFS"
+83201000,"BLUE OR ROQUEFORT CHEESE DRESSING, LIGHT","Blue or roquefort cheese dressing, light"
+83201400,"COLESLAW DRESSING, LIGHT","Coleslaw dressing, light"
+83202020,"FRENCH OR CATALINA DRESSING, LIGHT","French or Catalina dressing, light"
+83203000,"CAESAR DRESSING, LIGHT","Caesar dressing, light"
+83204000,"MAYONNAISE, LIGHT","Mayonnaise, light"
+83204030,"MAYONNAISE, REGULAR, WITH OLIVE OIL","Mayonnaise, reduced fat, with olive oil"
+83204050,"MAYONNAISE-TYPE SALAD DRESSING, LIGHT","Mayonnaise-type salad dressing, light"
+83204500,"HONEY MUSTARD DRESSING, LIGHT","Honey mustard dressing, light"
+83205450,"ITALIAN DRESSING, LIGHT","Italian dressing, light"
+83206000,"RUSSIAN DRESSING, LIGHT","Russian dressing, light"
+83206500,"SESAME DRESSING, LIGHT","Sesame dressing, light"
+83207000,"THOUSAND ISLAND DRESSING, LIGHT","Thousand Island dressing, light"
+83208500,"KOREAN DRESSING OR MARINADE","Korean dressing or marinade"
+83210100,"CREAMY DRESSING, LIGHT","Creamy dressing, light"
+83300100,"BLUE OR ROQUEFORT CHEESE DRESSING, FAT FREE","Blue or roquefort cheese dressing, fat free"
+83300200,"CAESAR DRESSING, FAT FREE","Caesar dressing, fat free"
+83300300,"CREAMY DRESSING, FAT FREE","Creamy dressing, fat free"
+83300400,"FRENCH OR CATALINA DRESSING, FAT FREE","French or Catalina dressing, fat free"
+83300500,"HONEY MUSTARD DRESSING, FAT FREE","Honey mustard dressing, fat free"
+83300600,"ITALIAN DRESSING, FAT FREE","Italian dressing, fat free"
+83300700,"MAYONNAISE, FAT FREE","Mayonnaise, fat free"
+83300800,"RUSSIAN DRESSING, FAT FREE","Russian dressing, fat free"
+83300900,"SALAD DRESSING, FAT FREE, NFS","Salad dressing, fat free, NFS"
+83301000,"THOUSAND ISLAND DRESSING, FAT FREE","Thousand Island dressing, fat free"
+91101000,"SUGAR, NFS","Sugar, NFS"
+91101010,"SUGAR, WHITE, GRANULATED OR LUMP","Sugar, white, granulated or lump"
+91101020,"SUGAR, WHITE, CONFECTIONER'S, POWDERED","Sugar, white, confectioner's, powdered"
+91102010,"SUGAR, BROWN","Sugar, brown"
+91103010,"SUGAR, MAPLE","Sugar, maple"
+91104100,"SUGAR, CINNAMON","Sugar, cinnamon"
+91104200,"SUGAR, RAW","Sugar, raw"
+91105010,"FRUCTOSE SWEETENER, SUGAR SUBSTITUTE, DRY POWDER","Fructose sweetener, sugar substitute, dry powder"
+91106000,"SUGAR SUBSTITUTE, SUGAR-ASPARTAME BLEND, DRY PWD","Sugar substitute, sugar-aspartame blend, dry powder"
+91107000,"SUCRALOSE-BASED SWEETENER, SUGAR SUBSTITUTE","Sucralose-based sweetener, sugar substitute"
+91108000,"SUGAR SUB, HERBAL EXTRACT SWEETENER, POWDER","Sugar substitute, herbal extract sweetener, powder"
+91108010,"SUGAR SUB, HERBAL EXTRACT SWEETENER, LIQUID","Sugar substitute, herbal extract sweetener, liquid"
+91109000,"BLUE AGAVE LIQUID SWEETENER, SUGAR SUBSTITUTE","Blue Agave liquid sweetener, sugar substitute"
+91200000,"SUGAR SUBSTITUTE, LOW CALORIE, POWDERED, NFS","Sugar substitute, low-calorie, powdered, NFS"
+91200020,"SUGAR SUBSTITUTE, SACCHARIN-BASED, DRY POWDER","Sugar substitute, saccharin-based, dry powder"
+91200030,"BROWN SUGAR SUBSTITUTE, SACCHARIN-BASED, DRY POWDER","Brown sugar substitute, saccharin-based, dry powder"
+91200040,"SUGAR SUBSTITUTE, SACCHARIN-BASED, DRY POWDER AND TABLETS","Sugar substitute, saccharin-based, dry powder and tablets"
+91200110,"SUGAR SUBSTITUTE, SACCHARIN-BASED, LIQUID","Sugar substitute, saccharin-based, liquid"
+91201010,"SUGAR SUBSTITUTE, ASPARTAME-BASED, DRY POWDER","Sugar substitute, aspartame-based, dry powder"
+91300010,"SYRUP, NFS","Syrup, NFS"
+91300100,"PANCAKE SYRUP, NFS","Pancake syrup, NFS"
+91301020,"CANE & CORN PANCAKE SYRUP","Cane and corn pancake syrup"
+91301030,"CORN SYRUP, LIGHT OR DARK","Corn syrup, light or dark"
+91301040,"BUTTERED BLENDS SYRUP (INCL MRS BUTTERWORTH)","Buttered blends syrup"
+91301050,"FRUIT SYRUP","Fruit syrup"
+91301060,"MAPLE SYRUP(100% MAPLE)(INCLUDE MAPLE CREAM)","Maple syrup (100% maple)"
+91301080,"CHOCOLATE SYRUP, THIN TYPE","Chocolate syrup, thin type"
+91301081,"CHOCOLATE SYRUP, THIN TYPE, LIGHT","Chocolate syrup, thin type, light"
+91301082,"CHOCOLATE SYRUP, THIN TYPE, SUGAR FREE","Chocolate syrup, thin type, sugar free"
+91301090,"SORGHUM SYRUP","Sorghum syrup"
+91301100,"SUGAR (WHITE) & WATER SYRUP (INCLUDE SIMPLE SYRUP)","Sugar (white) and water syrup"
+91301120,"SUGAR, CARMELIZED","Sugar, carmelized"
+91301130,"FRUIT FLAVORED SYRUP USED FOR MILK BEVERAGES","Fruit flavored syrup used for milk beverages"
+91301200,"SUGAR (BROWN) & WATER SYRUP","Sugar (brown) and water syrup"
+91301250,"MAPLE & CORN &/OR CANE PANCAKE SYRUP BLENDS","Maple and corn and/or cane pancake syrup blends (formerly Corn and maple syrup (2% maple))"
+91301510,"SYRUP, PANCAKE, REDUCED CALORIE","Syrup, pancake, reduced calorie"
+91302010,"HONEY (INCLUDE PEAR HONEY, RAW HONEY)","Honey"
+91303000,"MOLASSES","Molasses"
+91303500,"SUGAR, BROWN, LIQUID","Sugar, brown, liquid"
+91303750,"CHOCOLATE GRAVY","Chocolate gravy"
+91304010,"TOPPING, BUTTERSCOTCH OR CARAMEL","Topping, butterscotch or caramel"
+91304020,"TOPPING, CHOCOLATE, THICK, FUDGE TYPE","Topping, chocolate, thick, fudge type"
+91304030,"TOPPING, FRUIT","Topping, fruit"
+91304040,"TOPPING, MARSHMALLOW","Topping, marshmallow"
+91304050,"HARD SAUCE","Hard sauce"
+91304060,"TOPPING, NUT (WET)","Topping, nut (wet)"
+91304070,"TOPPING, PEANUT BUTTER, THICK FUDGE TYPE","Topping, peanut butter, thick, fudge type"
+91304080,"TOPPING, FRUIT, UNSWEETENED","Topping, fruit, unsweetened"
+91304090,"TOPPING, CHOC FLAVOR HAZELNUT SPREAD (INCL NUTELLA)","Topping, chocolate flavored hazelnut spread"
+91304250,"TOPPING, MILK CHOCOLATE W/ CEREAL","Topping, milk chocolate with cereal"
+91304300,"TOPPING, CHOCOLATE, HARD COATING","Topping, chocolate, hard coating"
+91305010,"ICING, CHOCOLATE","Icing, chocolate"
+91305020,"ICING, WHITE","Icing, white"
+91351010,"SYRUP, DIETETIC","Syrup, dietetic"
+91351020,"TOPPING, DIETETIC","Topping, dietetic"
+91361010,"SWEET & SOUR SAUCE (INCLUDE VIETNAMESE SAUCE)","Sweet and sour sauce"
+91361020,"FRUIT SAUCE (INCLUDE ALL FRUITS)","Fruit sauce"
+91361040,"DESSERT SAUCE","Dessert sauce"
+91361050,"DUCK SAUCE (INCLUDE CHAISNI SAUCE)","Duck sauce"
+91361070,"PLUM SAUCE, ASIAN STYLE","Plum sauce, Asian style"
+91401000,"JELLY, ALL FLAVORS","Jelly, all flavors"
+91402000,"JAM, PRESERVES, ALL FLAVORS","Jam, preserves, all flavors"
+91403000,"FRUIT BUTTER, ALL FLAVORS (INCLUDE APPLE BUTTER)","Fruit butter, all flavors"
+91404000,"MARMALADE, ALL FLAVORS","Marmalade, all flavors"
+91405000,"JELLY, DIETETIC, ALL FLAVORS,SWEETENED W/ ARTIFICIAL SWEETEN","Jelly, dietetic, all flavors, sweetened with artificial sweetener"
+91405500,"JELLY, REDUCED SUGAR, ALL FLAVORS","Jelly, reduced sugar, all flavors"
+91406000,"JAM, MARMALADES, ARTIFICIALLY SWEETENED","Jams, preserves, marmalades, dietetic, all flavors, sweetened with artificial sweetener"
+91406500,"JAM PRESERVES,MARMALADES,SWEET W/ FRUIT JUICE CONC","Jams, preserves, marmalades, sweetened with fruit juice concentrates, all flavors"
+91406600,"JAMS,PRESERVES,MARMALADES,LOW SUGAR (ALL FLAVORS)","Jams, preserves, marmalades, low sugar (all flavors)"
+91407100,"GUAVA PASTE","Guava paste"
+91407120,"SWEET POTATO PASTE","Sweet potato paste"
+91407150,"BEAN PASTE, SWEETENED","Bean paste, sweetened"
+91408100,"CHINESE PRESERVED SWEET VEGETABLE","Chinese preserved sweet vegetable"
+91500200,"GELATIN POWDER, SWEETENED, DRY","Gelatin powder, sweetened, dry"
+91501010,"GELATIN DESSERT","Gelatin dessert"
+91501015,"GELATIN SNACKS","Gelatin snacks"
+91501020,"GELATIN DESSERT W/ FRUIT","Gelatin dessert with fruit"
+91501030,"GELATIN DESSERT W/ WHIPPED CREAM","Gelatin dessert with whipped cream"
+91501040,"GELATIN DESSERT W/ FRUIT & WHIPPED CREAM","Gelatin dessert with fruit and whipped cream"
+91501050,"GELATIN DESSERT W/ CREAM CHEESE","Gelatin dessert with cream cheese"
+91501060,"GELATIN DESSERT W/ SOUR CREAM","Gelatin dessert with sour cream"
+91501070,"GELATIN DESSERT W/ FRUIT & SOUR CREAM","Gelatin dessert with fruit and sour cream"
+91501080,"GELATIN DESSERT W/ FRUIT & CREAM CHEESE","Gelatin dessert with fruit and cream cheese"
+91501090,"GELATIN DESSERT W/ FRUIT, VEGETABLES, & NUTS","Gelatin dessert with fruit, vegetable, and nuts"
+91501100,"GELATIN SALAD W/ VEGETABLES","Gelatin salad with vegetables"
+91501110,"GELATIN DESSERT W/ FRUIT & WHIPPED TOPPING","Gelatin dessert with fruit and whipped topping"
+91501120,"GELATIN DESSERT W/ FRUIT & VEGETABLES","Gelatin dessert with fruit and vegetables"
+91510100,"GELATIN POWDER, DIETETIC, DRY","Gelatin powder, dietetic, sweetened with low calorie sweetener, dry"
+91511010,"GELATIN DESSERT, DIETETIC, W/ LO CAL SWEETENER","Gelatin dessert, dietetic, sweetened with low calorie sweetener"
+91511020,"GELATIN DESSERT, DIET, W/ FRUIT, LO CAL SWEETNER","Gelatin dessert, dietetic, with fruit, sweetened with low calorie sweetener"
+91511030,"GELATIN DESSERT, DIETETIC, W/ WHIPPED TOPPING","Gelatin dessert, dietetic, with whipped topping, sweetened with low calorie sweetener"
+91511050,"GELATIN DESSERT, DIETETIC, W/ CREAM CHEESE","Gelatin dessert, dietetic, with cream cheese, sweetened with low calorie sweetener"
+91511060,"GELATIN DESSERT, DIETETIC, W/ SOUR CREAM","Gelatin dessert, dietetic, with sour cream, sweetened with low calorie sweetener"
+91511070,"GELATIN DESSERT, DIETETIC, W/ FRUIT & SOUR CREAM","Gelatin dessert, dietetic, with fruit and sour cream, sweetened with low calorie sweetener"
+91511080,"GELATIN DESSERT, DIETETIC, W/ FRUIT & CREAM CHEESE","Gelatin dessert, dietetic, with fruit and cream cheese, sweetened with low calorie sweetener"
+91511090,"GELATIN DESSERT, DIETETIC, W/ FRUIT & VEGETABLES","Gelatin dessert, dietetic, with fruit and vegetable(s), sweetened with low calorie sweetener"
+91511100,"GELATIN DESSERT, DIETETIC, W/ VEGETABLES","Gelatin salad, dietetic, with vegetables, sweetened with low calorie sweetener"
+91511110,"GELATIN DESSERT, DIETETIC, W/ FRUIT & WHIP TOPPING","Gelatin dessert, dietetic, with fruit and whipped topping, sweetened with low calorie sweetener"
+91512010,"DANISH DESSERT PUDDING","Danish dessert pudding"
+91520100,"YOOKAN, JAPANESE DESSERT MADE W/ BEAN PASTE & SUGAR","Yookan (Yokan), a Japanese dessert made with bean paste and sugar"
+91550100,"COCONUT CREAM CAKE, P.R. (BIEN ME SABE)","Coconut cream cake, Puerto Rican style (Bien me sabe, ""Tastes good to me"")"
+91550300,"PINEAPPLE CUSTARD, P.R. (FLAN DE PINA)","Pineapple custard, Puerto Rican style (Flan de pina)"
+91560100,"HAUPIA (COCONUT PUDDING)","Haupia (coconut pudding)"
+91580000,"GELATIN,FROZ,WHIPPED,ON STICK(INCL JELLO GLTN POPS)","Gelatin, frozen, whipped, on a stick"
+91601000,"ICE, FRUIT","Ice, fruit"
+91611000,"ICE POP","Ice pop"
+91611050,"ICE POP FILLED W/ ICE CREAM, ALL FLAVOR VARIETIES","Ice pop filled with ice cream, all flavor varieties"
+91611100,"ICE POP, SWEETENED W/ LOW CALORIE SWEETENER","Ice pop, sweetened with low calorie sweetener"
+91621000,"SNOW CONE","Snow cone"
+91700010,"CANDY, NFS","Candy, NFS"
+91700500,"M&M'S ALMOND CHOCOLATE CANDIES","M&M's Almond Chocolate Candies"
+91701010,"ALMONDS, CHOCOLATE-COVERED","Almonds, chocolate covered"
+91701020,"ALMONDS, SUGAR-COATED (INCL JORDAN ALMONDS)","Almonds, sugar-coated"
+91701030,"ALMONDS, YOGURT-COVERED","Almonds, yogurt-covered"
+91702010,"BUTTERSCOTCH MORSELS","Butterscotch morsels"
+91703010,"CARAMEL CANDY, CHOC-FLAVOR ROLL (INCL TOOTSIE ROLL)","Caramel, chocolate-flavored roll"
+91703020,"CARAMEL CANDY, NOT CHOCOLATE","Caramel, flavor other than chocolate"
+91703030,"CARAMEL CANDY, W/ NUTS","Caramel, with nuts"
+91703040,"CARAMEL CANDY, CHOCOLATE COVERED","Caramel candy, chocolate covered"
+91703050,"CARAMEL CANDY, W/ NUTS & CEREAL, CHOCOLATE-COVERED","Caramel with nuts and cereal, chocolate covered"
+91703060,"CARAMEL CANDY, W/ NUTS, CHOCOLATE-COVERED","Caramel with nuts, chocolate covered"
+91703070,"ROLOS CANDY","Rolo"
+91703080,"CARAMEL, ALL FLAVORS, SUGAR FREE","Caramel, all flavors, sugar free"
+91703150,"TOBLERONE,MILK CHOCOLATE W/ HONEY & ALMOND NOUGAT","Toblerone, milk chocolate with honey and almond nougat"
+91703200,"TWIX CARAMEL COOKIE BARS","TWIX Caramel Cookie Bars (formerly TWIX Cookie Bars)"
+91703250,"TWIX CHOCOLATE FUDGE COOKIE BARS","TWIX Chocolate Fudge Cookie Bars"
+91703300,"TWIX PEANUT BUTTER COOKIE BARS","TWIX Peanut Butter Cookie Bars"
+91703400,"WHATCHAMACALLIT CANDY","Whatchamacallit"
+91703500,"NUTS, CAROB-COATED","Nuts, carob-coated"
+91703600,"ESPRESSO COFFEE BEANS, CHOCOLATE-COVERED","Espresso coffee beans, chocolate-covered"
+91705010,"MILK CHOCOLATE CANDY, PLAIN","Milk chocolate candy, plain"
+91705020,"MILK CHOCOLATE CANDY, WITH CEREAL","Milk chocolate candy, with cereal"
+91705030,"KIT KAT CANDY BAR","Kit Kat"
+91705040,"CHOCOLATE, MILK, W/ NUTS, NOT ALMONDS OR PEANUTS","Chocolate, milk, with nuts, not almond or peanuts"
+91705050,"MILK CHOCOLATE CANDY, WITH FRUIT AND NUTS","Milk chocolate candy, with fruit and nuts"
+91705060,"MILK CHOCOLATE CANDY, WITH ALMONDS","Milk chocolate candy, with almonds"
+91705070,"CHOCOLATE, MILK, W/ PEANUTS (INCLUDE MR GOODBAR)","Chocolate, milk, with peanuts"
+91705090,"CHOCOLATE CANDY WITH FONDANT AND CARAMEL","Chocolate candy with fondant and caramel"
+91705200,"CHOCOLATE, SEMI-SWEET","Chocolate, semi-sweet morsel"
+91705300,"CHOCOLATE CANDY, SWEET OR DARK","Chocolate, sweet or dark"
+91705310,"CHOCOLATE, SWEET OR DARK, WITH ALMONDS","Chocolate, sweet or dark, with almonds"
+91705400,"CHOCOLATE CANDY, WHITE","Chocolate, white"
+91705410,"CHOCOLATE CANDY, WHITE, W/ ALMONDS","Chocolate, white, with almonds"
+91705420,"CHOCOLATE, WHITE, W/ CEREAL, CANDY","Chocolate, white, with cereal"
+91705430,"KIT KAT WHITE","Kit Kat White"
+91705500,"MEXICAN CHOCOLATE (TABLET)","Mexican chocolate (tablet)"
+91706000,"COCONUT CANDY, CHOCOLATE-COVERED","Coconut candy, chocolate covered"
+91706100,"COCONUT CANDY, NO CHOCOLATE COVERING","Coconut candy, no chocolate covering"
+91706400,"COCONUT CANDY, P.R. STYLE","Coconut candy, Puerto Rican style"
+91707000,"FONDANT CANDY","Fondant"
+91707010,"FONDANT CANDY, CHOCOLATE COVERED","Fondant, chocolate covered"
+91708000,"FRUIT PEEL, CANDIED","Fruit peel, candied"
+91708010,"FRUIT CANDY BAR","Date candy"
+91708020,"SOFT FRUIT CONFECTION","Soft fruit confections"
+91708030,"FRUIT LEATHER / FRUIT SNACKS CANDY","Fruit leather and fruit snacks candy"
+91708040,"FUN FRUITS CREME SUPREMES CANDY","Fun Fruits Creme Supremes"
+91708070,"TAMARIND CANDY","Tamarind candy"
+91708100,"FRUIT SNACKS CANDY W/ HI VIT C","Fruit snacks candy, with high vitamin C"
+91708150,"YOGURT COVERED FRUIT SNACKS CANDY, W/ ADDED VITAMIN C","Yogurt covered fruit snacks candy, with added vitamin C"
+91708160,"YOGURT COVERED FRUIT SNACKS CANDY ROLLS, W/ HIGH VITAMIN C","Yogurt covered fruit snacks candy rolls, with high vitamin C"
+91709000,"GUMDROPS, CHOCOLATE-COVERED","Gumdrops, chocolate covered"
+91713010,"FUDGE, CHOCOLATE, CHOCOLATE-COATED","Fudge, chocolate, chocolate-coated"
+91713020,"FUDGE, CHOCOLATE, CHOCOLATE-COATED, W/ NUTS","Fudge, chocolate, chocolate-coated, with nuts"
+91713030,"FUDGE, CHOCOLATE","Fudge, chocolate"
+91713040,"FUDGE, CHOCOLATE, W/ NUTS","Fudge, chocolate, with nuts"
+91713050,"FUDGE, PEANUT BUTTER","Fudge, peanut butter"
+91713060,"FUDGE, PEANUT BUTTER, W/ NUTS","Fudge, peanut butter, with nuts"
+91713070,"FUDGE, VANILLA","Fudge, vanilla"
+91713080,"FUDGE, VANILLA, W/ NUTS","Fudge, vanilla, with nuts"
+91713090,"FUDGE, DIVINITY","Fudge, divinity"
+91713100,"FUDGE, BROWN SUGAR (PANUCHI)","Fudge, brown sugar (penuche)"
+91715000,"FUDGE, CARAMEL AND NUT, CHOCOLATE-COATED CANDY","Fudge, caramel and nut, chocolate-coated candy"
+91715100,"SNICKERS CANDY BAR","SNICKERS Bar"
+91715200,"BABY RUTH CANDY BAR","Baby Ruth"
+91715300,"100 GRAND BAR (INCL $100,000 BAR)","100 GRAND Bar"
+91716010,"HALVAH, PLAIN","Halvah, plain"
+91716110,"HALVAH, CHOCOLATE-COVERED","Halvah, chocolate covered"
+91718000,"HONEY-COMBED HARD CANDY, PEANUT BUTTER","Honey-combed hard candy with peanut butter"
+91718050,"HONEY-COMBED CANDY, PEANUT BUTTER, CHOC-COVERED","Honey-combed hard candy with peanut butter, chocolate covered"
+91718100,"BUTTERFINGER CANDY BAR","Butterfinger"
+91718110,"BUTTERFINGER CRISP","Butterfinger Crisp"
+91718200,"JIMMIES (INCLUDE CHOCOLATE-FLAVORED SPRINKLES)","Chocolate-flavored sprinkles"
+91718300,"LADOO, ROUND BALL, ASIAN-INDIAN DESSERT","Ladoo, round ball, Asian-Indian dessert"
+91721000,"LICORICE CANDY","Licorice"
+91723000,"MARSHMALLOW","Marshmallow"
+91723010,"MARSHMALLOW, CHOCOLATE-COVERED","Marshmallow, chocolate covered"
+91723020,"MARSHMALLOW, CANDY-COATED","Marshmallow, candy-coated"
+91723050,"MARSHMALLOW, COCONUT-COATED","Marshmallow, coconut-coated"
+91726000,"NOUGAT CANDY, PLAIN","Nougat, plain"
+91726110,"NOUGAT CANDY, W/ CARAMEL, CHOCOLATE-COVERED","Nougat, with caramel, chocolate covered"
+91726130,"MILKY WAY BAR","MILKY WAY Bar"
+91726140,"MILKY WAY MIDNIGHT BAR (FORMERLY MILKY WAY DARK BAR)","MILKY WAY MIDNIGHT Bar (formerly MILKY WAY DARK Bar)"
+91726150,"MARS ALMOND BAR (FORMERLY MARS BAR)","MARS Almond Bar (formerly MARS bar)"
+91726410,"NOUGAT CANDY, CHOCOLATE-COVERED","Nougat, chocolate covered"
+91726420,"3 MUSKETEERS BAR","3 MUSKETEERS Bar"
+91726425,"3 MUSKETEERS TRUFFLE CRISP BAR","3 Musketeers Truffle Crisp Bar"
+91727010,"NUTS, CHOCOLATE-COVERED, NOT ALMONDS OR PEANUTS","Nuts, chocolate covered, not almonds or peanuts"
+91728000,"NUT ROLL, FUDGE OR NOUGAT, CARAMEL & NUTS","Nut roll, fudge or nougat, caramel and nuts"
+91728500,"SUGARED PECANS (SUGAR & EGG WHITE COATING)","Sugared pecans (sugar and egg white coating)"
+91731000,"PEANUTS, CHOCOLATE-COVERED","Peanuts, chocolate covered"
+91731010,"M&M'S PEANUT CANDIES","M&M's Peanut Chocolate Candies"
+91731060,"M&M'S PEANUT BUTTER CHOCOLATE CANDIES","M&M's Peanut Butter Chocolate Candies"
+91731100,"PEANUTS, SUGAR-COATED","Peanuts, sugar-coated"
+91731150,"PEANUTS, YOGURT-COVERED","Peanuts, yogurt covered"
+91732000,"PEANUT CANDY BAR","Peanut bar"
+91732100,"PLANTERS PEANUT CANDY BAR","Planters Peanut Bar"
+91733000,"PEANUT BRITTLE","Peanut brittle"
+91733200,"PEANUT BAR, CHOCOLATE COVERED CANDY","Peanut Bar, chocolate covered candy"
+91734000,"PEANUT BUTTER CANDY, CHOCOLATE-COVERED","Peanut butter, chocolate covered"
+91734100,"REESE'S PEANUT BUTTER CUPS","Reese's Peanut Butter Cup"
+91734200,"REESE'S PIECES CANDY","Reese's Pieces"
+91734300,"REESE'S STICKS","Reese's Sticks"
+91734400,"REESE'S FAST BREAK","Reese's Fast Break"
+91734450,"REESE'S CRISPY CRUNCHY BAR","Reese's Crispy Crunchy Bar"
+91734500,"PEANUT BUTTER MORSELS CANDY","Peanut butter morsels"
+91735000,"PRALINES","Pralines"
+91736000,"PINEAPPLE CANDY, P.R. STYLE","Pineapple candy, Puerto Rican style"
+91739010,"RAISINS, CHOCOLATE-COVERED","Raisins, chocolate covered"
+91739600,"RAISINS, YOGURT-COVERED","Raisins, yogurt covered"
+91742010,"SESAME CRUNCH CANDY (SAHADI)","Sesame Crunch (Sahadi)"
+91745010,"GUMDROPS","Gumdrops"
+91745020,"HARD CANDY","Hard candy"
+91745040,"BUTTERSCOTCH HARD CANDY","Butterscotch hard candy"
+91745100,"SKITTLES CANDY","Skittles"
+91746010,"SUGAR-COATED CHOCOLATE DISCS CANDY","Sugar-coated chocolate discs"
+91746100,"M&M'S MILK CHOCOLATE CANDIES","M&M's Milk Chocolate Candies (formerly M&M's Plain Chocolate Candies)"
+91746120,"SIXLETS CANDY","Sixlets"
+91746150,"EASTER EGG, CANDY-COATED CHOCOLATE","Easter egg, candy coated chocolate"
+91746200,"M&M'S PRETZEL CHOCOLATE CANDIES","M&M's Pretzel Chocolate Candies"
+91750000,"TAFFY","Taffy"
+91760000,"TOFFEE, PLAIN","Toffee, plain"
+91760100,"TOFFEE, CHOCOLATE COVERED (INCL HEATH BAR, SKOR)","Toffee, chocolate covered"
+91760200,"TOFFEE, CHOCOLATE-COATED, W/ NUTS","Toffee, chocolate-coated, with nuts"
+91760500,"TRUFFLES","Truffles"
+91760700,"WAX CANDY, LIQUID FILLED","Wax candy, liquid filled"
+91770000,"DIETETIC OR LOW CALORIE CANDY, NFS","Dietetic or low calorie candy, NFS"
+91770010,"DIETETIC OR LOW CALORIE GUMDROPS","Dietetic or low calorie gumdrops"
+91770020,"DIETETIC OR LOW CALORIE HARD CANDY","Dietetic or low calorie hard candy"
+91770030,"DIETETIC OR LOW CALORIE CANDY, CHOCOLATE-COVERED","Dietetic or low calorie candy, chocolate covered"
+91770050,"MINTS, DIETETIC OR LOW CALORIE","Dietetic or low calorie mints"
+91800100,"CHEWING GUM, NFS","Chewing gum, NFS"
+91801000,"CHEWING GUM, SUGARED","Chewing gum, sugared"
+91802000,"CHEWING GUM, SUGARLESS","Chewing gum, sugarless"
+92100000,"COFFEE, NS AS TO TYPE","Coffee, NS as to type"
+92100500,"COFFEE, REGULAR, NS GROUND/INSTANT","Coffee, regular, NS as to ground or instant"
+92101000,"COFFEE, MADE FROM GROUND, REGULAR","Coffee, made from ground, regular"
+92101500,"COFFEE, BREWED, EQUAL PARTS REG & DECAFFEINATED","Coffee, made from ground, equal parts regular and decaffeinated"
+92101600,"COFFEE, TURKISH","Coffee, Turkish"
+92101610,"COFFEE, ESPRESSO","Coffee, espresso"
+92101630,"COFFEE, ESPRESSO, DECAFFEINATED","Coffee, espresso, decaffeinated"
+92101640,"COFFEE, MEXICAN, REG, UNSWEETENED (NO MILK)","Coffee, Mexican, regular, unsweetened (no milk; not cafe con leche)"
+92101650,"COFFEE, MEXICAN, REG, SWEETENED (NO MILK)","Coffee, Mexican, regular, sweetened (no milk; not cafe con leche)"
+92101660,"COFFEE, MEXICAN, DECAF, UNSWEETENED (NO MILK)","Coffee, Mexican, decaffeinated, unsweetened (no milk; not cafe con leche)"
+92101670,"COFFEE, MEXICAN, DECAF, SWEETENED (NO MILK)","Coffee, Mexican, decaffeinated, sweetened (no milk; not cafe con leche)"
+92101700,"COFFEE, MADE FROM GROUND, REGULAR, FLAVORED","Coffee, made from ground, regular, flavored"
+92101800,"COFFEE, CUBAN","Coffee, Cuban"
+92101900,"COFFEE, LATTE","Coffee, Latte"
+92101910,"COFFEE, LATTE, DECAFFEINATED","Coffee, Latte, decaffeinated"
+92101920,"BLENDED COFFEE BEVERAGE, REGULAR, SWEETENED","Blended coffee beverage, made with regular coffee, milk, and ice, sweetened"
+92101925,"BLENDED COFFEE BEVERAGE, REG, SWTND, W/ WHP CRM","Blended coffee beverage, made with regular coffee, milk, and ice, sweetened, with whipped cream"
+92101930,"BLENDED COFFEE BEVERAGE, DECAF, SWEETENED","Blended coffee beverage, made with decaffeinated coffee, milk, and ice, sweetened"
+92101935,"BLENDED COFFEE BEVERAGE, DECAF, SWTND, W/ WHP CRM","Blended coffee beverage, made with decaffeinated coffee, milk, and ice, sweetened, with whipped cream"
+92101950,"COFFEE, MOCHA","Coffee, mocha"
+92101960,"COFFEE, MOCHA, MADE W/ SOY MILK","Coffee, mocha, made with soy milk"
+92103000,"COFFEE, MADE FROM POWDERED INSTANT, REGULAR","Coffee, made from powdered instant, regular"
+92104000,"COFFEE, FROM POWDER, 50% LESS CAFFEINE","Coffee, made from powdered instant, 50% less caffeine"
+92105000,"COFFEE, LIQUID CONCENTRATE, NOT RECONSTITUTED","Coffee, liquid concentrate"
+92105010,"COFFEE, MADE FROM LIQUID CONCENTRATE","Coffee, made from liquid concentrate"
+92106000,"COFFEE, ACID NEUTRALIZED, FROM POWDERED INSTANT","Coffee, acid neutralized, from powdered instant"
+92111000,"COFFEE, DECAFFEINATED, NS AS TO GROUND OR INSTANT","Coffee, decaffeinated, NS as to ground or instant"
+92111010,"COFFEE, DECAFFEINATED, MADE FROM GROUND","Coffee, decaffeinated, made from ground"
+92114000,"COFFEE, DECAFFEINATED, MADE FROM POWDERED INSTANT","Coffee, decaffeinated, made from powdered instant"
+92121000,"COFFEE, FROM POWDERED MIX,W/WHITENER&SUGAR, INSTANT","Coffee, made from powdered instant mix, with whitener and sugar, instant"
+92121010,"COFFEE, FROM POWDER, PRESWEETENED, NO WHITENER","Coffee, made from powdered instant mix, presweetened, no whitener"
+92121020,"COFFEE & COCOA (MOCHA), W/ WHITENER, PRESWEETENED","Coffee and cocoa (mocha), made from powdered instant mix, with whitener, presweetened"
+92121030,"COFFEE & COCOA, FROM MIX, W/WHITENER, LOW CAL SWEET","Coffee and cocoa (mocha), made from powdered instant mix, with whitener and low calorie sweetener"
+92121040,"COFFEE, FROM POWDER, W/ WHITENER & LO CAL SWEETENER","Coffee, made from powdered instant mix, with whitener and low calorie sweetener"
+92121050,"COFFEE&COCOA,FROM PWDR,W/WHITE&LOW CAL SWEET,DECAF","Coffee and cocoa (mocha), made from powdered instant mix, with whitener and low calorie sweetener, decaffeinated"
+92130000,"COFFEE, REG, PRESWEETENED W/SUGAR, PRE-LIGHTENED","Coffee, regular, presweetened with sugar, pre-lightened"
+92130001,"COFFEE, DECAFFEINATED, PRESWEETENED W/ SUGAR, PRE-LIGHTENED","Coffee, decaffeinated, presweetened with sugar, pre-lightened"
+92130005,"COFFEE, REGULAR, WITH LOW CALORIE SWEETENER, PRE-LIGHTENED","Coffee, regular, with low-calorie sweetener, pre-lightened"
+92130006,"COFFEE, DECAFFEINATED,W/ LOW CALORIE SWEETENER,PRE-LIGHTENED","Coffee, decaffeinated, with low-calorie sweetener, pre-lightened"
+92130010,"COFFEE, PRE-LIGHTENED, NO SUGAR","Coffee, pre-lightened, no sugar"
+92130020,"COFFEE, PRESWEETENED W/ SUGAR","Coffee, presweetened with sugar"
+92150000,"COFFEE & CHICORY, NS AS TO GROUND OR INSTANT","Coffee and chicory, NS as to ground or instant"
+92151000,"COFFEE & CHICORY, MADE FROM POWDERED INSTANT","Coffee and chicory, made from powdered instant"
+92151100,"COFFEE, DECAFFEINATED, AND CHICORY, FROM INSTANT","Coffee, decaffeinated, and chicory, made from powdered instant"
+92152000,"COFFEE & CHICORY, MADE FROM GROUND","Coffee and chicory, made from ground"
+92153000,"COFFEE, REGULAR, W/ CEREAL (INCLUDE W/ BARLEY)","Coffee, regular, with cereal"
+92153100,"COFFEE, DECAFFEINATED, W/ CEREAL (INCLUDE W/BARLEY)","Coffee, decaffeinated, with cereal"
+92161000,"CAPPUCCINO","Cappuccino"
+92161005,"CAPPUCCINO, SWEETENED","Cappuccino, sweetened"
+92162000,"CAPPUCCINO, DECAFFEINATED","Cappuccino, decaffeinated"
+92162005,"CAPPUCCINO, DECAFFEINATED, SWEETENED","Cappuccino, decaffeinated, sweetened"
+92191000,"COFFEE, DRY POWDER, NS AS TO REG OR DECAF","Coffee, dry instant powder, NS as to regular or decaffeinated"
+92191100,"COFFEE, DRY POWDER, REGULAR","Coffee, dry instant powder, regular"
+92191200,"COFFEE, DRY POWDER, DECAFFEINATED","Coffee, dry instant powder, decaffeinated"
+92191250,"COFFEE, DRY, ACID NEUTRALIZED (INCLUDE KAVA)","Coffee, dry, acid neutralized"
+92191500,"COFFEE & CHICORY, DRY POWDER","Coffee and chicory, dry instant powder"
+92191520,"COFFEE, DECAFFEINATED, AND CHICORY, DRY POWDER","Coffee, decaffeinated, and chicory, dry instant powder"
+92192000,"COFFEE & COCOA (MOCHA) MIX,W/WHITENER,PRESWEET, DRY","Coffee and cocoa (mocha) mix, dry instant powder with whitener, presweetened"
+92192030,"COFFEE & COCOA (MOCHA) MIX,W/WHITENER, LOW CAL, DRY","Coffee and cocoa (mocha) mix, dry instant powder with whitener and low calorie sweetener"
+92192040,"COFFEE&COCOA MIX,DRY,W/WHITENER&LOW CAL SWEET,DECAF","Coffee and cocoa (mocha) mix, dry instant powder, with whitener and low calorie sweetener, decaffeinated"
+92193000,"COFFEE, DRY MIX, W/ WHITENER & SUGAR","Coffee, dry instant powder, with whitener and sugar"
+92193020,"COFFEE, DRY MIX, W/ WHITENER & LOW CAL SWEETENER","Coffee, dry instant powder, with whitener and low calorie sweetener"
+92201010,"POSTUM (COFFEE SUBSTITUTE)","Postum"
+92202010,"CHICORY (COFFEE SUBSTITUTE)","Chicory"
+92203000,"CEREAL, BEVERAGE (INCLUDE PERO, BREAK AWAY)","Cereal beverage"
+92203110,"CEREAL BEVERAGE, W/BEET ROOTS,FROM POWDERED INSTANT","Cereal beverage with beet roots, from powdered instant"
+92204000,"MATE, SWEETENED BEVERAGE FROM DRIED GREEN LEAVES","Mate, sweetened beverage made from dried green leaves"
+92205000,"RICE BEVERAGE (INCL RICE TEA)","Rice beverage"
+92291300,"POSTUM, DRY POWDER","Postum, dry powder"
+92301000,"TEA, NS AS TO TYPE, UNSWEETENED","Tea, NS as to type, unsweetened"
+92301060,"TEA, NS AS TO TYPE, PRESWEETENED W/ SUGAR","Tea, NS as to type, presweetened with sugar"
+92301080,"TEA, PRESWEETENED W/ LOW CALORIE SWEETENER","Tea, NS as to type, presweetened with low calorie sweetener"
+92301100,"TEA, NS AS TO TYPE, DECAFFEINATED, UNSWEETENED","Tea, NS as to type, decaffeinated, unsweetened"
+92301130,"TEA, NS AS TO TYPE, PRESWEETENED, NS AS TO SWEETNER","Tea, NS as to type, presweetened, NS as to sweetener"
+92301160,"TEA, DECAFFEINATED, W/ SUGAR, NFS","Tea, NS as to type, decaffeinated, presweetened with sugar"
+92301180,"TEA, DECAFFEINATED, LOW CALORIE SWEETENER, NFS","Tea, NS as to type, decaffeinated, presweetened with low calorie sweetener"
+92301190,"TEA, PRESWEETENED, NS SWEETENER, DECAFFEINATED","Tea, NS as to type, decaffeinated, presweetened, NS as to sweetener"
+92302000,"TEA, LEAF, UNSWEETENED","Tea, leaf, unsweetened"
+92302200,"TEA, LEAF, PRESWEETENED W/ SUGAR","Tea, leaf, presweetened with sugar"
+92302300,"TEA, LEAF, PRESWEETENED W/ LOW CALORIE SWEETENER","Tea, leaf, presweetened with low calorie sweetener"
+92302400,"TEA, LEAF, PRESWEETENED, NS AS TO SWEETENER","Tea, leaf, presweetened, NS as to sweetener"
+92302500,"TEA, DECAFFEINATED, UNSWEETENED","Tea, leaf, decaffeinated, unsweetened"
+92302600,"TEA, LEAF, DECAFFEINATED, PRESWEETENED W/ SUGAR","Tea, leaf, decaffeinated, presweetened with sugar"
+92302700,"TEA, LEAF, DECAFFEINATED, LOW CALORIE SWEETENER","Tea, leaf, decaffeinated, presweetened with low calorie sweetener"
+92302800,"TEA, LEAF, DECAFFEINATED, PRESWEETENED, NFS","Tea, leaf, decaffeinated, presweetened, NS as to sweetener"
+92304000,"TEA, MADE FROM FROZEN CONCENTRATE, UNSWEETENED","Tea, made from frozen concentrate, unsweetened"
+92304700,"TEA, FROM FROZ CONC, DECAF, PRESWEETND, LOW CALORIE","Tea, made from frozen concentrate, decaffeinated, presweetened with low calorie sweetener"
+92305000,"TEA, MADE FROM POWDERED INSTANT, PRESWEETENED","Tea, made from powdered instant, presweetened, NS as to sweetener"
+92305010,"TEA, MADE FROM POWDERED INSTANT, UNSWEETENED","Tea, made from powdered instant, unsweetened"
+92305040,"TEA, MADE FROM POWDERED INSTANT,PRESWEETEND W/SUGAR","Tea, made from powdered instant, presweetened with sugar"
+92305050,"TEA, FROM POWDER, DECAFFEINATED, PRESWEET W/ SUGAR","Tea, made from powdered instant, decaffeinated, presweetened with sugar"
+92305090,"TEA, MADE FROM POWDERED INSTANT,W/LO CAL SWEETENER","Tea, made from powdered instant, presweetened with low calorie sweetener"
+92305110,"TEA, FROM INSTANT, DECAF, PRESWEETENED, LOW CALORIE","Tea, made from powdered instant, decaffeinated, presweetened with low calorie sweetener"
+92305180,"TEA ,MADE FROM POWDERED INSTANT, DECAF ,UNSWEET","Tea, made from powdered instant, decaffeinated, unsweetened"
+92305800,"TEA, FROM POWDER, DECAFFEINATED, PRESWEETENED","Tea, made from powdered instant, decaffeinated, presweetened, NS as to sweetener"
+92306000,"TEA, HERBAL (INCLUDE SASSAFRAS,LICORICE)","Tea, herbal"
+92306020,"TEA, HERBAL, PRESWEETENED W/ SUGAR","Tea, herbal, presweetened with sugar"
+92306030,"TEA, HERBAL, PRESWEETENED W/ LOW CAL SWEETENER","Tea, herbal, presweetened with low calorie sweetener"
+92306040,"TEA, HERBAL, PRESWEETENED, NS AS TO SWEETENER","Tea, herbal, presweetened, NS as to sweetener"
+92306050,"TEA, MADE FROM CARAWAY SEEDS","Tea, made from caraway seeds"
+92306090,"TEA, HIBISCUS","Tea, hibiscus"
+92306100,"CORN BEVERAGE(INCLUDE CORN TEA)","Corn beverage"
+92306200,"BEAN BEVERAGE (INCLUDE BEAN TEA)","Bean beverage"
+92306610,"TEA, RUSSIAN","Tea, Russian"
+92306700,"TEA, CHAMOMILE","Tea, chamomile"
+92307000,"TEA, POWDERED INSTANT, UNSWEETENED, DRY","Tea, powdered instant, unsweetened, dry"
+92307400,"TEA, POWDERED INSTANT, SWEETENED, NS SWEETENER, DRY","Tea, powdered instant, sweetened, NS as to sweetener, dry"
+92307500,"HALF AND HALF BEVERAGE, HALF ICED TEA/HALF LEMONADE","Half and Half beverage, half iced tea and half fruit juice drink (lemonade)"
+92307510,"HALF&HALF BEV, HALF ICED TEA/HALF LEMONADE,LOW CAL","Half and Half beverage, half iced tea and half fruit juice drink (lemonade), low calorie"
+92400000,"SOFT DRINK, NFS","Soft drink, NFS"
+92400100,"SOFT DRINK, NFS, SUGAR-FREE","Soft drink, NFS, sugar-free"
+92410110,"CARBONATED WATER,SWEETEND(INCL TONIC,QUININE WATER)","Carbonated water, sweetened"
+92410210,"CARBONATED WATER, UNSWEETENED (INCL CLUB SODA)","Carbonated water, unsweetened"
+92410250,"CARBONATED WATER, SWEETENED, WITH LOW-CALORIE OR NO-CALORIE","Carbonated water, sweetened, with low-calorie or no-calorie sweetener"
+92410310,"SOFT DRINK, COLA-TYPE","Soft drink, cola-type"
+92410315,"SOFT DRINK, COLA TYPE, REDUCED SUGAR","Soft drink, cola type, reduced sugar"
+92410320,"SOFT DRINK, COLA-TYPE, SUGAR-FREE","Soft drink, cola-type, sugar-free"
+92410330,"SOFT DRINK, COLA-TYPE, W/ HIGHER CAFFEINE (INCL JOLT)","Soft drink, cola-type, with higher caffeine"
+92410340,"SOFT DRINK, COLA-TYPE, DECAFFEINATED","Soft drink, cola-type, decaffeinated"
+92410350,"SOFT DRINK, COLA-TYPE, DECAFFEINATED, SUGAR-FREE","Soft drink, cola-type, decaffeinated, sugar-free"
+92410360,"SOFT DRINK, PEPPER-TYPE (INCL DR. PEPPER, MR. PIBB)","Soft drink, pepper-type"
+92410370,"SOFT DRINK, PEPPER-TYPE, SUGAR-FREE","Soft drink, pepper-type, sugar-free"
+92410390,"SOFT DRINK, PEPPER-TYPE, DECAFFEINATED","Soft drink, pepper-type, decaffeinated"
+92410400,"SOFT DRINK, PEPPER-TYPE, DECAFFEINATED, SUGAR-FREE","Soft drink, pepper-type, decaffeinated, sugar-free"
+92410410,"CREAM SODA","Cream soda"
+92410420,"CREAM SODA, SUGAR-FREE","Cream soda, sugar-free"
+92410510,"SOFT DRINK, FRUIT-FLAVORED, CAFFEINE FREE","Soft drink, fruit-flavored, caffeine free"
+92410520,"SOFT DRINK, FRUIT-FLAV, SUGAR-FREE, CAFFEINE FREE","Soft drink, fruit-flavored, sugar free, caffeine free"
+92410550,"SOFT DRINK, FRUIT-FLAVORED, W/ CAFFEINE","Soft drink, fruit flavored, caffeine containing"
+92410560,"SOFT DRINK, FRUIT-FLAVORED, W/ CAFFEINE, SUGAR-FREE","Soft drink, fruit flavored, caffeine containing, sugar-free"
+92410610,"GINGER ALE","Ginger ale"
+92410620,"GINGERALE, SUGAR-FREE","Ginger ale, sugar-free"
+92410710,"ROOT BEER","Root beer"
+92410720,"ROOT BEER, SUGAR-FREE","Root beer, sugar-free"
+92410810,"CHOCOLATE-FLAVORED SODA","Chocolate-flavored soda"
+92410820,"CHOCOLATE-FLAVORED SODA, SUGAR-FREE","Chocolate-flavored soda, sugar-free"
+92411510,"COLA W/ FRUIT OR VANILLA FLAVOR","Cola with fruit or vanilla flavor"
+92411520,"COLA W/ CHOCOLATE FLAVOR","Cola with chocolate flavor"
+92411610,"COLA W/ FRUIT OR VANILLA FLAVOR, SUGAR-FREE","Cola with fruit or vanilla flavor, sugar-free"
+92411620,"COLA W/ CHOC FLAVOR, SUGAR FREE","Cola with chocolate flavor, sugar-free"
+92417010,"SOFT DRINK, ALE TYPE (INCLUDE ALE-8)","Soft drink, ale type"
+92431000,"CARBONATED JUICE DRINK, NS AS TO TYPE OF JUICE","Carbonated juice drink, NS as to type of juice"
+92432000,"CARBONATED CITRUS JUICE DRINK","Carbonated citrus juice drink"
+92433000,"CARBONATED NONCITRUS JUICE DRINK","Carbonated noncitrus juice drink"
+92510610,"FRUIT JUICE DRINK","Fruit juice drink"
+92510650,"TAMARIND DRINK, P.R. (REFRESCO DE TAMARINDO)","Tamarind drink, Puerto Rican (Refresco de tamarindo)"
+92510720,"FRUIT PUNCH, MADE W/ FRUIT JUICE & SODA","Fruit punch, made with fruit juice and soda"
+92510730,"FRUIT PUNCH, MADE W/ SODA, FRUIT JUICE & SHERBET","Fruit punch, made with soda, fruit juice, and sherbet or ice cream"
+92511000,"LEMONADE, FROZEN CONCENTRATE, NOT RECONSTITUTED","Lemonade, frozen concentrate, not reconstituted"
+92511010,"FRUIT FLAVORED DRINK (FORMERLY LEMONADE)","Fruit flavored drink (formerly lemonade)"
+92511250,"CITRUS FRUIT JUICE DRINK, CONTAINING 40-50% JUICE","Citrus fruit juice drink, containing 40-50% juice"
+92512040,"FROZEN DAIQUIRI MIX, CONCENTRATE, NOT RECONSTITUTED","Frozen daiquiri mix, frozen concentrate, not reconstituted"
+92512050,"FROZEN DAIQUIRI MIX, FROM FROZ CONC, RECONSTITUTED","Frozen daiquiri mix, from frozen concentrate, reconstituted"
+92512090,"PINA COLADA, NONALCOHOLIC","Pina Colada, nonalcoholic"
+92512110,"MARGARITA MIX, NONALCOHOLIC","Margarita mix, nonalcoholic"
+92513000,"FRUIT FLAVORED FROZEN DRINK","Fruit flavored frozen drink"
+92530410,"FRUIT FLAVORED DRINK, WITH HIGH VITAMIN C","Fruit flavored drink, with high vitamin C"
+92530510,"CRANBERRY JUICE DRINK OR COCKTAIL, W/ HIGH VIT C","Cranberry juice drink or cocktail, with high vitamin C"
+92530610,"FRUIT JUICE DRINK, WITH HIGH VITAMIN C","Fruit juice drink, with high vitamin C"
+92530950,"VEGETABLE & FRUIT JUICE DRINK, W/ HI VIT C","Vegetable and fruit juice drink, with high vitamin C"
+92531030,"FRUIT JUICE DRINK, W/ VIT B1) & HI VIT C","Fruit juice drink, with thiamin (vitamin B1) and high vitamin C"
+92541010,"FRUIT FLAVORED DRINK, MADE FROM POWDERED MIX","Fruit flavored drink, made from powdered mix"
+92542000,"FRUIT FLAVORED DRINK, MADE FROM POWDERED MIX, W/ HI VIT C","Fruit flavored drink, made from powdered mix,with high vitamin C"
+92550030,"FRUIT JUICE DRINK, LOW CALORIE, W/ HIGH VITAMIN C","Fruit juice drink, low calorie, with high vitamin C"
+92550040,"FRUIT JUICE DRINK, LOW CALORIE","Fruit juice drink, low calorie"
+92550110,"CRANBERRY JUICE DRINK OR COCKTAIL, LOW CAL, W/ HIGH VIT C","Cranberry juice drink or cocktail, low calorie, with high vitamin C"
+92550350,"LIGHT ORANGE JC BEVERAGE, 40-50% JC, LOWER SUGAR & CALORIES","Light orange juice beverage, 40-50% juice, lower sugar and calories, with artificial sweetener"
+92550400,"VEGETABLE & FRUIT JUICE DRINK, LOW CAL, W/ HIGH VIT C","Vegetable and fruit juice drink, low calorie, with high vitamin C"
+92550405,"VEGETABLE & FRUIT JUICE DRINK, LOW CAL, W/ HIGH VIT C,+E,A","Vegetable and fruit juice drink, low calorie, with high vitamin C plus added vitamin E and vitamin A"
+92550610,"FRUIT FLAVORED DRINK, LOW CAL, W/ HIGH VIT C","Fruit flavored drink, low calorie, with high vitamin C"
+92550620,"FRUIT FLAVORED DRINK, LOW CALORIE","Fruit flavored drink, low calorie"
+92552000,"FRUIT FLAV DRINK, MADE FROM PWDR, LOW CAL, W/ HI VIT C","Fruit flavored drink, made from powdered mix, low calorie, with high vitamin C"
+92552010,"FRUIT FLAVORED DRINK, MADE FROM PWDR, LOW CALORIE","Fruit flavored drink, made from powdered mix, low calorie"
+92552020,"FRUIT JUICE DRINK, REDUCED SUGAR, W/ VIT B1 & HI VIT C","Fruit juice drink, reduced sugar, with thiamin (vitamin B1) and high vitamin C"
+92552030,"FRUIT JUICE DRINK, REDUCED SUGAR, WITH VITAMIN E","Fruit juice drink, reduced sugar, with vitamin E"
+92582100,"FRUIT JUICE DRINK, WITH HIGH VITAMIN C, PLUS ADDED CALCIUM","Fruit juice drink, with high vitamin C, plus added calcium"
+92582110,"FRUIT JUICE DRINK, W/ VIT B1, HI VIT C + CALCIUM","Fruit juice drink, with thiamin (vitamin B1) and high vitamin C plus calcium"
+92610010,"HORCHATA BEVERAGE, MADE W/ ALMONDS","Horchata beverage, made with almonds or other nuts and seeds"
+92610110,"COCONUT BEVERAGE, P.R.","Coconut beverage, Puerto Rican"
+92611010,"OATMEAL BEVERAGE, P.R.","Oatmeal beverage, Puerto Rican"
+92611100,"OATMEAL BEVERAGE W/ MILK","Oatmeal beverage with milk (Atole de avena)"
+92611510,"HORCHATA BEVERAGE, MADE W/ RICE","Horchata beverage, made with rice"
+92611600,"HORCHATA BEVERAGE, NFS","Horchata beverage, NFS"
+92612010,"SUGAR CANE BEVERAGE, P.R.","Sugar cane beverage, Puerto Rican"
+92613010,"ATOLE (CORNMEAL BEVERAGE)","Atole (corn meal beverage)"
+92613510,"CORN BEV W/ CHOC & MILK(CHAMPURRADO,ATOLE DE CHOC)","Corn beverage with chocolate and milk (Champurrado, Atole de Chocolate)"
+92801000,"NONALCOHOLIC WINE","Wine, nonalcoholic"
+92802000,"WINE, LIGHT, NONALCOHOLIC","Wine, light, nonalcoholic"
+92803000,"NONALCOHOLIC MALT BEVERAGE","Nonalcoholic malt beverage"
+92804000,"SHIRLEY TEMPLE","Shirley Temple"
+92900100,"TANG, DRY CONCENTRATE","Tang, dry concentrate"
+92900110,"FRUIT-FLAV BEVERAGE, DRY CONC, W/ SUGAR, NOT RECONSTITUTED","Fruit-flavored beverage, dry concentrate, with sugar, not reconstituted"
+92900200,"FRUIT-FLAV BEV, DRY CONC,LO CAL(INCL CRYSTAL LIGHT)","Fruit-flavored beverage, dry concentrate, low calorie, not reconstituted"
+92900300,"FRUIT-FLAV THIRST QUENCH BEV, DRY CONC (GATORADE)","Fruit-flavored thirst quencher beverage, dry concentrate, not reconstituted"
+93101000,"BEER","Beer"
+93102000,"BEER, LITE","Beer, lite"
+93106000,"ALCOHOLIC MALT BEVERAGE, SWEETENED","Alcoholic malt beverage, sweetened"
+93201000,"CORDIAL OR LIQUEUR","Cordial or liqueur"
+93301000,"COCKTAIL, NFS","Cocktail, NFS"
+93301010,"ALEXANDER","Alexander"
+93301020,"BACARDI COCKTAIL","Bacardi cocktail"
+93301030,"BLOODY MARY","Bloody Mary"
+93301031,"CANADIAN CLUB & SODA","Canadian Club and soda"
+93301032,"CAPE COD","Cape Cod"
+93301040,"DAIQUIRI","Daiquiri"
+93301050,"GIMLET","Gimlet"
+93301060,"GIN & TONIC","Gin and Tonic"
+93301070,"GRASSHOPPER","Grasshopper"
+93301080,"HIGH BALL","High ball"
+93301085,"KAMIKAZE","Kamikaze"
+93301090,"MANHATTAN","Manhattan"
+93301100,"MARGARITA","Margarita"
+93301110,"MARTINI","Martini"
+93301115,"MIMOSA","Mimosa"
+93301120,"MINT JULEP","Mint julep"
+93301125,"MOJITO","Mojito"
+93301130,"OLD FASHIONED","Old fashioned"
+93301135,"ROB ROY","Rob Roy"
+93301136,"RUSTY NAIL","Rusty Nail"
+93301139,"SALTY DOG","Salty Dog"
+93301140,"SCREWDRIVER (INCLUDE HARVEY WALLBANGER, SLO-SCREW)","Screwdriver"
+93301141,"SEABREEZE","Seabreeze"
+93301142,"SEVEN AND SEVEN","Seven and Seven"
+93301150,"TOM COLLINS (INCLUDE VODKA COLLINS)","Tom Collins"
+93301160,"WHISKEY SOUR(INCL SCOTCH,VODKA,APRICOT,BRANDY SOUR)","Whiskey sour"
+93301170,"BOURBON & SODA (INCLUDE SCOTCH & SODA, RUM & SODA)","Bourbon and soda"
+93301180,"MIXED DRINKS (FOR RECIPE MODIFICATIONS)","Mixed Drinks (for recipe modifications)"
+93301190,"RUM & COLA","Rum and cola"
+93301200,"PINA COLADA","Pina Colada"
+93301220,"COQUITO, P.R. (COCONUT, RUM)","Coquito, Puerto Rican (coconut, rum)"
+93301230,"SLOE GIN FIZZ","Sloe gin fizz"
+93301240,"BLACK RUSSIAN","Black Russian"
+93301250,"WHITE RUSSIAN","White Russian"
+93301270,"FRUIT PUNCH, ALCOHOLIC","Fruit punch, alcoholic"
+93301280,"SINGAPORE SLING","Singapore Sling"
+93301290,"STINGER","Stinger"
+93301300,"GIBSON","Gibson"
+93301310,"MAI TAI","Mai Tai"
+93301320,"TEQUILA SUNRISE","Tequila Sunrise"
+93301330,"GIN RICKEY","Gin Rickey"
+93301340,"GOLDEN CADILLAC","Golden Cadillac"
+93301360,"LONG ISLAND ICED TEA","Long Island iced tea"
+93301370,"FUZZY NAVEL COCKTAIL","Fuzzy Navel"
+93301400,"IRISH COFFEE (INCL COFFEE ROYALE)","Irish Coffee"
+93301450,"LIQUEUR W/ CREAM","Liqueur with cream"
+93301500,"FROZEN DAIQUIRI","Frozen daiquiri"
+93301510,"FROZEN MARGARITA","Frozen margarita"
+93301550,"EGGNOG, ALCOHOLIC","Eggnog, alcoholic"
+93301600,"GIN FIZZ","Gin fizz"
+93302000,"RUM, HOT BUTTERED","Rum, hot buttered"
+93302100,"ZOMBIE","Zombie"
+93401010,"WINE, TABLE, RED","Wine, table, red"
+93401020,"WINE, TABLE, WHITE","Wine, table, white"
+93401100,"WINE, RICE (INCLUDE SAKI)","Wine, rice"
+93401300,"WINE, COOKING (ASSUME COOKED)","Wine, cooking (assume cooked)"
+93402000,"WINE, DESSERT (INCLUDE MARSALA, PORT, MADEIRA)","Wine, dessert, sweet"
+93403000,"WINE, LIGHT","Wine, light"
+93404000,"WINE COOLER","Wine cooler"
+93404500,"SANGRIA","Sangria"
+93404600,"SANGRIA, PUERTO RICAN STYLE","Sangria, Puerto Rican style"
+93405000,"WINE SPRITZER","Wine spritzer"
+93406000,"GLUG (INCLUDE GLOGG, GLUHWEIN)","Glug"
+93501000,"BRANDY","Brandy"
+93502000,"WHISKEY","Whiskey"
+93503000,"GIN","Gin"
+93504000,"RUM","Rum"
+93504100,"RUM COOLER","Rum cooler"
+93505000,"VODKA","Vodka"
+94000100,"WATER, TAP","Water, tap"
+94100100,"WATER, BOTTLED, UNSWEETENED","Water, bottled, unsweetened"
+94100200,"WATER, BOTTLED, SWEETENED, WITH LOW OR NO CALORIE SWEETENER","Water, bottled, sweetened, with low or no calorie sweetener"
+94100300,"WATER, FRUIT FLAVORED, SWTND, W/ CORN SYRUP & LOWCAL SWTNR","Water, fruit flavored, sweetened, with high fructose corn syrup and low calorie sweetener"
+94210100,"PROPEL WATER","Propel Water"
+94210200,"GLACEAU WATER","Glaceau Water"
+94210300,"SOBE LIFEWATER","SoBe Lifewater"
+94220200,"GLACEAU WATER, LOW CALORIE","Glaceau Water, low calorie"
+94300100,"WATER, BABY, BOTTLED, UNSWEETENED","Water, baby, bottled, unsweetened"
+95101000,"BOOST, NUTRITIONAL DRINK, READY-TO-DRINK","Boost, nutritional drink, ready-to-drink"
+95101010,"BOOST PLUS, NUTRITIONAL DRINK, READY-TO-DRINK","Boost Plus, nutritional drink, ready-to-drink"
+95102000,"CARNATION INSTANT BREAKFAST, NUTRITIONAL DRINK, REGULAR, RTD","Carnation Instant Breakfast, nutritional drink, regular, ready-to-drink"
+95102010,"CARNATION INSTANT BREAKFAST, NUTRITIONAL DRINK, SUGAR FREE,","Carnation Instant Breakfast, nutritional drink, sugar free, ready-to-drink"
+95103000,"ENSURE, NUTRITIONAL SHAKE, READY-TO-DRINK","Ensure, nutritional shake, ready-to-drink"
+95103010,"ENSURE PLUS, NUTRITIONAL SHAKE, READY-TO-DRINK","Ensure Plus, nutritional shake, ready-to-drink"
+95104000,"GLUCERNA, NUTRITIONAL SHAKE, READY-TO-DRINK","Glucerna, nutritional shake, ready-to-drink"
+95105000,"KELLOGG'S SPECIAL K PROTEIN SHAKE","Kellogg's Special K Protein Shake"
+95106000,"MUSCLE MILK, READY-TO-DRINK","Muscle Milk, ready-to-drink"
+95106010,"MUSCLE MILK, LIGHT, READY-TO-DRINK","Muscle Milk, light, ready-to-drink"
+95110000,"SLIM FAST SHAKE, MEAL REPLACEMENT, REGULAR, READY-TO-DRINK","Slim Fast Shake, meal replacement, regular, ready-to-drink"
+95110010,"SLIM FAST SHAKE, MEAL REPLACEMENT, SUGAR FREE, RTD","Slim Fast Shake, meal replacement, sugar free, ready-to-drink"
+95110020,"SLIM FAST SHAKE, MEAL REPLACEMENT, HIGH PROTEIN, RTD","Slim Fast Shake, meal replacement, high protein, ready-to-drink"
+95120000,"NUTRITIONAL DRINK OR MEAL REPLACEMENT, READY-TO-DRINK, NFS","Nutritional drink or meal replacement, ready-to-drink, NFS"
+95120010,"NUTRITIONAL DRINK OR MEAL REPLACEMENT, HIGH PROTEIN, RTD","Nutritional drink or meal replacement, high protein, ready-to-drink, NFS"
+95120020,"NUTRITIONAL DRINK OR MEAL REPLACEMENT, HI PROT, LIGHT, RTD","Nutritional drink or meal replacement, high protein, light, ready-to-drink, NFS"
+95120050,"NUTRITIONAL DRINK OR MEAL REPLACEMENT, LIQUID, SOY-BASED","Nutritional drink or meal replacement, liquid, soy-based"
+95201000,"CARNATION INSTANT BREAKFAST, NUTRITIONAL DRINK MIX, REG,PDR","Carnation Instant Breakfast, nutritional drink mix, regular, powder"
+95201010,"CARNATION INSTANT BREAKFAST, NUTR DRINK MIX, SUGAR FREE,PDR","Carnation Instant Breakfast, nutritional drink mix, sugar free, powder"
+95201200,"EAS WHEY PROTEIN POWDER","EAS Whey Protein Powder"
+95201300,"EAS SOY PROTEIN POWDER","EAS Soy Protein Powder"
+95201500,"HERBALIFE, NUTRITIONAL SHAKE MIX, HIGH PROTEIN, POWDER","Herbalife, nutritional shake mix, high protein, powder"
+95201600,"ISOPURE PROTEIN POWDER","Isopure protein powder"
+95201700,"KELLOGG'S SPECIAL K20 PROTEIN WATER MIX","Kellogg's Special K20 Protein Water Mix"
+95202000,"MUSCLE MILK, REGULAR, POWDER","Muscle Milk, regular, powder"
+95202010,"MUSCLE MILK, LIGHT, POWDER","Muscle Milk, light, powder"
+95210000,"SLIM FAST SHAKE MIX, POWDER","Slim Fast Shake Mix, powder"
+95210010,"SLIM FAST SHAKE MIX, SUGAR FREE, POWDER","Slim Fast Shake Mix, sugar free, powder"
+95210020,"SLIM FAST SHAKE MIX, HIGH PROTEIN, POWDER","Slim Fast Shake Mix, high protein, powder"
+95220000,"NUTRITIONAL DRINK MIX OR MEAL REPLACEMENT, POWDER, NFS","Nutritional drink mix or meal replacement, powder, NFS"
+95220010,"NUTRITIONAL DRINK MIX OR MEAL REPLACEMENT, HIGH PRO, PDR,NFS","Nutritional drink mix or meal replacement, high protein, powder, NFS"
+95230000,"PROTEIN POWDER, WHEY BASED, NFS","Protein powder, whey based, NFS"
+95230010,"PROTEIN POWDER, SOY BASED, NFS","Protein powder, soy based, NFS"
+95230020,"PROTEIN POWDER, LIGHT, NFS","Protein powder, light, NFS"
+95230030,"PROTEIN POWDER, NFS","Protein powder, NFS"
+95310200,"FULL THROTTLE ENERGY DRINK","Full Throttle Energy Drink"
+95310400,"MONSTER ENERGY DRINK","Monster Energy Drink"
+95310500,"MOUNTAIN DEW AMP ENERGY DRINK","Mountain Dew AMP Energy Drink"
+95310550,"NO FEAR ENERGY DRINK","No Fear Energy Drink"
+95310555,"NO FEAR MOTHERLOAD ENERGY DRINK","No Fear Motherload Energy Drink"
+95310560,"NOS ENERGY DRINK","NOS Energy Drink"
+95310600,"RED BULL ENERGY DRINK","Red Bull Energy Drink"
+95310700,"ROCKSTAR ENERGY DRINK","Rockstar Energy Drink"
+95310750,"SOBE ENERGIZE ENERGY JUICE DRINK","SoBe Energize Energy Juice Drink"
+95310800,"VAULT ENERGY DRINK","Vault Energy Drink"
+95311000,"ENERGY DRINK","Energy Drink"
+95312400,"MONSTER ENERGY DRINK, LO CARB","Monster Energy Drink, Lo Carb"
+95312500,"MOUNTAIN DEW AMP ENERGY DRINK, SUGAR-FREE","Mountain Dew AMP Energy Drink, sugar-free"
+95312550,"NO FEAR ENERGY DRINK, SUGAR-FREE","No Fear Energy Drink, sugar-free"
+95312555,"NOS ENERGY DRINK, SUGAR-FREE","NOS Energy Drink, sugar-free"
+95312560,"CRANBERRY JUICE ENERGY DRINK, HI VIT C & B, W/LOW CAL SWTNR","Ocean Spray Cran-Energy Cranberry Energy Juice Drink"
+95312600,"RED BULL ENERGY DRINK, SUGAR-FREE","Red Bull Energy Drink, sugar-free"
+95312700,"ROCKSTAR ENERGY DRINK, SUGAR-FREE","Rockstar Energy Drink, sugar-free"
+95312800,"VAULT ZERO ENERGY DRINK","Vault Zero Energy Drink"
+95312900,"XS ENERGY DRINK","XS Energy Drink"
+95312905,"XS GOLD PLUS ENERGY DRINK","XS Gold Plus Energy Drink"
+95320200,"GATORADE THIRST QUENCHER SPORTS DRINK","Gatorade Thirst Quencher sports drink"
+95320500,"POWERADE SPORTS DRINK","Powerade sports drink"
+95321000,"FRUIT-FLAVORED THIRST QUENCHER BEVERAGE","Fruit-flavored thirst quencher beverage"
+95322200,"GATORADE G2 THIRST QUENCHER SPORTS DRINK, LOW CALORIE","Gatorade G2 Thirst Quencher sports drink, low calorie"
+95322500,"POWERADE ZERO SPORTS DRINK, LOW CALORIE","Powerade Zero sports drink, low calorie"
+95323000,"FRUIT-FLAV SPORTS DRINK OR THIRST QUENCHER BEVERAGE, LOW CAL","Fruit-flavored sports drink or thirst quencher beverage, low calorie"
+95330100,"FLUID REPLACEMENT, ELECTROLYTE SOLUTION","Fluid replacement, electrolyte solution"
+95330500,"FLUID REPLACEMENT, 5% GLUCOSE IN WATER","Fluid replacement, 5% glucose in water"
+95341000,"FUZE SLENDERIZE FORTIFIED LOW CALORIE FRUIT JUICE BEVERAGE","FUZE Slenderize fortified low calorie fruit juice beverage"
+95342000,"MONAVIE ACAI BLEND BEVERAGE","MonaVie acai blend beverage"
diff --git a/pandas/io/tests/data/SSHSV1_A.XPT b/pandas/io/tests/data/SSHSV1_A.XPT
new file mode 100644
index 0000000000000..8d954ce1882cd
Binary files /dev/null and b/pandas/io/tests/data/SSHSV1_A.XPT differ
diff --git a/pandas/io/tests/data/SSHSV1_A.csv b/pandas/io/tests/data/SSHSV1_A.csv
new file mode 100644
index 0000000000000..d34efe4b895f7
--- /dev/null
+++ b/pandas/io/tests/data/SSHSV1_A.csv
@@ -0,0 +1,1427 @@
+"SEQN","SSXHE1"
+3,2
+8,1
+9,2
+22,1
+23,2
+30,1
+39,2
+49,1
+67,1
+74,2
+75,2
+76,1
+78,2
+109,1
+110,1
+128,2
+139,2
+140,1
+144,1
+154,2
+159,2
+180,2
+182,1
+185,2
+202,1
+203,1
+212,2
+214,1
+224,2
+226,2
+227,2
+231,2
+246,2
+251,2
+252,2
+278,2
+299,1
+306,2
+311,2
+336,1
+338,2
+343,1
+347,2
+348,2
+349,2
+356,2
+362,1
+378,1
+379,2
+384,1
+390,2
+394,1
+404,1
+418,2
+423,1
+433,2
+435,2
+445,2
+449,2
+450,2
+482,2
+485,2
+487,2
+490,2
+500,2
+501,1
+502,2
+518,1
+520,1
+525,2
+538,2
+556,2
+565,2
+589,2
+599,2
+601,2
+604,1
+609,1
+617,2
+619,2
+624,1
+625,2
+629,2
+635,2
+637,2
+649,2
+659,1
+664,2
+673,1
+679,2
+696,1
+700,1
+704,2
+707,2
+715,1
+721,1
+724,2
+726,2
+735,2
+745,2
+752,1
+759,1
+760,2
+766,2
+767,1
+771,2
+772,1
+777,1
+791,2
+795,1
+796,1
+814,2
+837,2
+845,2
+860,1
+872,1
+890,2
+900,1
+904,1
+912,1
+913,1
+916,2
+922,2
+927,1
+934,2
+938,2
+947,2
+951,2
+952,2
+967,2
+973,2
+985,2
+997,2
+1006,2
+1008,2
+1012,1
+1015,1
+1017,1
+1036,2
+1037,2
+1039,2
+1069,1
+1073,2
+1078,1
+1080,2
+1081,1
+1086,1
+1091,2
+1103,2
+1126,2
+1136,2
+1142,2
+1145,2
+1157,2
+1162,1
+1172,1
+1174,1
+1200,2
+1206,2
+1218,2
+1223,2
+1224,1
+1225,2
+1228,1
+1235,2
+1258,1
+1261,2
+1265,2
+1269,2
+1271,2
+1272,1
+1300,1
+1310,2
+1311,2
+1319,2
+1321,1
+1324,1
+1334,2
+1337,1
+1341,1
+1345,1
+1347,1
+1350,2
+1359,2
+1360,2
+1371,1
+1376,1
+1380,2
+1390,2
+1395,2
+1396,2
+1415,1
+1420,2
+1426,2
+1435,2
+1446,1
+1454,1
+1456,2
+1460,2
+1485,1
+1490,1
+1496,1
+1504,1
+1519,1
+1521,1
+1522,2
+1523,1
+1530,2
+1556,1
+1559,1
+1560,1
+1562,1
+1569,1
+1572,2
+1610,2
+1611,2
+1632,2
+1640,2
+1649,2
+1653,1
+1654,1
+1656,2
+1657,1
+1664,1
+1670,2
+1688,2
+1699,1
+1708,2
+1709,2
+1710,2
+1724,2
+1740,1
+1745,2
+1747,1
+1753,1
+1769,2
+1771,2
+1797,1
+1811,1
+1812,2
+1820,2
+1833,2
+1836,1
+1842,1
+1843,1
+1844,2
+1857,1
+1863,1
+1872,2
+1881,1
+1890,1
+1893,1
+1900,2
+1915,1
+1926,2
+1927,2
+1937,2
+1940,2
+1953,2
+1954,1
+1961,1
+1965,2
+2001,1
+2011,2
+2012,2
+2028,2
+2032,2
+2033,1
+2042,1
+2044,2
+2048,1
+2090,2
+2093,1
+2099,1
+2100,2
+2123,2
+2125,2
+2128,1
+2136,1
+2147,2
+2148,2
+2154,2
+2155,1
+2157,2
+2158,1
+2183,1
+2192,1
+2202,1
+2206,1
+2208,2
+2211,1
+2218,1
+2227,2
+2266,1
+2274,2
+2279,1
+2284,2
+2285,1
+2286,2
+2288,1
+2289,2
+2295,2
+2299,1
+2306,1
+2309,1
+2310,1
+2313,2
+2316,1
+2341,1
+2368,2
+2369,1
+2374,1
+2387,1
+2394,2
+2403,2
+2408,2
+2409,1
+2410,1
+2411,2
+2415,2
+2430,2
+2431,2
+2452,2
+2453,2
+2511,2
+2513,2
+2516,1
+2537,1
+2538,2
+2545,2
+2547,1
+2554,2
+2559,2
+2562,2
+2568,1
+2580,2
+2584,1
+2587,2
+2592,1
+2593,2
+2600,1
+2607,2
+2623,1
+2624,2
+2626,2
+2632,2
+2637,2
+2639,1
+2647,1
+2664,1
+2677,2
+2690,2
+2707,1
+2715,2
+2717,1
+2724,2
+2728,2
+2737,1
+2751,1
+2760,1
+2767,2
+2773,2
+2776,2
+2779,2
+2781,2
+2785,2
+2786,1
+2829,2
+2832,1
+2833,2
+2836,1
+2840,2
+2842,2
+2853,1
+2856,2
+2867,2
+2874,2
+2875,2
+2876,2
+2878,1
+2879,2
+2891,2
+2903,1
+2916,2
+2918,2
+2943,2
+2960,2
+2963,2
+2974,1
+2975,2
+2976,1
+2981,2
+2982,1
+2985,1
+2989,1
+3001,1
+3003,1
+3004,2
+3007,2
+3017,2
+3019,2
+3022,2
+3023,2
+3025,2
+3027,2
+3030,1
+3031,2
+3041,2
+3046,2
+3050,1
+3052,1
+3056,1
+3060,2
+3061,1
+3071,2
+3078,1
+3079,1
+3084,2
+3086,1
+3088,2
+3090,2
+3092,2
+3103,2
+3111,1
+3125,1
+3131,1
+3138,2
+3151,1
+3159,1
+3177,2
+3178,1
+3186,2
+3188,2
+3189,2
+3201,1
+3203,2
+3207,2
+3211,2
+3217,1
+3241,2
+3248,1
+3253,2
+3267,2
+3286,1
+3288,1
+3290,1
+3295,2
+3306,2
+3315,2
+3320,1
+3322,1
+3335,1
+3340,2
+3351,1
+3352,1
+3369,2
+3373,1
+3378,2
+3383,1
+3384,1
+3390,2
+3391,2
+3392,2
+3394,2
+3396,1
+3414,1
+3416,1
+3422,2
+3424,2
+3427,2
+3435,2
+3447,2
+3465,2
+3467,2
+3471,1
+3475,2
+3483,1
+3495,2
+3497,2
+3503,2
+3507,2
+3511,2
+3512,2
+3520,2
+3527,2
+3529,2
+3533,2
+3542,1
+3550,2
+3555,2
+3560,2
+3582,1
+3589,2
+3608,1
+3616,1
+3622,2
+3623,1
+3629,2
+3641,1
+3642,2
+3643,1
+3650,2
+3651,1
+3657,2
+3665,2
+3667,1
+3669,1
+3673,2
+3674,2
+3698,2
+3703,2
+3706,2
+3723,2
+3728,2
+3733,2
+3734,1
+3738,1
+3754,1
+3764,2
+3766,1
+3768,2
+3772,1
+3776,2
+3779,2
+3784,1
+3788,2
+3789,2
+3812,1
+3813,1
+3828,2
+3831,1
+3832,2
+3833,2
+3834,1
+3837,1
+3842,2
+3844,2
+3846,2
+3847,2
+3853,2
+3869,2
+3872,1
+3875,2
+3876,2
+3877,2
+3906,2
+3922,2
+3928,2
+3933,1
+3938,1
+3947,1
+3948,2
+3962,1
+3969,2
+3970,2
+3994,2
+4001,2
+4004,2
+4024,1
+4039,2
+4040,2
+4041,2
+4043,2
+4055,1
+4068,2
+4073,2
+4077,2
+4086,1
+4091,1
+4098,1
+4099,2
+4105,1
+4118,2
+4121,2
+4124,1
+4129,2
+4135,2
+4152,2
+4154,2
+4166,2
+4177,1
+4179,2
+4186,1
+4188,2
+4189,1
+4200,2
+4204,1
+4224,1
+4226,2
+4228,1
+4233,2
+4235,1
+4237,1
+4243,1
+4247,2
+4251,2
+4256,1
+4279,2
+4294,2
+4304,2
+4306,1
+4315,1
+4321,2
+4325,1
+4335,2
+4347,2
+4360,1
+4383,2
+4392,2
+4414,1
+4416,1
+4417,2
+4424,2
+4427,2
+4428,2
+4436,2
+4437,1
+4471,2
+4474,2
+4475,2
+4485,1
+4487,1
+4496,2
+4499,2
+4509,1
+4515,1
+4519,2
+4520,1
+4522,1
+4541,1
+4544,2
+4546,1
+4568,2
+4573,2
+4575,1
+4576,1
+4578,1
+4580,1
+4585,2
+4588,2
+4595,2
+4599,2
+4603,1
+4606,1
+4607,1
+4609,2
+4612,2
+4613,1
+4617,2
+4622,1
+4649,1
+4651,2
+4656,1
+4659,2
+4668,2
+4670,2
+4671,2
+4672,2
+4673,2
+4686,2
+4687,2
+4694,1
+4724,1
+4733,1
+4737,1
+4738,2
+4756,2
+4759,2
+4763,2
+4770,1
+4773,2
+4790,2
+4808,1
+4811,2
+4814,2
+4818,2
+4832,2
+4836,1
+4837,2
+4857,1
+4870,2
+4871,2
+4873,1
+4881,2
+4884,1
+4886,2
+4887,2
+4889,1
+4890,1
+4904,1
+4906,1
+4913,2
+4920,1
+4923,2
+4930,2
+4943,1
+4944,2
+4949,1
+4950,2
+4953,2
+4973,1
+4975,1
+4980,2
+4981,2
+4984,1
+5004,2
+5005,2
+5014,2
+5017,1
+5038,1
+5058,1
+5061,1
+5087,1
+5097,1
+5098,1
+5099,1
+5106,2
+5117,1
+5132,1
+5138,1
+5140,2
+5156,1
+5163,2
+5169,2
+5174,1
+5178,1
+5179,2
+5183,2
+5189,1
+5190,1
+5194,2
+5196,2
+5200,2
+5228,1
+5252,2
+5258,1
+5268,2
+5270,1
+5272,2
+5286,2
+5287,2
+5289,1
+5290,2
+5293,1
+5304,1
+5312,2
+5318,2
+5337,3
+5345,1
+5349,2
+5351,1
+5356,2
+5360,1
+5366,2
+5367,1
+5368,2
+5372,2
+5373,1
+5382,1
+5387,2
+5388,1
+5389,2
+5391,2
+5392,2
+5398,1
+5412,1
+5425,1
+5427,1
+5430,2
+5435,2
+5439,1
+5444,1
+5446,1
+5453,1
+5462,1
+5471,2
+5473,2
+5485,1
+5486,2
+5491,1
+5495,2
+5497,2
+5500,1
+5502,2
+5507,1
+5513,2
+5518,2
+5523,2
+5530,1
+5534,2
+5536,2
+5540,1
+5550,2
+5551,2
+5558,1
+5566,2
+5574,1
+5584,2
+5594,1
+5607,2
+5609,1
+5611,2
+5617,2
+5618,2
+5619,1
+5628,1
+5638,1
+5640,1
+5661,1
+5663,2
+5668,2
+5670,2
+5677,2
+5688,2
+5693,1
+5698,1
+5711,1
+5723,2
+5729,1
+5739,1
+5748,1
+5751,2
+5756,2
+5770,1
+5771,2
+5796,2
+5800,1
+5804,2
+5812,2
+5817,1
+5821,2
+5823,1
+5840,1
+5847,1
+5850,1
+5887,2
+5899,2
+5900,1
+5917,2
+5928,2
+5940,2
+5948,2
+5951,2
+5955,2
+5956,1
+5957,1
+5959,2
+5971,2
+5973,2
+5974,2
+5975,2
+5978,2
+5990,1
+5999,2
+6007,2
+6012,2
+6013,2
+6014,1
+6024,2
+6026,2
+6028,2
+6035,1
+6038,2
+6042,1
+6048,1
+6052,1
+6055,2
+6056,1
+6059,1
+6060,1
+6062,1
+6076,1
+6084,2
+6091,2
+6100,1
+6103,1
+6108,2
+6113,1
+6128,1
+6134,2
+6150,2
+6172,2
+6186,2
+6187,1
+6191,1
+6192,2
+6202,2
+6207,1
+6225,2
+6229,2
+6230,1
+6235,2
+6239,2
+6241,1
+6252,2
+6257,2
+6269,1
+6276,1
+6282,2
+6284,2
+6286,2
+6288,1
+6295,1
+6301,1
+6307,2
+6322,2
+6324,1
+6333,1
+6346,1
+6350,2
+6357,1
+6366,1
+6370,1
+6380,2
+6381,1
+6389,1
+6391,2
+6392,2
+6399,2
+6405,1
+6409,2
+6410,2
+6411,2
+6421,2
+6425,2
+6427,2
+6443,2
+6474,1
+6475,1
+6490,2
+6492,2
+6500,2
+6501,2
+6502,1
+6504,2
+6505,2
+6506,1
+6528,2
+6544,2
+6554,2
+6555,2
+6560,2
+6563,1
+6576,1
+6580,1
+6582,1
+6589,2
+6606,2
+6607,2
+6609,1
+6615,1
+6620,1
+6632,1
+6635,1
+6638,1
+6647,2
+6651,2
+6652,2
+6654,2
+6657,1
+6659,1
+6660,1
+6685,2
+6691,2
+6695,2
+6699,2
+6719,2
+6722,2
+6725,1
+6729,1
+6746,1
+6748,1
+6759,1
+6762,2
+6770,1
+6778,2
+6782,1
+6784,2
+6785,1
+6787,2
+6793,1
+6794,2
+6798,2
+6806,1
+6817,2
+6828,2
+6831,2
+6833,1
+6834,1
+6842,1
+6843,2
+6848,1
+6860,1
+6868,2
+6876,1
+6880,2
+6881,2
+6887,1
+6893,1
+6900,2
+6901,2
+6909,1
+6911,2
+6919,1
+6920,1
+6921,1
+6924,2
+6925,1
+6930,2
+6932,1
+6945,1
+6947,1
+6961,2
+6964,1
+6970,1
+6977,2
+6984,2
+6986,2
+6997,2
+7003,2
+7004,2
+7006,2
+7009,2
+7015,2
+7023,1
+7028,2
+7033,2
+7041,2
+7046,2
+7052,1
+7070,1
+7081,2
+7094,1
+7104,2
+7110,2
+7113,1
+7115,2
+7122,1
+7128,1
+7129,1
+7131,1
+7135,2
+7137,1
+7138,1
+7141,1
+7150,1
+7153,2
+7155,2
+7157,2
+7158,2
+7164,2
+7181,2
+7189,1
+7194,2
+7209,1
+7215,2
+7239,1
+7242,1
+7245,2
+7253,2
+7255,1
+7260,2
+7280,1
+7289,2
+7292,2
+7303,1
+7305,2
+7317,1
+7323,2
+7327,1
+7343,1
+7361,1
+7368,2
+7402,2
+7405,1
+7415,2
+7417,2
+7423,1
+7445,1
+7446,1
+7455,2
+7463,2
+7467,2
+7475,1
+7481,1
+7500,2
+7503,1
+7507,1
+7510,2
+7527,2
+7528,2
+7543,1
+7551,2
+7559,2
+7564,2
+7569,2
+7573,1
+7579,2
+7584,1
+7588,2
+7591,1
+7595,1
+7610,1
+7612,1
+7629,1
+7642,1
+7648,2
+7653,2
+7679,2
+7690,2
+7693,2
+7700,2
+7702,2
+7703,1
+7705,2
+7709,2
+7719,1
+7737,2
+7745,1
+7754,1
+7770,2
+7772,2
+7783,1
+7785,2
+7786,1
+7789,1
+7793,1
+7799,2
+7800,2
+7817,2
+7818,2
+7832,1
+7852,1
+7854,2
+7879,1
+7880,2
+7881,1
+7882,1
+7889,2
+7895,1
+7902,2
+7908,2
+7914,2
+7916,2
+7920,1
+7921,2
+7924,1
+7930,1
+7931,2
+7943,1
+7976,2
+7978,2
+8024,1
+8025,2
+8032,1
+8054,1
+8058,1
+8066,1
+8069,2
+8070,1
+8072,2
+8082,1
+8087,2
+8089,1
+8098,1
+8111,2
+8126,1
+8135,2
+8136,1
+8141,2
+8144,2
+8146,2
+8166,2
+8191,2
+8198,1
+8210,2
+8212,2
+8228,1
+8253,1
+8254,2
+8256,2
+8272,1
+8274,2
+8280,1
+8283,2
+8292,1
+8300,2
+8305,2
+8306,1
+8316,2
+8320,1
+8324,2
+8332,1
+8342,1
+8344,1
+8346,2
+8364,1
+8370,1
+8371,1
+8374,2
+8380,1
+8383,2
+8386,2
+8393,2
+8398,1
+8410,2
+8415,2
+8420,2
+8433,2
+8435,2
+8436,1
+8438,2
+8439,1
+8456,1
+8463,1
+8479,1
+8480,1
+8493,2
+8502,2
+8503,2
+8505,2
+8506,2
+8515,1
+8517,2
+8520,2
+8530,2
+8543,2
+8550,1
+8560,2
+8571,1
+8576,2
+8582,2
+8583,2
+8590,1
+8591,2
+8592,2
+8594,2
+8599,2
+8621,1
+8623,1
+8627,1
+8635,2
+8636,2
+8640,1
+8647,1
+8648,2
+8662,2
+8675,2
+8679,2
+8680,1
+8685,2
+8686,2
+8691,2
+8692,1
+8696,1
+8699,1
+8700,2
+8722,2
+8735,2
+8758,2
+8766,1
+8770,1
+8789,2
+8790,2
+8791,2
+8805,2
+8809,2
+8812,1
+8826,2
+8843,1
+8845,1
+8847,1
+8853,2
+8873,2
+8890,1
+8933,1
+8935,1
+8963,1
+8977,2
+8981,2
+8982,1
+8983,2
+8987,1
+8988,1
+8989,1
+9017,2
+9026,2
+9034,2
+9038,2
+9041,1
+9045,2
+9049,1
+9057,1
+9058,2
+9060,2
+9076,1
+9080,2
+9083,1
+9084,2
+9085,2
+9088,2
+9089,2
+9093,1
+9094,1
+9098,1
+9100,2
+9107,1
+9109,1
+9111,2
+9114,2
+9120,2
+9134,2
+9135,2
+9137,1
+9138,2
+9143,1
+9151,2
+9160,2
+9164,1
+9166,2
+9167,1
+9174,1
+9184,1
+9189,2
+9205,2
+9224,1
+9236,2
+9249,2
+9255,1
+9261,2
+9265,1
+9266,1
+9269,2
+9271,1
+9283,2
+9284,2
+9287,2
+9294,1
+9305,1
+9307,2
+9315,2
+9317,2
+9320,2
+9336,1
+9337,2
+9345,2
+9362,2
+9365,2
+9385,2
+9387,2
+9393,1
+9398,2
+9404,1
+9406,2
+9419,2
+9437,2
+9448,1
+9461,2
+9476,1
+9491,2
+9524,2
+9529,2
+9545,2
+9555,1
+9562,1
+9565,2
+9576,2
+9578,2
+9586,1
+9588,2
+9593,1
+9596,2
+9601,1
+9631,2
+9632,2
+9634,1
+9635,1
+9654,2
+9659,2
+9673,2
+9680,2
+9688,1
+9698,1
+9700,2
+9702,1
+9705,2
+9708,2
+9713,2
+9721,1
+9724,2
+9734,2
+9743,1
+9758,1
+9759,2
+9777,2
+9782,2
+9788,1
+9789,1
+9795,2
+9800,1
+9801,2
+9827,1
+9830,2
+9831,2
+9839,1
+9841,2
+9848,1
+9856,1
+9858,1
+9859,2
+9867,2
+9870,1
+9880,1
+9885,1
+9887,2
+9899,2
+9900,2
+9901,2
+9914,2
+9918,1
+9927,1
+9928,1
+9933,2
+9939,2
+9945,2
+9964,2
diff --git a/pandas/io/tests/test_sas.py b/pandas/io/tests/test_sas.py
new file mode 100644
index 0000000000000..0e08252fdce97
--- /dev/null
+++ b/pandas/io/tests/test_sas.py
@@ -0,0 +1,112 @@
+import pandas as pd
+import pandas.util.testing as tm
+from pandas import compat
+from pandas.io.sas import XportReader, read_sas
+import numpy as np
+import os
+
+# CSV versions of test XPT files were obtained using the R foreign library
+
+# Numbers in a SAS xport file are always float64, so need to convert
+# before making comparisons.
+def numeric_as_float(data):
+ for v in data.columns:
+ if data[v].dtype is np.dtype('int64'):
+ data[v] = data[v].astype(np.float64)
+
+
+class TestXport(tm.TestCase):
+
+ def setUp(self):
+ self.dirpath = tm.get_data_path()
+ self.file01 = os.path.join(self.dirpath, "DEMO_G.XPT")
+ self.file02 = os.path.join(self.dirpath, "SSHSV1_A.XPT")
+ self.file03 = os.path.join(self.dirpath, "DRXFCD_G.XPT")
+
+
+ def test1(self):
+ # Tests with DEMO_G.XPT (all numeric file)
+
+ # Compare to this
+ data_csv = pd.read_csv(self.file01.replace(".XPT", ".csv"))
+ numeric_as_float(data_csv)
+
+ # Read full file
+ data = XportReader(self.file01).read()
+ tm.assert_frame_equal(data, data_csv)
+
+ # Test incremental read with `read` method.
+ reader = XportReader(self.file01)
+ data = reader.read(10)
+ tm.assert_frame_equal(data, data_csv.iloc[0:10, :])
+
+ # Test incremental read with `get_chunk` method.
+ reader = XportReader(self.file01, chunksize=10)
+ data = reader.get_chunk()
+ tm.assert_frame_equal(data, data_csv.iloc[0:10, :])
+
+ # Read full file with `read_sas` method
+ data = read_sas(self.file01)
+ tm.assert_frame_equal(data, data_csv)
+
+
+ def test1_index(self):
+ # Tests with DEMO_G.XPT using index (all numeric file)
+
+ # Compare to this
+ data_csv = pd.read_csv(self.file01.replace(".XPT", ".csv"))
+ data_csv = data_csv.set_index("SEQN")
+ numeric_as_float(data_csv)
+
+ # Read full file
+ data = XportReader(self.file01, index="SEQN").read()
+ tm.assert_frame_equal(data, data_csv)
+
+ # Test incremental read with `read` method.
+ reader = XportReader(self.file01, index="SEQN")
+ data = reader.read(10)
+ tm.assert_frame_equal(data, data_csv.iloc[0:10, :])
+
+ # Test incremental read with `get_chunk` method.
+ reader = XportReader(self.file01, index="SEQN", chunksize=10)
+ data = reader.get_chunk()
+ tm.assert_frame_equal(data, data_csv.iloc[0:10, :])
+
+
+ def test1_incremental(self):
+ # Test with DEMO_G.XPT, reading full file incrementally
+
+ data_csv = pd.read_csv(self.file01.replace(".XPT", ".csv"))
+ data_csv = data_csv.set_index("SEQN")
+ numeric_as_float(data_csv)
+
+ reader = XportReader(self.file01, index="SEQN", chunksize=1000)
+
+ all_data = [x for x in reader]
+ data = pd.concat(all_data, axis=0)
+
+ tm.assert_frame_equal(data, data_csv)
+
+
+ def test2(self):
+ # Test with SSHSV1_A.XPT
+
+ # Compare to this
+ data_csv = pd.read_csv(self.file02.replace(".XPT", ".csv"))
+ numeric_as_float(data_csv)
+
+ data = XportReader(self.file02).read()
+ tm.assert_frame_equal(data, data_csv)
+
+
+ def test3(self):
+ # Test with DRXFCD_G.XPT (contains text and numeric variables)
+
+ # Compare to this
+ data_csv = pd.read_csv(self.file03.replace(".XPT", ".csv"))
+
+ data = XportReader(self.file03).read()
+ tm.assert_frame_equal(data, data_csv)
+
+ data = read_sas(self.file03)
+ tm.assert_frame_equal(data, data_csv)
| Here is an initial attempt to port Jack Cushman's xport file reader into Pandas.
Partially addresses #4052 (but this only deals with xport files, not sas7bdat files)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9711 | 2015-03-23T13:45:08Z | 2015-08-14T15:40:16Z | 2015-08-14T15:40:16Z | 2015-11-12T23:43:34Z |
DOC: try to use matplotlib style (mpl >= 1.4) in all docs | diff --git a/doc/source/10min.rst b/doc/source/10min.rst
index c98f41973e1ee..1f59c38d75f93 100644
--- a/doc/source/10min.rst
+++ b/doc/source/10min.rst
@@ -12,7 +12,11 @@
from pandas import options
import pandas as pd
np.set_printoptions(precision=4, suppress=True)
- options.display.mpl_style='default'
+ import matplotlib
+ try:
+ matplotlib.style.use('ggplot')
+ except AttributeError:
+ options.display.mpl_style = 'default'
options.display.max_rows=15
#### portions of this were borrowed from the
@@ -695,8 +699,6 @@ Plotting
import matplotlib.pyplot as plt
plt.close('all')
- from pandas import options
- options.display.mpl_style='default'
.. ipython:: python
diff --git a/doc/source/categorical.rst b/doc/source/categorical.rst
index 7fe04af716cec..d03e0fb117c5c 100644
--- a/doc/source/categorical.rst
+++ b/doc/source/categorical.rst
@@ -13,7 +13,6 @@
from pandas import *
import pandas as pd
np.set_printoptions(precision=4, suppress=True)
- options.display.mpl_style='default'
options.display.max_rows=15
diff --git a/doc/source/computation.rst b/doc/source/computation.rst
index 759675c51b960..4b0fe39d929a9 100644
--- a/doc/source/computation.rst
+++ b/doc/source/computation.rst
@@ -10,9 +10,13 @@
import pandas.util.testing as tm
randn = np.random.randn
np.set_printoptions(precision=4, suppress=True)
+ import matplotlib
+ try:
+ matplotlib.style.use('ggplot')
+ except AttributeError:
+ options.display.mpl_style = 'default'
import matplotlib.pyplot as plt
plt.close('all')
- options.display.mpl_style='default'
options.display.max_rows=15
Computational tools
diff --git a/doc/source/cookbook.rst b/doc/source/cookbook.rst
index 6a3751cf7a0b8..0e6386955a653 100644
--- a/doc/source/cookbook.rst
+++ b/doc/source/cookbook.rst
@@ -17,7 +17,12 @@
np.random.seed(123456)
pd.options.display.max_rows=15
- pd.options.display.mpl_style='default'
+
+ import matplotlib
+ try:
+ matplotlib.style.use('ggplot')
+ except AttributeError:
+ pd.options.display.mpl_style = 'default'
np.set_printoptions(precision=4, suppress=True)
diff --git a/doc/source/faq.rst b/doc/source/faq.rst
index de88b436198dd..467ec02b55f20 100644
--- a/doc/source/faq.rst
+++ b/doc/source/faq.rst
@@ -21,7 +21,11 @@ Frequently Asked Questions (FAQ)
from pandas.tseries.offsets import *
import matplotlib.pyplot as plt
plt.close('all')
- options.display.mpl_style='default'
+ import matplotlib
+ try:
+ matplotlib.style.use('ggplot')
+ except AttributeError:
+ options.display.mpl_style = 'default'
from pandas.compat import lrange
diff --git a/doc/source/groupby.rst b/doc/source/groupby.rst
index db19e0de3d788..7ad2641dec52a 100644
--- a/doc/source/groupby.rst
+++ b/doc/source/groupby.rst
@@ -12,7 +12,11 @@
np.set_printoptions(precision=4, suppress=True)
import matplotlib.pyplot as plt
plt.close('all')
- options.display.mpl_style='default'
+ import matplotlib
+ try:
+ matplotlib.style.use('ggplot')
+ except AttributeError:
+ options.display.mpl_style = 'default'
from pandas.compat import zip
*****************************
@@ -346,7 +350,7 @@ A single group can be selected using ``GroupBy.get_group()``:
.. ipython:: python
grouped.get_group('bar')
-
+
Or for an object grouped on multiple columns:
.. ipython:: python
diff --git a/doc/source/sparse.rst b/doc/source/sparse.rst
index e72ee6b709282..79def066f0710 100644
--- a/doc/source/sparse.rst
+++ b/doc/source/sparse.rst
@@ -10,9 +10,6 @@
import pandas.util.testing as tm
randn = np.random.randn
np.set_printoptions(precision=4, suppress=True)
- import matplotlib.pyplot as plt
- plt.close('all')
- options.display.mpl_style='default'
options.display.max_rows = 15
**********************
@@ -222,4 +219,3 @@ row and columns coordinates of the matrix. Note that this will consume a signifi
ss_dense = SparseSeries.from_coo(A, dense_index=True)
ss_dense
-
diff --git a/doc/source/visualization.rst b/doc/source/visualization.rst
index 852397c355361..9d4cba2e5ee8c 100644
--- a/doc/source/visualization.rst
+++ b/doc/source/visualization.rst
@@ -31,10 +31,14 @@ We use the standard convention for referencing the matplotlib API:
import matplotlib.pyplot as plt
-.. versionadded:: 0.11.0
+The plots in this document are made using matplotlib's ``ggplot`` style (new in version 1.4):
-The plots in this document are made using matplotlib's ``ggplot`` style (new in version 1.4).
-If your version of matplotlib is 1.3 or lower, setting the ``display.mpl_style`` to ``'default'``
+.. code-block:: python
+
+ import matplotlib
+ matplotlib.style.use('ggplot')
+
+If your version of matplotlib is 1.3 or lower, you can set ``display.mpl_style`` to ``'default'``
with ``pd.options.display.mpl_style = 'default'``
to produce more appealing plots.
When set, matplotlib's ``rcParams`` are changed (globally!) to nicer-looking settings.
| now this was only done in the plotting docs itself, with as a result that the actual style used is a mixture between the two
| https://api.github.com/repos/pandas-dev/pandas/pulls/9706 | 2015-03-23T09:12:32Z | 2015-03-24T10:35:53Z | 2015-03-24T10:35:53Z | 2015-03-24T10:35:53Z |
DOC: add DataFrame.assign to API docs | diff --git a/doc/source/api.rst b/doc/source/api.rst
index 33577a5badc54..b617009fe2f13 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -861,6 +861,7 @@ Combining / joining / merging
:toctree: generated/
DataFrame.append
+ DataFrame.assign
DataFrame.join
DataFrame.merge
DataFrame.update
| @TomAugspurger does this look like the right place to put this?
@jorisvandenbossche can we possibly merge this into the docs for v0.16?
| https://api.github.com/repos/pandas-dev/pandas/pulls/9705 | 2015-03-23T05:32:39Z | 2015-03-24T10:36:05Z | 2015-03-24T10:36:04Z | 2015-03-25T00:49:17Z |
DOC: add automatic content to 0.16.1 whatsnew file | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bf01d3b21f3fa..f01bca17fa83a 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -3,30 +3,45 @@
v0.16.1 (April ??, 2015)
------------------------
-This is a minor bug-fix release from 0.16.0 and includes a small number of API changes, several new features,
-enhancements, and performance improvements along with a large number of bug fixes. We recommend that all
-users upgrade to this version.
+This is a minor bug-fix release from 0.16.0 and includes a a large number of
+bug fixes along several new features, enhancements, and performance improvements.
+We recommend that all users upgrade to this version.
+
+.. contents:: What's new in v0.16.1
+ :local:
+ :backlinks: none
+
+
+.. _whatsnew_0161.enhancements:
+
+Enhancements
+~~~~~~~~~~~~
+
+
+
+
-- :ref:`Enhancements <whatsnew_0161.enhancements>`
-- :ref:`API Changes <whatsnew_0161.api>`
-- :ref:`Performance Improvements <whatsnew_0161.performance>`
-- :ref:`Bug Fixes <whatsnew_0161.bug_fixes>`
.. _whatsnew_0161.api:
API changes
~~~~~~~~~~~
-.. _whatsnew_0161.enhancements:
-Enhancements
-~~~~~~~~~~~~
+
+
+
.. _whatsnew_0161.performance:
Performance Improvements
~~~~~~~~~~~~~~~~~~~~~~~~
+
+
+
+
+
.. _whatsnew_0161.bug_fixes:
Bug Fixes
| Replaced the manual contents with the automatic (like now in 0.16.0), and a small rephrase (putting the bug fixes first)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9702 | 2015-03-22T22:35:50Z | 2015-03-23T09:13:06Z | 2015-03-23T09:13:06Z | 2015-03-23T09:13:07Z |
ENH Make year and quarter dash-separatable | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bf01d3b21f3fa..9c88815887674 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -22,6 +22,9 @@ API changes
Enhancements
~~~~~~~~~~~~
+- Add support for separating years and quarters using dashes, for
+ example 2014-Q1. (:issue:`9688`)
+
.. _whatsnew_0161.performance:
Performance Improvements
diff --git a/pandas/tseries/tests/test_offsets.py b/pandas/tseries/tests/test_offsets.py
index 609ffc4c93c10..0793508b4912c 100644
--- a/pandas/tseries/tests/test_offsets.py
+++ b/pandas/tseries/tests/test_offsets.py
@@ -21,7 +21,7 @@
from pandas import Series
from pandas.tseries.frequencies import _offset_map
from pandas.tseries.index import _to_m8, DatetimeIndex, _daterange_cache, date_range
-from pandas.tseries.tools import parse_time_string
+from pandas.tseries.tools import parse_time_string, DateParseError
import pandas.tseries.offsets as offsets
from pandas.io.pickle import read_pickle
@@ -3010,12 +3010,33 @@ def test_get_offset():
(name, expected, offset))
-def test_parse_time_string():
- (date, parsed, reso) = parse_time_string('4Q1984')
- (date_lower, parsed_lower, reso_lower) = parse_time_string('4q1984')
- assert date == date_lower
- assert parsed == parsed_lower
- assert reso == reso_lower
+class TestParseTimeString(tm.TestCase):
+
+ def test_parse_time_string(self):
+ (date, parsed, reso) = parse_time_string('4Q1984')
+ (date_lower, parsed_lower, reso_lower) = parse_time_string('4q1984')
+ self.assertEqual(date, date_lower)
+ self.assertEqual(parsed, parsed_lower)
+ self.assertEqual(reso, reso_lower)
+
+ def test_parse_time_quarter_w_dash(self):
+ # https://github.com/pydata/pandas/issue/9688
+ pairs = [
+ ('1988-Q2', '1988Q2'),
+ ('2Q-1988', '2Q1988'),
+ ]
+
+ for dashed, normal in pairs:
+ (date_dash, parsed_dash, reso_dash) = parse_time_string(dashed)
+ (date, parsed, reso) = parse_time_string(normal)
+
+ self.assertEqual(date_dash, date)
+ self.assertEqual(parsed_dash, parsed)
+ self.assertEqual(reso_dash, reso)
+
+ self.assertRaises(DateParseError, parse_time_string, "-2Q1992")
+ self.assertRaises(DateParseError, parse_time_string, "2-Q1992")
+ self.assertRaises(DateParseError, parse_time_string, "4-4Q1992")
def test_get_standard_freq():
diff --git a/pandas/tseries/tools.py b/pandas/tseries/tools.py
index db62fceaceef8..8430e0209fd78 100644
--- a/pandas/tseries/tools.py
+++ b/pandas/tseries/tools.py
@@ -383,10 +383,10 @@ def calc_with_mask(carg,mask):
return None
# patterns for quarters like '4Q2005', '05Q1'
-qpat1full = re.compile(r'(\d)Q(\d\d\d\d)')
-qpat2full = re.compile(r'(\d\d\d\d)Q(\d)')
-qpat1 = re.compile(r'(\d)Q(\d\d)')
-qpat2 = re.compile(r'(\d\d)Q(\d)')
+qpat1full = re.compile(r'(\d)Q-?(\d\d\d\d)')
+qpat2full = re.compile(r'(\d\d\d\d)-?Q(\d)')
+qpat1 = re.compile(r'(\d)Q-?(\d\d)')
+qpat2 = re.compile(r'(\d\d)-?Q(\d)')
ypat = re.compile(r'(\d\d\d\d)$')
has_time = re.compile('(.+)([\s]|T)+(.+)')
@@ -424,18 +424,18 @@ def parse_time_string(arg, freq=None, dayfirst=None, yearfirst=None):
second=0, microsecond=0)
# special handling for possibilities eg, 2Q2005, 2Q05, 2005Q1, 05Q1
- if len(arg) in [4, 6]:
+ if len(arg) in [4, 5, 6, 7]:
m = ypat.match(arg)
if m:
ret = default.replace(year=int(m.group(1)))
return ret, ret, 'year'
add_century = False
- if len(arg) == 4:
+ if len(arg) > 5:
+ qpats = [(qpat1full, 1), (qpat2full, 0)]
+ else:
add_century = True
qpats = [(qpat1, 1), (qpat2, 0)]
- else:
- qpats = [(qpat1full, 1), (qpat2full, 0)]
for pat, yfirst in qpats:
qparse = pat.match(arg)
| This closes #9688 by making years and quarters separable by dashes.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9701 | 2015-03-22T20:52:39Z | 2015-03-26T09:49:51Z | 2015-03-26T09:49:50Z | 2015-03-26T10:43:40Z |
BUG: ensure we use group sizes, not group counts, in transform (GH9697) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bf01d3b21f3fa..5801d1b811790 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -31,3 +31,5 @@ Performance Improvements
Bug Fixes
~~~~~~~~~
+
+- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
diff --git a/pandas/core/groupby.py b/pandas/core/groupby.py
index 73439fb1e535d..6d98b3b99021b 100644
--- a/pandas/core/groupby.py
+++ b/pandas/core/groupby.py
@@ -2453,7 +2453,7 @@ def _transform_fast(self, func):
if isinstance(func, compat.string_types):
func = getattr(self,func)
values = func().values
- counts = self.count().values
+ counts = self.size().values
values = np.repeat(values, com._ensure_platform_int(counts))
return self._set_result_index_ordered(Series(values))
diff --git a/pandas/tests/test_groupby.py b/pandas/tests/test_groupby.py
index 79ebb80fc9ebb..e7001eb09f20c 100644
--- a/pandas/tests/test_groupby.py
+++ b/pandas/tests/test_groupby.py
@@ -1058,6 +1058,19 @@ def test_transform_function_aliases(self):
expected = self.df.groupby('A')['C'].transform(np.mean)
assert_series_equal(result, expected)
+ def test_transform_length(self):
+ # GH 9697
+ df = pd.DataFrame({'col1':[1,1,2,2], 'col2':[1,2,3,np.nan]})
+ expected = pd.Series([3.0]*4)
+ def nsum(x):
+ return np.nansum(x)
+ results = [df.groupby('col1').transform(sum)['col2'],
+ df.groupby('col1')['col2'].transform(sum),
+ df.groupby('col1').transform(nsum)['col2'],
+ df.groupby('col1')['col2'].transform(nsum)]
+ for result in results:
+ assert_series_equal(result, expected)
+
def test_with_na(self):
index = Index(np.arange(10))
| Switch count() to size(), so that when we build the expanded values we're using the size of the groups and not simply the number of non-null values they have. Fixes #9697.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9699 | 2015-03-22T17:05:19Z | 2015-03-23T10:55:36Z | 2015-03-23T10:55:36Z | 2015-03-23T10:55:42Z |
BUG: fix for interp with axis=1 and inplace | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bf01d3b21f3fa..b6a6d27c929f2 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -31,3 +31,6 @@ Performance Improvements
Bug Fixes
~~~~~~~~~
+
+
+- Fixed bug with inplace interpolace along the "columns" axis (:issue:`9687`)
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index e05709d7a180f..21de2fe86689d 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -2736,10 +2736,11 @@ def interpolate(self, method='linear', axis=0, limit=None, inplace=False,
if self.ndim > 2:
raise NotImplementedError("Interpolate has not been implemented "
"on Panel and Panel 4D objects.")
-
+ axis = self._get_axis_number(axis)
if axis == 0:
ax = self._info_axis_name
elif axis == 1:
+ orig = self
self = self.T
ax = 1
ax = self._get_axis_number(ax)
@@ -2777,7 +2778,7 @@ def interpolate(self, method='linear', axis=0, limit=None, inplace=False,
if inplace:
if axis == 1:
self._update_inplace(new_data)
- self = self.T
+ orig._data = self.T._data
else:
self._update_inplace(new_data)
else:
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 1acad4cf978a8..ea7468673356d 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -8683,9 +8683,6 @@ def test_replace_simple_nested_dict_with_nonexistent_value(self):
result = df.replace({'col': {-1: '-', 1: 'a', 4: 'b'}})
tm.assert_frame_equal(expected, result)
- def test_interpolate(self):
- pass
-
def test_replace_value_is_none(self):
self.assertRaises(TypeError, self.tsframe.replace, nan)
orig_value = self.tsframe.iloc[0, 0]
diff --git a/pandas/tests/test_generic.py b/pandas/tests/test_generic.py
index 3dd8c2594cd46..c956376c94d45 100644
--- a/pandas/tests/test_generic.py
+++ b/pandas/tests/test_generic.py
@@ -963,6 +963,20 @@ def test_interp_ignore_all_good(self):
result = df[['B', 'D']].interpolate(downcast=None)
assert_frame_equal(result, df[['B', 'D']])
+ def test_interp_inplace_axis1(self):
+ # GH 9687
+ df = DataFrame({'A': [1, 2, 3], 'B': [2, np.nan, 6],
+ 'C': [3, 4, 5]})
+ df.interpolate(axis=1, inplace=True)
+ # dtypes... a bit strange here.
+ # df.T w/ [int, float, int] -> [float, float, float] dtypes
+ # this test may break if we change that in the future.
+ expected = DataFrame({'A': [1., 2, 3], 'B': [2., 3, 6],
+ 'C': [3., 4, 5]})
+ assert_frame_equal(df, expected)
+ self.assertIs(df, df)
+
+
def test_describe(self):
desc = tm.makeDataFrame().describe()
desc = tm.makeMixedDataFrame().describe()
| Closes https://github.com/pydata/pandas/issues/9687
There's still some weird issues with dtypes. In my test case there's a DataFrame with dtypes [int, float, int]. After the interpolation they should be downcasts to [int, int, int] when the missing value is filled. But along the way a transpose changes things to `[float, float, float]` before filling. And then (I think) `self._update_inplace` doesn't change dtypes, so the actual result is `[float, float, float]`.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9695 | 2015-03-21T13:40:01Z | 2015-05-09T16:16:26Z | null | 2015-08-18T12:45:09Z |
BUG: datetime/timedelta Series quantile() call | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index bf01d3b21f3fa..576103b5411b5 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -31,3 +31,5 @@ Performance Improvements
Bug Fixes
~~~~~~~~~
+
+- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
diff --git a/pandas/core/series.py b/pandas/core/series.py
index 7e3b21be13525..68f3a6032402f 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -2095,7 +2095,7 @@ def _maybe_box(self, func, dropna=False):
boxer = com.i8_boxer(self)
if len(values) == 0:
- return boxer(iNaT)
+ return boxer(tslib.iNaT)
values = values.view('i8')
result = func(values)
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index ae2ed4eaca2f4..9b5e36974553b 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -6837,6 +6837,11 @@ def test_repeat(self):
def test_unique_data_ownership(self):
# it works! #1807
Series(Series(["a", "c", "b"]).unique()).sort()
+
+ def test_datetime_timedelta_quantiles(self):
+ # covers #9694
+ self.assertTrue(pd.isnull(Series([],dtype='M8[ns]').quantile(.5)))
+ self.assertTrue(pd.isnull(Series([],dtype='m8[ns]').quantile(.5)))
if __name__ == '__main__':
nose.runmodule(argv=[__file__, '-vvs', '-x', '--pdb', '--pdb-failure'],
| Changes to be committed:
modified: pandas/core/series.py
modified: pandas/tests/test_series.py
Fixes global reference to iNaT (should be tslib.iNaT) in series._maybe_box.
Adds test `test_datetime_timedelta_quantiles` to check for proper return value
in test_series.py.
Issue #9675
| https://api.github.com/repos/pandas-dev/pandas/pulls/9694 | 2015-03-21T01:39:57Z | 2015-03-25T23:03:40Z | null | 2015-03-25T23:03:40Z |
Update vendored pyperclip to 1.5.8 | diff --git a/doc/source/whatsnew/v0.18.0.txt b/doc/source/whatsnew/v0.18.0.txt
index c517f89855601..5e0b63fab5ba5 100644
--- a/doc/source/whatsnew/v0.18.0.txt
+++ b/doc/source/whatsnew/v0.18.0.txt
@@ -193,3 +193,4 @@ Bug Fixes
- Bug in ``.loc`` result with duplicated key may have ``Index`` with incorrect dtype (:issue:`11497`)
- Bug in ``pd.rolling_median`` where memory allocation failed even with sufficient memory (:issue:`11696`)
+- Bug in ``pd.read_clipboard`` and ``pd.to_clipboard`` functions not supporting Unicode (:issue:`9263`)
diff --git a/pandas/io/tests/test_clipboard.py b/pandas/io/tests/test_clipboard.py
index 4855b715ebbe2..a056bac293cfa 100644
--- a/pandas/io/tests/test_clipboard.py
+++ b/pandas/io/tests/test_clipboard.py
@@ -1,3 +1,4 @@
+# -*- coding: utf-8 -*-
import numpy as np
from numpy.random import randint
@@ -46,6 +47,9 @@ def setUpClass(cls):
cls.data['longdf'] = mkdf(max_rows+1, 3, data_gen_f=lambda *args: randint(2),
c_idx_type='s', r_idx_type='i',
c_idx_names=[None], r_idx_names=[None])
+ # Test for non-ascii text: GH9263
+ cls.data['nonascii'] = pd.DataFrame({'en': 'in English'.split(),
+ 'es': 'en español'.split()})
cls.data_types = list(cls.data.keys())
@classmethod
diff --git a/pandas/util/clipboard.py b/pandas/util/clipboard.py
index 65c372bf7cd5b..026f13aad0bf3 100644
--- a/pandas/util/clipboard.py
+++ b/pandas/util/clipboard.py
@@ -1,17 +1,24 @@
-# Pyperclip v1.3
-# A cross-platform clipboard module for Python. (only handles plain text for now)
-# By Al Sweigart al@coffeeghost.net
+# Pyperclip v1.5.15
+# A cross-platform clipboard module for Python.
+# By Al Sweigart al@inventwithpython.com
# Usage:
# import pyperclip
# pyperclip.copy('The text to be copied to the clipboard.')
# spam = pyperclip.paste()
-# On Mac, this module makes use of the pbcopy and pbpaste commands, which should come with the os.
-# On Linux, this module makes use of the xclip command, which should come with the os. Otherwise run "sudo apt-get install xclip"
+# On Windows, no additional modules are needed.
+# On Mac, this module makes use of the pbcopy and pbpaste commands, which
+# should come with the os.
+# On Linux, this module makes use of the xclip or xsel commands, which should
+# come with the os. Otherwise run "sudo apt-get install xclip" or
+# "sudo apt-get install xsel"
+# Otherwise on Linux, you will need the gtk or PyQt4 modules installed.
+# The gtk module is not available for Python 3, and this module does not work
+# with PyGObject yet.
-# Copyright (c) 2010, Albert Sweigart
+# Copyright (c) 2015, Albert Sweigart
# All rights reserved.
#
# BSD-style license:
@@ -38,139 +45,221 @@
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
# SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
-# Change Log:
-# 1.2 Use the platform module to help determine OS.
-# 1.3 Changed ctypes.windll.user32.OpenClipboard(None) to ctypes.windll.user32.OpenClipboard(0), after some people ran into some TypeError
-import platform, os
+import platform
+import os
+from subprocess import call, Popen, PIPE
+
+PY2 = '2' == platform.python_version_tuple()[0]
+text_type = unicode if PY2 else str
+
class NoClipboardProgramError(OSError):
pass
-def winGetClipboard():
- ctypes.windll.user32.OpenClipboard(0)
- pcontents = ctypes.windll.user32.GetClipboardData(1) # 1 is CF_TEXT
- data = ctypes.c_char_p(pcontents).value
- #ctypes.windll.kernel32.GlobalUnlock(pcontents)
- ctypes.windll.user32.CloseClipboard()
+def _pasteWindows():
+ CF_UNICODETEXT = 13
+ d = ctypes.windll
+ d.user32.OpenClipboard(0)
+ handle = d.user32.GetClipboardData(CF_UNICODETEXT)
+ data = ctypes.c_wchar_p(handle).value
+ d.user32.CloseClipboard()
return data
-def winSetClipboard(text):
+
+def _copyWindows(text):
GMEM_DDESHARE = 0x2000
- ctypes.windll.user32.OpenClipboard(0)
- ctypes.windll.user32.EmptyClipboard()
- try:
- # works on Python 2 (bytes() only takes one argument)
- hCd = ctypes.windll.kernel32.GlobalAlloc(GMEM_DDESHARE, len(bytes(text))+1)
- except TypeError:
- # works on Python 3 (bytes() requires an encoding)
- hCd = ctypes.windll.kernel32.GlobalAlloc(GMEM_DDESHARE, len(bytes(text, 'ascii'))+1)
- pchData = ctypes.windll.kernel32.GlobalLock(hCd)
- try:
- # works on Python 2 (bytes() only takes one argument)
- ctypes.cdll.msvcrt.strcpy(ctypes.c_char_p(pchData), bytes(text))
- except TypeError:
- # works on Python 3 (bytes() requires an encoding)
- ctypes.cdll.msvcrt.strcpy(ctypes.c_char_p(pchData), bytes(text, 'ascii'))
- ctypes.windll.kernel32.GlobalUnlock(hCd)
- ctypes.windll.user32.SetClipboardData(1,hCd)
- ctypes.windll.user32.CloseClipboard()
-
-def macSetClipboard(text):
- outf = os.popen('pbcopy', 'w')
- outf.write(text)
- outf.close()
-
-def macGetClipboard():
- outf = os.popen('pbpaste', 'r')
- content = outf.read()
- outf.close()
- return content
-
-def gtkGetClipboard():
+ CF_UNICODETEXT = 13
+ d = ctypes.windll # cdll expects 4 more bytes in user32.OpenClipboard(0)
+ if not isinstance(text, text_type):
+ text = text.decode('mbcs')
+
+ d.user32.OpenClipboard(0)
+
+ d.user32.EmptyClipboard()
+ hCd = d.kernel32.GlobalAlloc(GMEM_DDESHARE,
+ len(text.encode('utf-16-le')) + 2)
+ pchData = d.kernel32.GlobalLock(hCd)
+ ctypes.cdll.msvcrt.wcscpy(ctypes.c_wchar_p(pchData), text)
+ d.kernel32.GlobalUnlock(hCd)
+ d.user32.SetClipboardData(CF_UNICODETEXT, hCd)
+ d.user32.CloseClipboard()
+
+
+def _pasteCygwin():
+ CF_UNICODETEXT = 13
+ d = ctypes.cdll
+ d.user32.OpenClipboard(0)
+ handle = d.user32.GetClipboardData(CF_UNICODETEXT)
+ data = ctypes.c_wchar_p(handle).value
+ d.user32.CloseClipboard()
+ return data
+
+
+def _copyCygwin(text):
+ GMEM_DDESHARE = 0x2000
+ CF_UNICODETEXT = 13
+ d = ctypes.cdll
+ if not isinstance(text, text_type):
+ text = text.decode('mbcs')
+ d.user32.OpenClipboard(0)
+ d.user32.EmptyClipboard()
+ hCd = d.kernel32.GlobalAlloc(GMEM_DDESHARE,
+ len(text.encode('utf-16-le')) + 2)
+ pchData = d.kernel32.GlobalLock(hCd)
+ ctypes.cdll.msvcrt.wcscpy(ctypes.c_wchar_p(pchData), text)
+ d.kernel32.GlobalUnlock(hCd)
+ d.user32.SetClipboardData(CF_UNICODETEXT, hCd)
+ d.user32.CloseClipboard()
+
+
+def _copyOSX(text):
+ p = Popen(['pbcopy', 'w'], stdin=PIPE, close_fds=True)
+ p.communicate(input=text.encode('utf-8'))
+
+
+def _pasteOSX():
+ p = Popen(['pbpaste', 'r'], stdout=PIPE, close_fds=True)
+ stdout, stderr = p.communicate()
+ return stdout.decode('utf-8')
+
+
+def _pasteGtk():
return gtk.Clipboard().wait_for_text()
-def gtkSetClipboard(text):
+
+def _copyGtk(text):
+ global cb
cb = gtk.Clipboard()
cb.set_text(text)
cb.store()
-def qtGetClipboard():
+
+def _pasteQt():
return str(cb.text())
-def qtSetClipboard(text):
+
+def _copyQt(text):
cb.setText(text)
-def xclipSetClipboard(text):
- outf = os.popen('xclip -selection c', 'w')
- outf.write(text)
- outf.close()
-def xclipGetClipboard():
- outf = os.popen('xclip -selection c -o', 'r')
- content = outf.read()
- outf.close()
- return content
+def _copyXclip(text):
+ p = Popen(['xclip', '-selection', 'c'], stdin=PIPE, close_fds=True)
+ p.communicate(input=text.encode('utf-8'))
+
+
+def _pasteXclip():
+ p = Popen(['xclip', '-selection', 'c', '-o'], stdout=PIPE, close_fds=True)
+ stdout, stderr = p.communicate()
+ return stdout.decode('utf-8')
+
+
+def _copyXsel(text):
+ p = Popen(['xsel', '-b', '-i'], stdin=PIPE, close_fds=True)
+ p.communicate(input=text.encode('utf-8'))
+
-def xselSetClipboard(text):
- outf = os.popen('xsel -i', 'w')
- outf.write(text)
- outf.close()
+def _pasteXsel():
+ p = Popen(['xsel', '-b', '-o'], stdout=PIPE, close_fds=True)
+ stdout, stderr = p.communicate()
+ return stdout.decode('utf-8')
-def xselGetClipboard():
- outf = os.popen('xsel -o', 'r')
- content = outf.read()
- outf.close()
- return content
+def _copyKlipper(text):
+ p = Popen(['qdbus', 'org.kde.klipper', '/klipper',
+ 'setClipboardContents', text.encode('utf-8')],
+ stdin=PIPE, close_fds=True)
+ p.communicate(input=None)
-if os.name == 'nt' or platform.system() == 'Windows':
+
+def _pasteKlipper():
+ p = Popen(['qdbus', 'org.kde.klipper', '/klipper',
+ 'getClipboardContents'], stdout=PIPE, close_fds=True)
+ stdout, stderr = p.communicate()
+ return stdout.decode('utf-8')
+
+
+# Determine the OS/platform and set the copy() and paste() functions
+# accordingly.
+if 'cygwin' in platform.system().lower():
+ _functions = 'Cygwin' # for debugging
import ctypes
- getcb = winGetClipboard
- setcb = winSetClipboard
+ paste = _pasteCygwin
+ copy = _copyCygwin
+elif os.name == 'nt' or platform.system() == 'Windows':
+ _functions = 'Windows' # for debugging
+ import ctypes
+ paste = _pasteWindows
+ copy = _copyWindows
elif os.name == 'mac' or platform.system() == 'Darwin':
- getcb = macGetClipboard
- setcb = macSetClipboard
+ _functions = 'OS X pbcopy/pbpaste' # for debugging
+ paste = _pasteOSX
+ copy = _copyOSX
elif os.name == 'posix' or platform.system() == 'Linux':
- xclipExists = os.system('which xclip > /dev/null') == 0
- if xclipExists:
- getcb = xclipGetClipboard
- setcb = xclipSetClipboard
- else:
- xselExists = os.system('which xsel > /dev/null') == 0
- if xselExists:
- getcb = xselGetClipboard
- setcb = xselSetClipboard
- else:
+ # Determine which command/module is installed, if any.
+ xclipExists = call(['which', 'xclip'],
+ stdout=PIPE, stderr=PIPE) == 0
+
+ xselExists = call(['which', 'xsel'],
+ stdout=PIPE, stderr=PIPE) == 0
+
+ xklipperExists = (
+ call(['which', 'klipper'], stdout=PIPE, stderr=PIPE) == 0 and
+ call(['which', 'qdbus'], stdout=PIPE, stderr=PIPE) == 0
+ )
+
+ gtkInstalled = False
+ try:
+ # Check it gtk is installed.
+ import gtk
+ gtkInstalled = True
+ except ImportError:
+ pass
+
+ if not gtkInstalled:
+ # Check for either PyQt4 or PySide
+ qtBindingInstalled = True
+ try:
+ from PyQt4 import QtGui
+ except ImportError:
try:
- import gtk
+ from PySide import QtGui
except ImportError:
- try:
- import PyQt4 as qt4
- import PyQt4.QtCore
- import PyQt4.QtGui
- except ImportError:
- try:
- import PySide as qt4
- import PySide.QtCore
- import PySide.QtGui
- except ImportError:
- raise NoClipboardProgramError('Pyperclip requires the'
- ' gtk, PyQt4, or PySide'
- ' module installed, or '
- 'either the xclip or '
- 'xsel command.')
- app = qt4.QtGui.QApplication([])
- cb = qt4.QtGui.QApplication.clipboard()
- getcb = qtGetClipboard
- setcb = qtSetClipboard
- else:
- getcb = gtkGetClipboard
- setcb = gtkSetClipboard
-copy = setcb
-paste = getcb
-
-## pandas aliases
+ qtBindingInstalled = False
+
+ # Set one of the copy & paste functions.
+ if xclipExists:
+ _functions = 'xclip command' # for debugging
+ paste = _pasteXclip
+ copy = _copyXclip
+ elif xklipperExists:
+ _functions = '(KDE Klipper) - qdbus (external)' # for debugging
+ paste = _pasteKlipper
+ copy = _copyKlipper
+ elif gtkInstalled:
+ _functions = 'gtk module' # for debugging
+ paste = _pasteGtk
+ copy = _copyGtk
+ elif qtBindingInstalled:
+ _functions = 'PyQt4 module' # for debugging
+ app = QtGui.QApplication([])
+ cb = QtGui.QApplication.clipboard()
+ paste = _pasteQt
+ copy = _copyQt
+ elif xselExists:
+ # TODO: xsel doesn't seem to work on Raspberry Pi (my test Linux
+ # environment). Putting this as the last method tried.
+ _functions = 'xsel command' # for debugging
+ paste = _pasteXsel
+ copy = _copyXsel
+ else:
+ raise NoClipboardProgramError('Pyperclip requires the gtk, PyQt4, or '
+ 'PySide module installed, or either the '
+ 'xclip or xsel command.')
+else:
+ raise RuntimeError('pyperclip does not support your system.')
+
+# pandas aliases
clipboard_get = paste
clipboard_set = copy
| Resolves #9263
Tested:
- [x] windows
- [x] macosx
- [x] linux
| https://api.github.com/repos/pandas-dev/pandas/pulls/9693 | 2015-03-20T20:52:05Z | 2015-12-05T15:33:44Z | null | 2021-12-03T12:12:48Z |
DOC: further clean-up whatsnew file | diff --git a/doc/source/release.rst b/doc/source/release.rst
index 5d69c29d4612f..faefdf4f6edd3 100644
--- a/doc/source/release.rst
+++ b/doc/source/release.rst
@@ -60,6 +60,12 @@ Highlights include:
- Backwards incompatible change to ``Timedelta`` to conform the ``.seconds`` attribute with ``datetime.timedelta``, see :ref:`here <whatsnew_0160.api_breaking.timedelta>`
- Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
- Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
+- The ``pandas.tools.rplot``, ``pandas.sandbox.qtpandas`` and ``pandas.rpy``
+ modules are deprecated. We refer users to external packages like
+ `seaborn <http://stanford.edu/~mwaskom/software/seaborn/>`_,
+ `pandas-qt <https://github.com/datalyze-solutions/pandas-qt>`_ and
+ `rpy2 <http://rpy.sourceforge.net/>`_ for similar or equivalent
+ functionality, see :ref:`here <whatsnew_0160.deprecations>`
See the :ref:`v0.16.0 Whatsnew <whatsnew_0160>` overview or the issue tracker on GitHub for an extensive list
of all API changes, enhancements and bugs that have been fixed in 0.16.0.
diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 2f21323a2ddd7..356d61dbe02ca 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -15,6 +15,12 @@ Highlights include:
- Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
- Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
- Enhancement to the ``.str`` accessor to make string operations easier, see :ref:`here <whatsnew_0160.enhancements.string>`
+- The ``pandas.tools.rplot``, ``pandas.sandbox.qtpandas`` and ``pandas.rpy``
+ modules are deprecated. We refer users to external packages like
+ `seaborn <http://stanford.edu/~mwaskom/software/seaborn/>`_,
+ `pandas-qt <https://github.com/datalyze-solutions/pandas-qt>`_ and
+ `rpy2 <http://rpy.sourceforge.net/>`_ for similar or equivalent
+ functionality, see :ref:`here <whatsnew_0160.deprecations>`
Check the :ref:`API Changes <whatsnew_0160.api>` and :ref:`deprecations <whatsnew_0160.deprecations>` before updating.
@@ -129,37 +135,35 @@ String Methods Enhancements
- Following new methods are accesible via ``.str`` accessor to apply the function to each values. This is intended to make it more consistent with standard methods on strings. (:issue:`9282`, :issue:`9352`, :issue:`9386`, :issue:`9387`, :issue:`9439`)
-============= ============= ============= =============== ===============
-.. .. Methods .. ..
-============= ============= ============= =============== ===============
-``isalnum()`` ``isalpha()`` ``isdigit()`` ``isdigit()`` ``isspace()``
-``islower()`` ``isupper()`` ``istitle()`` ``isnumeric()`` ``isdecimal()``
-``find()`` ``rfind()`` ``ljust()`` ``rjust()`` ``zfill()``
-============= ============= ============= =============== ===============
+ ============= ============= ============= =============== ===============
+ .. .. Methods .. ..
+ ============= ============= ============= =============== ===============
+ ``isalnum()`` ``isalpha()`` ``isdigit()`` ``isdigit()`` ``isspace()``
+ ``islower()`` ``isupper()`` ``istitle()`` ``isnumeric()`` ``isdecimal()``
+ ``find()`` ``rfind()`` ``ljust()`` ``rjust()`` ``zfill()``
+ ============= ============= ============= =============== ===============
-.. ipython:: python
-
- s = Series(['abcd', '3456', 'EFGH'])
- s.str.isalpha()
- s.str.find('ab')
+ .. ipython:: python
+ s = Series(['abcd', '3456', 'EFGH'])
+ s.str.isalpha()
+ s.str.find('ab')
- :meth:`Series.str.pad` and :meth:`Series.str.center` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
-.. ipython:: python
-
- s = Series(['12', '300', '25'])
- s.str.pad(5, fillchar='_')
+ .. ipython:: python
+ s = Series(['12', '300', '25'])
+ s.str.pad(5, fillchar='_')
- Added :meth:`Series.str.slice_replace`, which previously raised ``NotImplementedError`` (:issue:`8888`)
-.. ipython:: python
+ .. ipython:: python
- s = Series(['ABCD', 'EFGH', 'IJK'])
- s.str.slice_replace(1, 3, 'X')
- # replaced with empty char
- s.str.slice_replace(0, 1)
+ s = Series(['ABCD', 'EFGH', 'IJK'])
+ s.str.slice_replace(1, 3, 'X')
+ # replaced with empty char
+ s.str.slice_replace(0, 1)
.. _whatsnew_0160.enhancements.other:
@@ -175,7 +179,15 @@ Other enhancements
This method is also exposed by the lower level ``Index.get_indexer`` and ``Index.get_loc`` methods.
-- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>`. (issue:`9493`:)
+- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
+
+ .. code-block:: python
+
+ # Returns the 1st and 4th sheet, as a dictionary of DataFrames.
+ pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
+
+
+- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>` (:issue:`9493`:).
- Paths beginning with ~ will now be expanded to begin with the user's home directory (:issue:`9066`)
- Added time interval selection in ``get_data_yahoo`` (:issue:`9071`)
- Added ``Timestamp.to_datetime64()`` to complement ``Timedelta.to_timedelta64()`` (:issue:`9255`)
@@ -183,17 +195,9 @@ Other enhancements
- Lag parameter was added to the autocorrelation method of ``Series``, defaults to lag-1 autocorrelation (:issue:`9192`)
- ``Timedelta`` will now accept ``nanoseconds`` keyword in constructor (:issue:`9273`)
- SQL code now safely escapes table and column names (:issue:`8986`)
-
- Added auto-complete for ``Series.str.<tab>``, ``Series.dt.<tab>`` and ``Series.cat.<tab>`` (:issue:`9322`)
- ``Index.get_indexer`` now supports ``method='pad'`` and ``method='backfill'`` even for any target array, not just monotonic targets. These methods also work for monotonic decreasing as well as monotonic increasing indexes (:issue:`9258`).
- ``Index.asof`` now works on all index types (:issue:`9258`).
-- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
-
- .. code-block:: python
-
- # Returns the 1st and 4th sheet, as a dictionary of DataFrames.
- pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
-
- A ``verbose`` argument has been augmented in ``io.read_excel()``, defaults to False. Set to True to print sheet names as they are parsed. (:issue:`9450`)
- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
@@ -486,15 +490,6 @@ Other API Changes
To reproduce the old behavior, simply add more precision to the label (e.g., use ``2000-02-01`` instead of ``2000-02``).
-- A Spurious ``SettingWithCopy`` Warning was generated when setting a new item in a frame in some cases (:issue:`8730`)
-
- The following would previously report a ``SettingWithCopy`` Warning.
-
- .. ipython:: python
-
- df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
- df2 = df1[['x']]
- df2['y'] = ['g', 'h', 'i']
.. _whatsnew_0160.deprecations:
@@ -505,9 +500,8 @@ Deprecations
in a future version. We refer to external packages like
`seaborn <http://stanford.edu/~mwaskom/software/seaborn/>`_ for similar
but more refined functionality (:issue:`3445`).
-
The documentation includes some examples how to convert your existing code
- using ``rplot`` to seaborn: - :ref:`rplot docs <rplot>`
+ using ``rplot`` to seaborn: :ref:`rplot docs <rplot>`.
- The ``pandas.sandbox.qtpandas`` interface is deprecated and will be removed in a future version.
We refer users to the external package `pandas-qt <https://github.com/datalyze-solutions/pandas-qt>`_. (:issue:`9615`)
@@ -610,6 +604,9 @@ Bug Fixes
- Fixed mising numeric_only option for ``DataFrame.std/var/sem`` (:issue:`9201`)
- Support constructing ``Panel`` or ``Panel4D`` with scalar data (:issue:`8285`)
- ``Series`` text representation disconnected from `max_rows`/`max_columns` (:issue:`7508`).
+
+\
+
- ``Series`` number formatting inconsistent when truncated (:issue:`8532`).
Previous Behavior
@@ -645,3 +642,13 @@ Bug Fixes
128 1.0000
129 1.0000
dtype: float64
+
+- A Spurious ``SettingWithCopy`` Warning was generated when setting a new item in a frame in some cases (:issue:`8730`)
+
+ The following would previously report a ``SettingWithCopy`` Warning.
+
+ .. ipython:: python
+
+ df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
+ df2 = df1[['x']]
+ df2['y'] = ['g', 'h', 'i']
| Some missing spaced in the string-methods section, and added a highlight about the deprecations.
@jreback you suggested to remove the highlights alltogether now we have the automatic table of contents, but I think it is not fully equivalent (eg the deprecations I added now are not directly visible in the table of contents)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9689 | 2015-03-20T14:26:00Z | 2015-03-20T15:27:34Z | 2015-03-20T15:27:34Z | 2015-03-20T15:27:34Z |
Start python3 compatibility | diff --git a/vb_suite/frame_methods.py b/vb_suite/frame_methods.py
index 1d7c5e0d9acef..c9631a5d993f9 100644
--- a/vb_suite/frame_methods.py
+++ b/vb_suite/frame_methods.py
@@ -505,7 +505,7 @@ def get_data(n=100000):
frame_from_records_generator_nrows = Benchmark('df = DataFrame.from_records(get_data(), nrows=1000)',
setup,
name='frame_from_records_generator_nrows',
- start_date=datetime(2013,10,04)) # issue-4911
+ start_date=datetime(2013,10,4)) # issue-4911
#-----------------------------------------------------------------------------
# duplicated
diff --git a/vb_suite/suite.py b/vb_suite/suite.py
index a16d183ae62e2..683727a5659f4 100644
--- a/vb_suite/suite.py
+++ b/vb_suite/suite.py
@@ -1,3 +1,4 @@
+from __future__ import print_function
from vbench.api import Benchmark, GitRepo
from datetime import datetime
@@ -128,7 +129,7 @@ def generate_rst_files(benchmarks):
f.write(rst_text)
with open(os.path.join(RST_BASE, 'index.rst'), 'w') as f:
- print >> f, """
+ print("""
Performance Benchmarks
======================
@@ -149,15 +150,15 @@ def generate_rst_files(benchmarks):
.. toctree::
:hidden:
:maxdepth: 3
-"""
+""", file=f)
for modname, mod_bmks in sorted(by_module.items()):
- print >> f, ' vb_%s' % modname
+ print(' vb_%s' % modname, file=f)
modpath = os.path.join(RST_BASE, 'vb_%s.rst' % modname)
with open(modpath, 'w') as mh:
header = '%s\n%s\n\n' % (modname, '=' * len(modname))
- print >> mh, header
+ print(header, file=mh)
for bmk in mod_bmks:
- print >> mh, bmk.name
- print >> mh, '-' * len(bmk.name)
- print >> mh, '.. include:: vbench/%s.txt\n' % bmk.name
+ print(bmk.name, file=mh)
+ print('-' * len(bmk.name), file=mh)
+ print('.. include:: vbench/%s.txt\n' % bmk.name, file=mh)
| Start for #9660
These are changes to get vbench running under python3. There are quite a few tests that need modification, but with these changes the code will parse and the suite can run (along with [vbench#36](https://github.com/pydata/vbench/pull/36)).
| https://api.github.com/repos/pandas-dev/pandas/pulls/9686 | 2015-03-20T02:13:43Z | 2015-07-28T21:51:47Z | null | 2015-07-28T21:51:47Z |
Fixes groupby.apply() error when no returns #9684 | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index b80e341d4156a..a2e6b59646724 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -99,11 +99,10 @@ Bug Fixes
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
-
- Bug in ``equals`` causing false negatives when block order differed (:issue:`9330`)
-
- Bug in ``DataFrame`` slicing may not retain metadata (:issue:`9776`)
- Bug where ``TimdeltaIndex`` were not properly serialized in fixed ``HDFStore`` (:issue:`9635`)
+- Fixed bug in ``groupby.apply()`` that would raise an error the user passed function either returned nothing or only returned values of ``None``. (:issue:`9685`)
- Bug in plotting continuously using ``secondary_y`` may not show legend properly. (:issue:`9610`, :issue:`9779`)
diff --git a/pandas/core/groupby.py b/pandas/core/groupby.py
index 6d98b3b99021b..034e8298a844c 100644
--- a/pandas/core/groupby.py
+++ b/pandas/core/groupby.py
@@ -2808,7 +2808,12 @@ def _wrap_applied_output(self, keys, values, not_indexed_same=False):
# make Nones an empty object
if com._count_not_none(*values) != len(values):
- v = next(v for v in values if v is not None)
+ try:
+ v = next(v for v in values if v is not None)
+ except StopIteration:
+ # If all values are None, then this will throw an error.
+ # We'd prefer it return an empty dataframe.
+ return DataFrame()
if v is None:
return DataFrame()
elif isinstance(v, NDFrame):
diff --git a/pandas/tests/test_groupby.py b/pandas/tests/test_groupby.py
index e7001eb09f20c..a7af535034852 100644
--- a/pandas/tests/test_groupby.py
+++ b/pandas/tests/test_groupby.py
@@ -5053,6 +5053,17 @@ def test_groupby_categorical_two_columns(self):
"C3":[nan,nan,nan,nan, 10,100,nan,nan, nan,nan,200,34]}, index=idx)
tm.assert_frame_equal(res, exp)
+ def test_groupby_apply_all_none(self):
+ # Tests to make sure no errors if apply function returns all None
+ # values. Issue 9684.
+ test_df = DataFrame({'groups': [0,0,1,1], 'random_vars': [8,7,4,5]})
+
+ def test_func(x):
+ pass
+ result = test_df.groupby('groups').apply(test_func)
+ expected = DataFrame()
+ tm.assert_frame_equal(result, expected)
+
def assert_fp_equal(a, b):
assert (np.abs(a - b) < 1e-12).all()
| Closes issue: #9684
Returns empty object even if all entries are missing.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9685 | 2015-03-19T22:15:41Z | 2015-04-28T01:13:59Z | null | 2015-04-28T01:13:59Z |
Bug: Access unknown attribute of timedeltaindexed series used to raise ValueError | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..fa9eb9972d7ac 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -70,11 +70,7 @@ Bug Fixes
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
-
-
-
-
-
+- Bug : Trying to access absent attributes in TimedeltaIndex use to raise ValueError instead of AttributeError(:issue:`9680`)
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
diff --git a/pandas/tseries/base.py b/pandas/tseries/base.py
index ed11b12871ce5..34ae7d5d87419 100644
--- a/pandas/tseries/base.py
+++ b/pandas/tseries/base.py
@@ -67,7 +67,7 @@ def __contains__(self, key):
try:
res = self.get_loc(key)
return np.isscalar(res) or type(res) == slice or np.any(res)
- except (KeyError, TypeError):
+ except (KeyError, TypeError, ValueError):
return False
@property
diff --git a/pandas/tseries/tests/test_base.py b/pandas/tseries/tests/test_base.py
index c42802bdb31ad..6bdff5aab3cfd 100644
--- a/pandas/tseries/tests/test_base.py
+++ b/pandas/tseries/tests/test_base.py
@@ -745,6 +745,13 @@ def test_nonunique_contains(self):
['00:01:00', '00:01:00', '00:00:01'])):
tm.assertIn(idx[0], idx)
+ def test_unknown_attribute(self):
+ #GH 9680
+ tdi = pd.timedelta_range(start=0,periods=10,freq='1s')
+ ts = pd.Series(np.random.normal(size=10),index=tdi)
+ self.assertNotIn('foo',ts.__dict__.keys())
+ self.assertRaises(AttributeError,lambda : ts.foo)
+
class TestPeriodIndexOps(Ops):
| closes #9680
And now it raises AttributeError.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9683 | 2015-03-19T15:10:08Z | 2015-04-28T00:53:52Z | null | 2015-04-28T00:53:57Z |
Added itertools.groupby equivalent example. | diff --git a/doc/source/cookbook.rst b/doc/source/cookbook.rst
index 81fe4aac51dd7..9347fb1838bde 100644
--- a/doc/source/cookbook.rst
+++ b/doc/source/cookbook.rst
@@ -452,7 +452,7 @@ Replace
`Using replace with backrefs
<http://stackoverflow.com/questions/16818871/extracting-value-and-creating-new-column-out-of-it>`__
-.. _cookbook.grouping:
+.. _cookbook.grouping docs:
Grouping
--------
@@ -599,7 +599,15 @@ Unlike agg, apply's callable is passed a sub-DataFrame which gives you access to
mask = df.groupby(level=0).agg('idxmax')
df_count = df.loc[mask['no']].reset_index()
df_count
+
+`Grouping like Python's itertools.groupby
+<http://stackoverflow.com/q/29142487/846892>`__
+
+.. ipython:: python
+ df = pd.DataFrame([0, 1, 0, 1, 1, 1, 0, 1, 1], columns=['A'])
+ df.A.groupby((df.A != df.A.shift()).cumsum()).groups
+ df.A.groupby((df.A != df.A.shift()).cumsum()).cumsum()
Expanding Data
**************
@@ -916,7 +924,7 @@ using that handle to read.
`Write a multi-row index CSV without writing duplicates
<http://stackoverflow.com/questions/17349574/pandas-write-multiindex-rows-with-to-csv>`__
-
+grp
Parsing date components in multi-columns is faster with a format
.. code-block:: python
| https://api.github.com/repos/pandas-dev/pandas/pulls/9682 | 2015-03-19T12:20:00Z | 2015-03-19T20:39:49Z | null | 2015-03-19T20:39:49Z | |
BUG: workaround PyTables 319, but not setting expected rows (GH8265, GH9676) | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 2f21323a2ddd7..557e282d9e744 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -609,6 +609,7 @@ Bug Fixes
- Bug in ``Series.values_counts`` with excluding ``NaN`` for categorical type ``Series`` with ``dropna=True`` (:issue:`9443`)
- Fixed mising numeric_only option for ``DataFrame.std/var/sem`` (:issue:`9201`)
- Support constructing ``Panel`` or ``Panel4D`` with scalar data (:issue:`8285`)
+- Work around Pytables 319 by not passing expectedrows in constructing a HDFStore (:issue:`8265`, :issue:`9676`)
- ``Series`` text representation disconnected from `max_rows`/`max_columns` (:issue:`7508`).
- ``Series`` number formatting inconsistent when truncated (:issue:`8532`).
diff --git a/pandas/io/pytables.py b/pandas/io/pytables.py
index be81993e1aab7..07f0cd7e55159 100644
--- a/pandas/io/pytables.py
+++ b/pandas/io/pytables.py
@@ -3509,9 +3509,8 @@ def create_description(self, complib=None, complevel=None,
fletcher32=False, expectedrows=None):
""" create the description of the table from the axes & values """
- # expected rows estimate
- if expectedrows is None:
- expectedrows = max(self.nrows_expected, 10000)
+
+ # provided expected rows if its passed
d = dict(name='table', expectedrows=expectedrows)
# description from the axes & values
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index 41287ebba1ba3..c82ee351338c2 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -9,6 +9,7 @@
import numpy as np
import pandas
+import pandas as pd
from pandas import (Series, DataFrame, Panel, MultiIndex, Categorical, bdate_range,
date_range, Index, DatetimeIndex, isnull)
@@ -33,6 +34,7 @@
from pandas import compat
from pandas.compat import range, lrange, u
from pandas.util.testing import assert_produces_warning
+from numpy.testing.decorators import slow
try:
import tables
@@ -1497,107 +1499,6 @@ def col(t,column):
store.put('f2', df)
self.assertRaises(TypeError, store.create_table_index, 'f2')
- def test_big_table_frame(self):
- raise nose.SkipTest('no big table frame')
-
- # create and write a big table
- df = DataFrame(np.random.randn(2000 * 100, 100), index=range(
- 2000 * 100), columns=['E%03d' % i for i in range(100)])
- for x in range(20):
- df['String%03d' % x] = 'string%03d' % x
-
- import time
- x = time.time()
- with ensure_clean_store(self.path,mode='w') as store:
- store.append('df', df)
- rows = store.root.df.table.nrows
- recons = store.select('df')
- assert isinstance(recons, DataFrame)
-
- com.pprint_thing("\nbig_table frame [%s] -> %5.2f" % (rows, time.time() - x))
-
- def test_big_table2_frame(self):
- # this is a really big table: 1m rows x 60 float columns, 20 string, 20 datetime
- # columns
- raise nose.SkipTest('no big table2 frame')
-
- # create and write a big table
- com.pprint_thing("\nbig_table2 start")
- import time
- start_time = time.time()
- df = DataFrame(np.random.randn(1000 * 1000, 60), index=range(int(
- 1000 * 1000)), columns=['E%03d' % i for i in range(60)])
- for x in range(20):
- df['String%03d' % x] = 'string%03d' % x
- for x in range(20):
- df['datetime%03d' % x] = datetime.datetime(2001, 1, 2, 0, 0)
-
- com.pprint_thing("\nbig_table2 frame (creation of df) [rows->%s] -> %5.2f"
- % (len(df.index), time.time() - start_time))
-
- def f(chunksize):
- with ensure_clean_store(self.path,mode='w') as store:
- store.append('df', df, chunksize=chunksize)
- r = store.root.df.table.nrows
- return r
-
- for c in [10000, 50000, 250000]:
- start_time = time.time()
- com.pprint_thing("big_table2 frame [chunk->%s]" % c)
- rows = f(c)
- com.pprint_thing("big_table2 frame [rows->%s,chunk->%s] -> %5.2f"
- % (rows, c, time.time() - start_time))
-
- def test_big_put_frame(self):
- raise nose.SkipTest('no big put frame')
-
- com.pprint_thing("\nbig_put start")
- import time
- start_time = time.time()
- df = DataFrame(np.random.randn(1000 * 1000, 60), index=range(int(
- 1000 * 1000)), columns=['E%03d' % i for i in range(60)])
- for x in range(20):
- df['String%03d' % x] = 'string%03d' % x
- for x in range(20):
- df['datetime%03d' % x] = datetime.datetime(2001, 1, 2, 0, 0)
-
- com.pprint_thing("\nbig_put frame (creation of df) [rows->%s] -> %5.2f"
- % (len(df.index), time.time() - start_time))
-
- with ensure_clean_store(self.path, mode='w') as store:
- start_time = time.time()
- store = HDFStore(self.path, mode='w')
- store.put('df', df)
-
- com.pprint_thing(df.get_dtype_counts())
- com.pprint_thing("big_put frame [shape->%s] -> %5.2f"
- % (df.shape, time.time() - start_time))
-
- def test_big_table_panel(self):
- raise nose.SkipTest('no big table panel')
-
- # create and write a big table
- wp = Panel(
- np.random.randn(20, 1000, 1000), items=['Item%03d' % i for i in range(20)],
- major_axis=date_range('1/1/2000', periods=1000), minor_axis=['E%03d' % i for i in range(1000)])
-
- wp.ix[:, 100:200, 300:400] = np.nan
-
- for x in range(100):
- wp['String%03d'] = 'string%03d' % x
-
- import time
- x = time.time()
-
-
- with ensure_clean_store(self.path, mode='w') as store:
- store.append('wp', wp)
- rows = store.root.wp.table.nrows
- recons = store.select('wp')
- assert isinstance(recons, Panel)
-
- com.pprint_thing("\nbig_table panel [%s] -> %5.2f" % (rows, time.time() - x))
-
def test_append_diff_item_order(self):
wp = tm.makePanel()
@@ -1751,6 +1652,43 @@ def test_pass_spec_to_storer(self):
self.assertRaises(TypeError, store.select, 'df', columns=['A'])
self.assertRaises(TypeError, store.select, 'df',where=[('columns=A')])
+ @slow
+ def test_expectedrows_where_indexing(self):
+
+ # 8265, 9676
+ # seems that setting expected rows casuses odd indexing issues in some cases
+ # this requires a big example
+
+ with ensure_clean_path('test.hdf') as path:
+
+ N = 7000000
+ df = pd.DataFrame({'A' : np.random.randint(-20000,-15000,size=N), 'B' : np.random.randn(N) })
+ df.to_hdf(path,'df',mode='w',complib='blosc',format='table',data_columns=True,index=False)
+ uniques = df.A.unique()
+ v1 = uniques[0]
+ v2 = uniques[1]
+ selector = "A=[v1,v2]"
+ expected = sorted([v1,v2])
+
+ def compare(result):
+ result = sorted(result.A.unique().tolist())
+ tm.assert_almost_equal(result, expected)
+
+ result = pd.read_hdf(path,'df',where=selector)
+ compare(result)
+
+ with pd.HDFStore(path) as store:
+ store.create_table_index('df')
+
+ result = pd.read_hdf(path,'df',where=selector)
+ compare(result)
+
+ cs = 500000
+ chunks = N // cs
+ for i in range(chunks):
+ result = pd.read_hdf(path,'df',start=i*cs,stop=(i+1)*cs,where=selector)
+ compare(result)
+
def test_append_misc(self):
with ensure_clean_store(self.path) as store:
@@ -4436,7 +4374,7 @@ def do_copy(f = None, new_f = None, keys = None, propindexes = True, **kwargs):
safe_remove(self.path)
def test_legacy_table_write(self):
- raise nose.SkipTest("skipping for now")
+ raise nose.SkipTest("cannot write legacy tables")
store = HDFStore(tm.get_data_path('legacy_hdf/legacy_table_%s.h5' % pandas.__version__), 'a')
| closes #8265
closes #9676
| https://api.github.com/repos/pandas-dev/pandas/pulls/9681 | 2015-03-19T11:53:16Z | 2015-03-19T20:39:15Z | null | 2015-03-19T20:39:15Z |
DataFrame.plot error when both 'color' and 'style' arguments are passed (GH9671) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 05c762b91b925..806f77ea56122 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -71,6 +71,7 @@ Bug Fixes
- Bug in ``transform`` causing length mismatch when null entries were present and a fast aggregator was being used (:issue:`9697`)
+- Bug in ``equals`` causing false negatives when block order differed (:issue:`9330`)
- Bug in ``DataFrame`` slicing may not retain metadata (:issue:`9776`)
- Bug where ``TimdeltaIndex`` were not properly serialized in fixed ``HDFStore`` (:issue:`9635`)
@@ -80,3 +81,6 @@ Bug Fixes
- Bug in ``Series.quantile`` on empty Series of type ``Datetime`` or ``Timedelta`` (:issue:`9675`)
- Bug in ``where`` causing incorrect results when upcasting was required (:issue:`9731`)
+- Bug in ``FloatArrayFormatter`` where decision boundary for displaying "small" floats in decimal format is off by one order of magnitude for a given display.precision (:issue:`9764`)
+
+- Fixed bug (:issue:`9671`) where ``DataFrame.plot()`` raised an error when both ``color`` and ``style`` keywords were passed and there was no color symbol in the style strings (this should be allowed).
diff --git a/pandas/core/format.py b/pandas/core/format.py
index b21ca9050ffd0..7b8a3161b5e05 100644
--- a/pandas/core/format.py
+++ b/pandas/core/format.py
@@ -1996,7 +1996,7 @@ def _format_strings(self):
# this is pretty arbitrary for now
has_large_values = (abs_vals > 1e8).any()
- has_small_values = ((abs_vals < 10 ** (-self.digits)) &
+ has_small_values = ((abs_vals < 10 ** (-self.digits+1)) &
(abs_vals > 0)).any()
if too_long and has_large_values:
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 7a16fb2b6b0d7..9b2d366bfb2be 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -3310,8 +3310,20 @@ def equals(self, other):
return False
self._consolidate_inplace()
other._consolidate_inplace()
+ if len(self.blocks) != len(other.blocks):
+ return False
+
+ # canonicalize block order, using a tuple combining the type
+ # name and then mgr_locs because there might be unconsolidated
+ # blocks (say, Categorical) which can only be distinguished by
+ # the iteration order
+ def canonicalize(block):
+ return (block.dtype.name, block.mgr_locs.as_array.tolist())
+
+ self_blocks = sorted(self.blocks, key=canonicalize)
+ other_blocks = sorted(other.blocks, key=canonicalize)
return all(block.equals(oblock) for block, oblock in
- zip(self.blocks, other.blocks))
+ zip(self_blocks, other_blocks))
class SingleBlockManager(BlockManager):
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index acdc991c92efe..03e7a8eae549d 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -4584,19 +4584,33 @@ def test_duplicate_column_name(self):
with ensure_clean_path(self.path) as path:
self.assertRaises(ValueError, df.to_hdf, path, 'df', format='fixed')
+ df.to_hdf(path, 'df', format='table')
+ other = read_hdf(path, 'df')
+
+ tm.assert_frame_equal(df, other)
+ self.assertTrue(df.equals(other))
+ self.assertTrue(other.equals(df))
+
+ def test_round_trip_equals(self):
+ # GH 9330
+ df = DataFrame({"B": [1,2], "A": ["x","y"]})
+
+ with ensure_clean_path(self.path) as path:
df.to_hdf(path, 'df', format='table')
other = read_hdf(path, 'df')
tm.assert_frame_equal(df, other)
+ self.assertTrue(df.equals(other))
+ self.assertTrue(other.equals(df))
def test_preserve_timedeltaindex_type(self):
- # GH9635
+ # GH9635
# Storing TimedeltaIndexed DataFrames in fixed stores did not preserve
# the type of the index.
df = DataFrame(np.random.normal(size=(10,5)))
df.index = timedelta_range(start='0s',periods=10,freq='1s',name='example')
with ensure_clean_store(self.path) as store:
-
+
store['df'] = df
assert_frame_equal(store['df'], df)
diff --git a/pandas/tests/test_format.py b/pandas/tests/test_format.py
index ce32c8af99a73..1dcdbf12a6b59 100644
--- a/pandas/tests/test_format.py
+++ b/pandas/tests/test_format.py
@@ -2986,6 +2986,25 @@ def test_format(self):
self.assertEqual(result[0], " 12")
self.assertEqual(result[1], " 0")
+ def test_output_significant_digits(self):
+ # Issue #9764
+
+ # In case default display precision changes:
+ with pd.option_context('display.precision', 7):
+ # DataFrame example from issue #9764
+ d=pd.DataFrame({'col1':[9.999e-8, 1e-7, 1.0001e-7, 2e-7, 4.999e-7, 5e-7, 5.0001e-7, 6e-7, 9.999e-7, 1e-6, 1.0001e-6, 2e-6, 4.999e-6, 5e-6, 5.0001e-6, 6e-6]})
+
+ expected_output={
+ (0,6):' col1\n0 9.999000e-08\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07',
+ (1,6):' col1\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07',
+ (1,8):' col1\n1 1.000000e-07\n2 1.000100e-07\n3 2.000000e-07\n4 4.999000e-07\n5 5.000000e-07\n6 5.000100e-07\n7 6.000000e-07',
+ (8,16):' col1\n8 9.999000e-07\n9 1.000000e-06\n10 1.000100e-06\n11 2.000000e-06\n12 4.999000e-06\n13 5.000000e-06\n14 5.000100e-06\n15 6.000000e-06',
+ (9,16):' col1\n9 0.000001\n10 0.000001\n11 0.000002\n12 0.000005\n13 0.000005\n14 0.000005\n15 0.000006'
+ }
+
+ for (start, stop), v in expected_output.items():
+ self.assertEqual(str(d[start:stop]), v)
+
class TestRepr_timedelta64(tm.TestCase):
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index cdda087b27613..3e4c16f63035f 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -5944,6 +5944,20 @@ def test_boolean_comparison(self):
self.assertRaises(ValueError, lambda : df == (2,2))
self.assertRaises(ValueError, lambda : df == [2,2])
+ def test_equals_different_blocks(self):
+ # GH 9330
+ df0 = pd.DataFrame({"A": ["x","y"], "B": [1,2],
+ "C": ["w","z"]})
+ df1 = df0.reset_index()[["A","B","C"]]
+ # this assert verifies that the above operations have
+ # induced a block rearrangement
+ self.assertTrue(df0._data.blocks[0].dtype !=
+ df1._data.blocks[0].dtype)
+ # do the real tests
+ self.assert_frame_equal(df0, df1)
+ self.assertTrue(df0.equals(df1))
+ self.assertTrue(df1.equals(df0))
+
def test_to_csv_from_csv(self):
pname = '__tmp_to_csv_from_csv__'
diff --git a/pandas/tests/test_graphics.py b/pandas/tests/test_graphics.py
index 3ce4e150326a2..36c19cd39f76c 100644
--- a/pandas/tests/test_graphics.py
+++ b/pandas/tests/test_graphics.py
@@ -1154,6 +1154,22 @@ def test_plot(self):
self.assertEqual(len(axes), 1)
self.assertIs(ax.get_axes(), axes[0])
+ def test_color_and_style_arguments(self):
+ df = DataFrame({'x': [1, 2], 'y': [3, 4]})
+ # passing both 'color' and 'style' arguments should be allowed
+ # if there is no color symbol in the style strings:
+ ax = df.plot(color = ['red', 'black'], style = ['-', '--'])
+ # check that the linestyles are correctly set:
+ linestyle = [line.get_linestyle() for line in ax.lines]
+ self.assertEqual(linestyle, ['-', '--'])
+ # check that the colors are correctly set:
+ color = [line.get_color() for line in ax.lines]
+ self.assertEqual(color, ['red', 'black'])
+ # passing both 'color' and 'style' arguments should not be allowed
+ # if there is a color symbol in the style strings:
+ with tm.assertRaises(ValueError):
+ df.plot(color = ['red', 'black'], style = ['k-', 'r--'])
+
def test_nonnumeric_exclude(self):
df = DataFrame({'A': ["x", "y", "z"], 'B': [1, 2, 3]})
ax = df.plot()
diff --git a/pandas/tests/test_internals.py b/pandas/tests/test_internals.py
index 45f089f5e0a53..36585abd1b98f 100644
--- a/pandas/tests/test_internals.py
+++ b/pandas/tests/test_internals.py
@@ -68,15 +68,15 @@ def create_block(typestr, placement, item_shape=None, num_offset=0):
elif typestr in ('object', 'string', 'O'):
values = np.reshape(['A%d' % i for i in mat.ravel() + num_offset],
shape)
- elif typestr in ('bool'):
+ elif typestr in ('b','bool',):
values = np.ones(shape, dtype=np.bool_)
elif typestr in ('datetime', 'dt', 'M8[ns]'):
values = (mat * 1e9).astype('M8[ns]')
elif typestr in ('timedelta', 'td', 'm8[ns]'):
values = (mat * 1).astype('m8[ns]')
- elif typestr in ('category'):
+ elif typestr in ('category',):
values = Categorical([1,1,2,2,3,3,3,3,4,4])
- elif typestr in ('category2'):
+ elif typestr in ('category2',):
values = Categorical(['a','a','a','a','b','b','c','c','c','d'])
elif typestr in ('sparse', 'sparse_na'):
# FIXME: doesn't support num_rows != 10
@@ -751,6 +751,25 @@ def test_equals(self):
bm2 = BlockManager(bm1.blocks[::-1], bm1.axes)
self.assertTrue(bm1.equals(bm2))
+ def test_equals_block_order_different_dtypes(self):
+ # GH 9330
+
+ mgr_strings = [
+ "a:i8;b:f8", # basic case
+ "a:i8;b:f8;c:c8;d:b", # many types
+ "a:i8;e:dt;f:td;g:string", # more types
+ "a:i8;b:category;c:category2;d:category2", # categories
+ "c:sparse;d:sparse_na;b:f8", # sparse
+ ]
+
+ for mgr_string in mgr_strings:
+ bm = create_mgr(mgr_string)
+ block_perms = itertools.permutations(bm.blocks)
+ for bm_perm in block_perms:
+ bm_this = BlockManager(bm_perm, bm.axes)
+ self.assertTrue(bm.equals(bm_this))
+ self.assertTrue(bm_this.equals(bm))
+
def test_single_mgr_ctor(self):
mgr = create_single_mgr('f8', num_rows=5)
self.assertEqual(mgr.as_matrix().tolist(), [0., 1., 2., 3., 4.])
diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index 0be030d7c2c8e..358c5b0dd5940 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -867,12 +867,17 @@ def _validate_color_args(self):
"simultaneously. Using 'color'")
if 'color' in self.kwds and self.style is not None:
+ if com.is_list_like(self.style):
+ styles = self.style
+ else:
+ styles = [self.style]
# need only a single match
- if re.match('^[a-z]+?', self.style) is not None:
- raise ValueError("Cannot pass 'style' string with a color "
- "symbol and 'color' keyword argument. Please"
- " use one or the other or pass 'style' "
- "without a color symbol")
+ for s in styles:
+ if re.match('^[a-z]+?', s) is not None:
+ raise ValueError("Cannot pass 'style' string with a color "
+ "symbol and 'color' keyword argument. Please"
+ " use one or the other or pass 'style' "
+ "without a color symbol")
def _iter_data(self, data=None, keep_index=False, fillna=None):
if data is None:
| closes #9671
`self.style` can be a list of strings or a string. If it is a string, we make a list containing that string, so that we only have to deal with a list of strings. We check every element in that list and raise an error if it has a color symbol.
The test makes sure that calling `plot()` and passing both `color` and `style` arguments is allowed if there is no color symbol in the style string(s), and that passing both `color` and `style` arguments is not allowed if there is a color symbol in the style string(s). This test is done for a dataframe and for a series.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9674 | 2015-03-18T16:12:59Z | 2015-04-06T12:23:51Z | null | 2015-04-06T12:23:51Z |
Fix for issue #9671 | diff --git a/pandas/tools/plotting.py b/pandas/tools/plotting.py
index cf9c890823f8f..fc4530450d629 100644
--- a/pandas/tools/plotting.py
+++ b/pandas/tools/plotting.py
@@ -871,12 +871,17 @@ def _validate_color_args(self):
"simultaneously. Using 'color'")
if 'color' in self.kwds and self.style is not None:
+ if com.is_list_like(self.style):
+ styles = self.style
+ else:
+ styles = [self.style]
# need only a single match
- if re.match('^[a-z]+?', self.style) is not None:
- raise ValueError("Cannot pass 'style' string with a color "
- "symbol and 'color' keyword argument. Please"
- " use one or the other or pass 'style' "
- "without a color symbol")
+ for s in styles:
+ if re.match('^[a-z]+?', s) is not None:
+ raise ValueError("Cannot pass 'style' string with a color "
+ "symbol and 'color' keyword argument. Please"
+ " use one or the other or pass 'style' "
+ "without a color symbol")
def _iter_data(self, data=None, keep_index=False, fillna=None):
if data is None:
| closes https://github.com/pydata/pandas/issues/9671
`self.style` can be a list of strings or a string. If it is a string, we make a list containing that string, so that we only have to deal with a list of strings. We check every element in that list and raise an error if it has a color symbol.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9673 | 2015-03-17T15:40:07Z | 2015-03-18T16:14:24Z | null | 2015-03-18T16:14:24Z |
BUG: support TimedeltaIndex serialization in fixed stores (GH9635) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 8c49e2780ed06..30195c57a0587 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -72,7 +72,7 @@ Bug Fixes
-
+- Bug : TimdeltaIndex serialisation wasn't supported in fixed stores (:issue:`9635`)
diff --git a/pandas/io/pytables.py b/pandas/io/pytables.py
index 4dc777b71dd45..458a245da6bdb 100644
--- a/pandas/io/pytables.py
+++ b/pandas/io/pytables.py
@@ -18,6 +18,7 @@
from pandas.sparse.api import SparseSeries, SparseDataFrame, SparsePanel
from pandas.sparse.array import BlockIndex, IntIndex
from pandas.tseries.api import PeriodIndex, DatetimeIndex
+from pandas.tseries.tdi import TimedeltaIndex
from pandas.core.base import StringMixin
from pandas.core.common import adjoin, pprint_thing
from pandas.core.algorithms import match, unique
@@ -4234,6 +4235,11 @@ def _convert_index(index, encoding=None, format_type=None):
freq=getattr(index, 'freq', None),
tz=getattr(index, 'tz', None),
index_name=index_name)
+ elif isinstance(index, TimedeltaIndex):
+ converted = index.asi8
+ return IndexCol(converted, 'timedelta64', _tables().Int64Col(),
+ freq=getattr(index, 'freq', None),
+ index_name=index_name)
elif isinstance(index, (Int64Index, PeriodIndex)):
atom = _tables().Int64Col()
return IndexCol(
@@ -4253,6 +4259,11 @@ def _convert_index(index, encoding=None, format_type=None):
freq=getattr(index, 'freq', None),
tz=getattr(index, 'tz', None),
index_name=index_name)
+ elif inferred_type == 'timedelta64':
+ converted = values.view('i8')
+ return IndexCol(converted, 'timedelta64', _tables().Int64Col(),
+ freq=getattr(index, 'freq', None),
+ index_name=index_name)
elif inferred_type == 'datetime':
converted = np.asarray([(time.mktime(v.timetuple()) +
v.microsecond / 1E6) for v in values],
@@ -4303,6 +4314,8 @@ def _unconvert_index(data, kind, encoding=None):
kind = _ensure_decoded(kind)
if kind == u('datetime64'):
index = DatetimeIndex(data)
+ elif kind == u('timedelta64'):
+ index = TimedeltaIndex(data)
elif kind == u('datetime'):
index = np.asarray([datetime.fromtimestamp(v) for v in data],
dtype=object)
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index a15149e341f4d..acdc991c92efe 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -11,7 +11,7 @@
import pandas
import pandas as pd
from pandas import (Series, DataFrame, Panel, MultiIndex, Categorical, bdate_range,
- date_range, Index, DatetimeIndex, isnull)
+ date_range, timedelta_range, Index, DatetimeIndex, TimedeltaIndex, isnull)
from pandas.io.pytables import _tables
try:
@@ -4588,6 +4588,18 @@ def test_duplicate_column_name(self):
other = read_hdf(path, 'df')
tm.assert_frame_equal(df, other)
+ def test_preserve_timedeltaindex_type(self):
+ # GH9635
+ # Storing TimedeltaIndexed DataFrames in fixed stores did not preserve
+ # the type of the index.
+ df = DataFrame(np.random.normal(size=(10,5)))
+ df.index = timedelta_range(start='0s',periods=10,freq='1s',name='example')
+
+ with ensure_clean_store(self.path) as store:
+
+ store['df'] = df
+ assert_frame_equal(store['df'], df)
+
def _test_sort(obj):
if isinstance(obj, DataFrame):
| closes #9635
Hop, revival of PR9662, after some bad git moves.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9672 | 2015-03-17T13:41:37Z | 2015-04-04T18:40:35Z | null | 2015-04-04T18:40:35Z |
ENH: add StringMethods (.str accessor) to Index, fixes #9068 | diff --git a/doc/source/text.rst b/doc/source/text.rst
index a98153e277fae..ee91ea3c166b6 100644
--- a/doc/source/text.rst
+++ b/doc/source/text.rst
@@ -17,10 +17,10 @@ Working with Text Data
.. _text.string_methods:
-Series is equipped with a set of string processing methods
+Series and Index are equipped with a set of string processing methods
that make it easy to operate on each element of the array. Perhaps most
importantly, these methods exclude missing/NA values automatically. These are
-accessed via the Series's ``str`` attribute and generally have names matching
+accessed via the ``str`` attribute and generally have names matching
the equivalent (scalar) built-in string methods:
.. ipython:: python
@@ -30,6 +30,13 @@ the equivalent (scalar) built-in string methods:
s.str.upper()
s.str.len()
+.. ipython:: python
+
+ idx = Index([' jack', 'jill ', ' jesse ', 'frank'])
+ idx.str.strip()
+ idx.str.lstrip()
+ idx.str.rstrip()
+
Splitting and Replacing Strings
-------------------------------
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index d0f7af2275812..ab57f1fb6ea10 100644
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -18,11 +18,28 @@ Enhancements
~~~~~~~~~~~~
- Added ``StringMethods.capitalize()`` and ``swapcase`` which behave as the same as standard ``str`` (:issue:`9766`)
+- Added ``StringMethods`` (.str accessor) to ``Index`` (:issue:`9068`)
-- ``DataFrame.mask()`` and ``Series.mask()`` now support same keywords as ``where`` (:issue:`8801`)
+ The `.str` accessor is now available for both `Series` and `Index`.
+
+ .. ipython:: python
+ idx = Index([' jack', 'jill ', ' jesse ', 'frank'])
+ idx.str.strip()
+ One special case for the `.str` accessor on `Index` is that if a string method returns `bool`, the `.str` accessor
+ will return a `np.array` instead of a boolean `Index` (:issue:`8875`). This enables the following expression
+ to work naturally:
+ .. ipython:: python
+
+ idx = Index(['a1', 'a2', 'b1', 'b2'])
+ s = Series(range(4), index=idx)
+ s
+ idx.str.startswith('a')
+ s[s.index.str.startswith('a')]
+
+- ``DataFrame.mask()`` and ``Series.mask()`` now support same keywords as ``where`` (:issue:`8801`)
- ``drop`` function can now accept ``errors`` keyword to suppress ValueError raised when any of label does not exist in the target data. (:issue:`6736`)
.. ipython:: python
diff --git a/pandas/core/base.py b/pandas/core/base.py
index dde2e74132c4b..a3d3c3791e20c 100644
--- a/pandas/core/base.py
+++ b/pandas/core/base.py
@@ -10,6 +10,7 @@
import pandas.tslib as tslib
import pandas.lib as lib
from pandas.util.decorators import Appender, cache_readonly
+from pandas.core.strings import StringMethods
_shared_docs = dict()
@@ -497,6 +498,24 @@ def searchsorted(self, key, side='left'):
#### needs tests/doc-string
return self.values.searchsorted(key, side=side)
+ # string methods
+ def _make_str_accessor(self):
+ from pandas.core.series import Series
+ from pandas.core.index import Index
+ if isinstance(self, Series) and not com.is_object_dtype(self.dtype):
+ # this really should exclude all series with any non-string values,
+ # but that isn't practical for performance reasons until we have a
+ # str dtype (GH 9343)
+ raise AttributeError("Can only use .str accessor with string "
+ "values, which use np.object_ dtype in "
+ "pandas")
+ elif isinstance(self, Index) and self.inferred_type != 'string':
+ raise AttributeError("Can only use .str accessor with string "
+ "values (i.e. inferred_type is 'string')")
+ return StringMethods(self)
+
+ str = AccessorProperty(StringMethods, _make_str_accessor)
+
_shared_docs['drop_duplicates'] = (
"""Return %(klass)s with duplicate values removed
diff --git a/pandas/core/series.py b/pandas/core/series.py
index 68f3a6032402f..b71c269468d62 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -28,7 +28,6 @@
from pandas.core import generic, base
from pandas.core.internals import SingleBlockManager
from pandas.core.categorical import Categorical, CategoricalAccessor
-from pandas.core.strings import StringMethods
from pandas.tseries.common import (maybe_to_datetimelike,
CombinedDatetimelikeProperties)
from pandas.tseries.index import DatetimeIndex
@@ -2494,21 +2493,6 @@ def to_period(self, freq=None, copy=True):
return self._constructor(new_values,
index=new_index).__finalize__(self)
- #------------------------------------------------------------------------------
- # string methods
-
- def _make_str_accessor(self):
- if not com.is_object_dtype(self.dtype):
- # this really should exclude all series with any non-string values,
- # but that isn't practical for performance reasons until we have a
- # str dtype (GH 9343)
- raise AttributeError("Can only use .str accessor with string "
- "values, which use np.object_ dtype in "
- "pandas")
- return StringMethods(self)
-
- str = base.AccessorProperty(StringMethods, _make_str_accessor)
-
#------------------------------------------------------------------------------
# Datetimelike delegation methods
diff --git a/pandas/core/strings.py b/pandas/core/strings.py
index 4ef341c481a60..6d20907373014 100644
--- a/pandas/core/strings.py
+++ b/pandas/core/strings.py
@@ -1,7 +1,7 @@
import numpy as np
from pandas.compat import zip
-from pandas.core.common import isnull, _values_from_object
+from pandas.core.common import isnull, _values_from_object, is_bool_dtype
import pandas.compat as compat
from pandas.util.decorators import Appender
import re
@@ -632,9 +632,10 @@ def str_split(arr, pat=None, n=None, return_type='series'):
pat : string, default None
String or regular expression to split on. If None, splits on whitespace
n : int, default None (all)
- return_type : {'series', 'frame'}, default 'series
+ return_type : {'series', 'index', 'frame'}, default 'series'
If frame, returns a DataFrame (elements are strings)
- If series, returns an Series (elements are lists of strings).
+ If series or index, returns the same type as the original object
+ (elements are lists of strings).
Notes
-----
@@ -646,9 +647,13 @@ def str_split(arr, pat=None, n=None, return_type='series'):
"""
from pandas.core.series import Series
from pandas.core.frame import DataFrame
+ from pandas.core.index import Index
- if return_type not in ('series', 'frame'):
- raise ValueError("return_type must be {'series', 'frame'}")
+ if return_type not in ('series', 'index', 'frame'):
+ raise ValueError("return_type must be {'series', 'index', 'frame'}")
+ if return_type == 'frame' and isinstance(arr, Index):
+ raise ValueError("return_type='frame' is not supported for string "
+ "methods on Index")
if pat is None:
if n is None or n == 0:
n = -1
@@ -928,9 +933,9 @@ def do_copy(target):
class StringMethods(object):
"""
- Vectorized string functions for Series. NAs stay NA unless handled
- otherwise by a particular method. Patterned after Python's string methods,
- with some inspiration from R's stringr package.
+ Vectorized string functions for Series and Index. NAs stay NA unless
+ handled otherwise by a particular method. Patterned after Python's string
+ methods, with some inspiration from R's stringr package.
Examples
--------
@@ -959,11 +964,18 @@ def __iter__(self):
def _wrap_result(self, result):
from pandas.core.series import Series
from pandas.core.frame import DataFrame
+ from pandas.core.index import Index
if not hasattr(result, 'ndim'):
return result
elif result.ndim == 1:
name = getattr(result, 'name', None)
+ if isinstance(self.series, Index):
+ # if result is a boolean np.array, return the np.array
+ # instead of wrapping it into a boolean Index (GH 8875)
+ if is_bool_dtype(result):
+ return result
+ return Index(result, name=name or self.series.name)
return Series(result, index=self.series.index,
name=name or self.series.name)
else:
diff --git a/pandas/tests/test_index.py b/pandas/tests/test_index.py
index 61cb337880c00..bb75b12754dca 100644
--- a/pandas/tests/test_index.py
+++ b/pandas/tests/test_index.py
@@ -1197,6 +1197,40 @@ def test_join_self(self):
for kind in kinds:
joined = res.join(res, how=kind)
self.assertIs(res, joined)
+ def test_str_attribute(self):
+ # GH9068
+ methods = ['strip', 'rstrip', 'lstrip']
+ idx = Index([' jack', 'jill ', ' jesse ', 'frank'])
+ for method in methods:
+ expected = Index([getattr(str, method)(x) for x in idx.values])
+ tm.assert_index_equal(getattr(Index.str, method)(idx.str), expected)
+
+ # create a few instances that are not able to use .str accessor
+ indices = [Index(range(5)),
+ tm.makeDateIndex(10),
+ MultiIndex.from_tuples([('foo', '1'), ('bar', '3')]),
+ PeriodIndex(start='2000', end='2010', freq='A')]
+ for idx in indices:
+ with self.assertRaisesRegexp(AttributeError, 'only use .str accessor'):
+ idx.str.repeat(2)
+
+ idx = Index(['a b c', 'd e', 'f'])
+ expected = Index([['a', 'b', 'c'], ['d', 'e'], ['f']])
+ tm.assert_index_equal(idx.str.split(), expected)
+ tm.assert_index_equal(idx.str.split(return_type='series'), expected)
+ # return_type 'index' is an alias for 'series'
+ tm.assert_index_equal(idx.str.split(return_type='index'), expected)
+ with self.assertRaisesRegexp(ValueError, 'not supported'):
+ idx.str.split(return_type='frame')
+
+ # test boolean case, should return np.array instead of boolean Index
+ idx = Index(['a1', 'a2', 'b1', 'b2'])
+ expected = np.array([True, True, False, False])
+ self.assert_array_equal(idx.str.startswith('a'), expected)
+ self.assertIsInstance(idx.str.startswith('a'), np.ndarray)
+ s = Series(range(4), index=idx)
+ expected = Series(range(2), index=['a1', 'a2'])
+ tm.assert_series_equal(s[s.index.str.startswith('a')], expected)
def test_indexing_doesnt_change_class(self):
idx = Index([1, 2, 3, 'a', 'b', 'c'])
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index fec98a37b5017..70a6e2541692a 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -4933,6 +4933,19 @@ def test_to_csv_path_is_none(self):
csv_str = s.to_csv(path=None)
self.assertIsInstance(csv_str, str)
+ def test_str_attribute(self):
+ # GH9068
+ methods = ['strip', 'rstrip', 'lstrip']
+ s = Series([' jack', 'jill ', ' jesse ', 'frank'])
+ for method in methods:
+ expected = Series([getattr(str, method)(x) for x in s.values])
+ assert_series_equal(getattr(Series.str, method)(s.str), expected)
+
+ # str accessor only valid with string values
+ s = Series(range(5))
+ with self.assertRaisesRegexp(AttributeError, 'only use .str accessor'):
+ s.str.repeat(2)
+
def test_clip(self):
val = self.ts.median()
| fixes #9068
| https://api.github.com/repos/pandas-dev/pandas/pulls/9667 | 2015-03-17T03:06:25Z | 2015-04-10T13:50:14Z | 2015-04-10T13:50:14Z | 2015-04-29T16:56:12Z |
New function to sample from frames (Issue #2419 ) | diff --git a/doc/source/api.rst b/doc/source/api.rst
index 87e9b20f97e69..d442d8631247c 100644
--- a/doc/source/api.rst
+++ b/doc/source/api.rst
@@ -390,6 +390,7 @@ Reindexing / Selection / Label manipulation
Series.reindex_like
Series.rename
Series.reset_index
+ Series.sample
Series.select
Series.take
Series.tail
@@ -824,6 +825,7 @@ Reindexing / Selection / Label manipulation
DataFrame.reindex_like
DataFrame.rename
DataFrame.reset_index
+ DataFrame.sample
DataFrame.select
DataFrame.set_index
DataFrame.tail
@@ -1072,6 +1074,7 @@ Reindexing / Selection / Label manipulation
Panel.reindex_axis
Panel.reindex_like
Panel.rename
+ Panel.sample
Panel.select
Panel.take
Panel.truncate
diff --git a/doc/source/indexing.rst b/doc/source/indexing.rst
index 1729a9d76cacd..bafc1386fd223 100644
--- a/doc/source/indexing.rst
+++ b/doc/source/indexing.rst
@@ -508,6 +508,81 @@ A list of indexers where any element is out of bounds will raise an
.. _indexing.basics.partial_setting:
+Selecting Random Samples
+------------------------
+.. versionadded::0.16.1
+
+A random selection of rows or columns from a Series, DataFrame, or Panel with the :meth:`~DataFrame.sample` method. The method will sample rows by default, and accepts a specific number of rows/columns to return, or a fraction of rows.
+
+.. ipython :: python
+
+ s = Series([0,1,2,3,4,5])
+
+ # When no arguments are passed, returns 1 row.
+ s.sample()
+
+ # One may specify either a number of rows:
+ s.sample(n=3)
+
+ # Or a fraction of the rows:
+ s.sample(frac=0.5)
+
+By default, ``sample`` will return each row at most once, but one can also sample with replacement
+using the ``replace`` option:
+
+.. ipython :: python
+
+ s = Series([0,1,2,3,4,5])
+
+ # Without replacement (default):
+ s.sample(n=6, replace=False)
+
+ # With replacement:
+ s.sample(n=6, replace=True)
+
+
+By default, each row has an equal probability of being selected, but if you want rows
+to have different probabilities, you can pass the ``sample`` function sampling weights as
+``weights``. These weights can be a list, a numpy array, or a Series, but they must be of the same length as the object you are sampling. Missing values will be treated as a weight of zero, and inf values are not allowed. If weights do not sum to 1, they will be re-normalized by dividing all weights by the sum of the weights. For example:
+
+.. ipython :: python
+
+ s = Series([0,1,2,3,4,5])
+ example_weights = [0, 0, 0.2, 0.2, 0.2, 0.4]
+ s.sample(n=3, weights=example_weights)
+
+ # Weights will be re-normalized automatically
+ example_weights2 = [0.5, 0, 0, 0, 0, 0]
+ s.sample(n=1, weights=example_weights2)
+
+When applied to a DataFrame, you can use a column of the DataFrame as sampling weights
+(provided you are sampling rows and not columns) by simply passing the name of the column
+as a string.
+
+.. ipython :: python
+
+ df2 = DataFrame({'col1':[9,8,7,6], 'weight_column':[0.5, 0.4, 0.1, 0]})
+ df2.sample(n = 3, weights = 'weight_column')
+
+``sample`` also allows users to sample columns instead of rows using the ``axis`` argument.
+
+.. ipython :: python
+
+ df3 = DataFrame({'col1':[1,2,3], 'col2':[2,3,4]})
+ df3.sample(n=1, axis=1)
+
+Finally, one can also set a seed for ``sample``'s random number generator using the ``random_state`` argument, which will accept either an integer (as a seed) or a numpy RandomState object.
+
+.. ipython :: python
+
+ df4 = DataFrame({'col1':[1,2,3], 'col2':[2,3,4]})
+
+ # With a given seed, the sample will always draw the same rows.
+ df4.sample(n=2, random_state=2)
+ df4.sample(n=2, random_state=2)
+
+
+
Setting With Enlargement
------------------------
diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index 0e85b1d7870b2..7ec5c716023fc 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -12,11 +12,12 @@ Highlights include:
- Support for a ``CategoricalIndex``, a category based index, see :ref:`here <whatsnew_0161.enhancements.categoricalindex>`
- New section on how-to-contribute to *pandas*, see :ref`here <contributing>`
+- New method ``sample`` for drawing random samples from Series, DataFrames and Panels. See :ref:`here <whatsnew_0161.enchancements.sample>`
+
.. contents:: What's new in v0.16.1
:local:
:backlinks: none
-
.. _whatsnew_0161.enhancements:
Enhancements
@@ -137,6 +138,47 @@ values NOT in the categories, similarly to how you can reindex ANY pandas index.
See the :ref:`documentation <advanced.categoricalindex>` for more. (:issue:`7629`)
+.. _whatsnew_0161.enhancements.sample:
+
+Sample
+^^^^^^
+
+Series, DataFrames, and Panels now have a new method: :meth:`~pandas.DataFrame.sample`.
+The method accepts a specific number of rows or columns to return, or a fraction of the
+total number or rows or columns. It also has options for sampling with or without replacement,
+for passing in a column for weights for non-uniform sampling, and for setting seed values to facilitate replication.
+
+.. ipython :: python
+
+ example_series = Series([0,1,2,3,4,5])
+
+ # When no arguments are passed, returns 1
+ example_series.sample()
+
+ # One may specify either a number of rows:
+ example_series.sample(n=3)
+
+ # Or a fraction of the rows:
+ example_series.sample(frac=0.5)
+
+ # weights are accepted.
+ example_weights = [0, 0, 0.2, 0.2, 0.2, 0.4]
+ example_series.sample(n=3, weights=example_weights)
+
+ # weights will also be normalized if they do not sum to one,
+ # and missing values will be treated as zeros.
+ example_weights2 = [0.5, 0, 0, 0, None, np.nan]
+ example_series.sample(n=1, weights=example_weights2)
+
+
+When applied to a DataFrame, one may pass the name of a column to specify sampling weights
+when sampling from rows.
+
+.. ipython :: python
+
+ df = DataFrame({'col1':[9,8,7,6], 'weight_column':[0.5, 0.4, 0.1, 0]})
+ df.sample(n=3, weights='weight_column')
+
.. _whatsnew_0161.api:
API changes
diff --git a/pandas/core/common.py b/pandas/core/common.py
index 3d23aeff942dc..cb8b19bb79720 100644
--- a/pandas/core/common.py
+++ b/pandas/core/common.py
@@ -3319,3 +3319,31 @@ def _maybe_match_name(a, b):
if a_name == b_name:
return a_name
return None
+
+def _random_state(state=None):
+ """
+ Helper function for processing random_state arguments.
+
+ Parameters
+ ----------
+ state : int, np.random.RandomState, None.
+ If receives an int, passes to np.random.RandomState() as seed.
+ If receives an np.random.RandomState object, just returns object.
+ If receives `None`, returns an np.random.RandomState object.
+ If receives anything else, raises an informative ValueError.
+ Default None.
+
+ Returns
+ -------
+ np.random.RandomState
+ """
+
+ if is_integer(state):
+ return np.random.RandomState(state)
+ elif isinstance(state, np.random.RandomState):
+ return state
+ elif state is None:
+ return np.random.RandomState()
+ else:
+ raise ValueError("random_state must be an integer, a numpy RandomState, or None")
+
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index bb5256f58795a..0d17420d821f7 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -1948,6 +1948,120 @@ def tail(self, n=5):
return self
return self.iloc[-n:]
+
+ def sample(self, n=None, frac=None, replace=False, weights=None, random_state=None, axis=None):
+ """
+ Returns a random sample of items from an axis of object.
+
+ Parameters
+ ----------
+ n : int, optional
+ Number of items from axis to return. Cannot be used with `frac`.
+ Default = 1 if `frac` = None.
+ frac : float, optional
+ Fraction of axis items to return. Cannot be used with `n`.
+ replace : boolean, optional
+ Sample with or without replacement. Default = False.
+ weights : str or ndarray-like, optional
+ Default 'None' results in equal probability weighting.
+ If called on a DataFrame, will accept the name of a column
+ when axis = 0.
+ Weights must be same length as axis being sampled.
+ If weights do not sum to 1, they will be normalized to sum to 1.
+ Missing values in the weights column will be treated as zero.
+ inf and -inf values not allowed.
+ random_state : int or numpy.random.RandomState, optional
+ Seed for the random number generator (if int), or numpy RandomState
+ object.
+ axis : int or string, optional
+ Axis to sample. Accepts axis number or name. Default is stat axis
+ for given data type (0 for Series and DataFrames, 1 for Panels).
+
+ Returns
+ -------
+ Same type as caller.
+ """
+
+ ###
+ # Process axis argument
+ ###
+
+ if axis is None:
+ axis = self._stat_axis_number
+
+ axis = self._get_axis_number(axis)
+
+ axis_length = self.shape[axis]
+
+ ###
+ # Process random_state argument
+ ###
+
+ rs = com._random_state(random_state)
+
+ ###
+ # Process weights
+ ###
+
+ # Check weights for compliance
+ if weights is not None:
+
+ # Strings acceptable if a dataframe and axis = 0
+ if isinstance(weights, string_types):
+ if isinstance(self, pd.DataFrame):
+ if axis == 0:
+ try:
+ weights = self[weights]
+ except KeyError:
+ raise KeyError("String passed to weights not a valid column")
+ else:
+ raise ValueError("Strings can only be passed to weights when sampling from rows on a DataFrame")
+ else:
+ raise ValueError("Strings cannot be passed as weights when sampling from a Series or Panel.")
+
+ #normalize format of weights to Series.
+ weights = pd.Series(weights, dtype='float64')
+
+ if len(weights) != axis_length:
+ raise ValueError("Weights and axis to be sampled must be of same length")
+
+ if (weights == np.inf).any() or (weights == -np.inf).any():
+ raise ValueError("weight vector may not include `inf` values")
+
+ if (weights < 0).any():
+ raise ValueError("weight vector many not include negative values")
+
+ # If has nan, set to zero.
+ weights = weights.fillna(0)
+
+ # Renormalize if don't sum to 1
+ if weights.sum() != 1:
+ weights = weights / weights.sum()
+
+ weights = weights.values
+
+ ###
+ # Process n and frac arguments
+ ###
+
+ # If no frac or n, default to n=1.
+ if n is None and frac is None:
+ n = 1
+ elif n is not None and frac is None and n % 1 != 0:
+ raise ValueError("Only integers accepted as `n` values")
+ elif n is None and frac is not None:
+ n = int(round(frac * axis_length))
+ elif n is not None and frac is not None:
+ raise ValueError('Please enter a value for `frac` OR `n`, not both')
+
+ # Check for negative sizes
+ if n < 0:
+ raise ValueError("A negative number of rows requested. Please provide positive value.")
+
+ locs = rs.choice(axis_length, size=n, replace=replace, p=weights)
+ return self.take(locs, axis=axis)
+
+
#----------------------------------------------------------------------
# Attribute access
diff --git a/pandas/tests/test_common.py b/pandas/tests/test_common.py
index d0ae7c9988c8d..f1c988e3f0323 100644
--- a/pandas/tests/test_common.py
+++ b/pandas/tests/test_common.py
@@ -524,6 +524,26 @@ def test_is_recompilable():
for f in fails:
assert not com.is_re_compilable(f)
+def test_random_state():
+ import numpy.random as npr
+ # Check with seed
+ state = com._random_state(5)
+ assert_equal(state.uniform(), npr.RandomState(5).uniform())
+
+ # Check with random state object
+ state2 = npr.RandomState(10)
+ assert_equal(com._random_state(state2).uniform(), npr.RandomState(10).uniform())
+
+ # check with no arg random state
+ assert isinstance(com._random_state(), npr.RandomState)
+
+ # Error for floats or strings
+ with tm.assertRaises(ValueError):
+ com._random_state('test')
+
+ with tm.assertRaises(ValueError):
+ com._random_state(5.5)
+
class TestTake(tm.TestCase):
# standard incompatible fill error
diff --git a/pandas/tests/test_generic.py b/pandas/tests/test_generic.py
index 3dd8c2594cd46..5a1bc99593fca 100644
--- a/pandas/tests/test_generic.py
+++ b/pandas/tests/test_generic.py
@@ -354,6 +354,178 @@ def test_head_tail(self):
self._compare(o.head(-3), o.head(7))
self._compare(o.tail(-3), o.tail(7))
+ def test_sample(self):
+ # Fixes issue: 2419
+
+ o = self._construct(shape=10)
+
+ ###
+ # Check behavior of random_state argument
+ ###
+
+ # Check for stability when receives seed or random state -- run 10 times.
+ for test in range(10):
+ seed = np.random.randint(0,100)
+ self._compare(o.sample(n=4, random_state=seed), o.sample(n=4, random_state=seed))
+ self._compare(o.sample(frac=0.7,random_state=seed), o.sample(frac=0.7, random_state=seed))
+
+ self._compare(o.sample(n=4, random_state=np.random.RandomState(test)),
+ o.sample(n=4, random_state=np.random.RandomState(test)))
+
+ self._compare(o.sample(frac=0.7,random_state=np.random.RandomState(test)),
+ o.sample(frac=0.7, random_state=np.random.RandomState(test)))
+
+
+ # Check for error when random_state argument invalid.
+ with tm.assertRaises(ValueError):
+ o.sample(random_state='astring!')
+
+ ###
+ # Check behavior of `frac` and `N`
+ ###
+
+ # Giving both frac and N throws error
+ with tm.assertRaises(ValueError):
+ o.sample(n=3, frac=0.3)
+
+ # Check that raises right error for negative lengths
+ with tm.assertRaises(ValueError):
+ o.sample(n=-3)
+ with tm.assertRaises(ValueError):
+ o.sample(frac=-0.3)
+
+ # Make sure float values of `n` give error
+ with tm.assertRaises(ValueError):
+ o.sample(n= 3.2)
+
+ # Check lengths are right
+ self.assertTrue(len(o.sample(n=4) == 4))
+ self.assertTrue(len(o.sample(frac=0.34) == 3))
+ self.assertTrue(len(o.sample(frac=0.36) == 4))
+
+ ###
+ # Check weights
+ ###
+
+ # Weight length must be right
+ with tm.assertRaises(ValueError):
+ o.sample(n=3, weights=[0,1])
+
+ with tm.assertRaises(ValueError):
+ bad_weights = [0.5]*11
+ o.sample(n=3, weights=bad_weights)
+
+ # Check won't accept negative weights
+ with tm.assertRaises(ValueError):
+ bad_weights = [-0.1]*10
+ o.sample(n=3, weights=bad_weights)
+
+ # Check inf and -inf throw errors:
+ with tm.assertRaises(ValueError):
+ weights_with_inf = [0.1]*10
+ weights_with_inf[0] = np.inf
+ o.sample(n=3, weights=weights_with_inf)
+
+ with tm.assertRaises(ValueError):
+ weights_with_ninf = [0.1]*10
+ weights_with_ninf[0] = -np.inf
+ o.sample(n=3, weights=weights_with_ninf)
+
+
+ # A few dataframe test with degenerate weights.
+ easy_weight_list = [0]*10
+ easy_weight_list[5] = 1
+
+ df = pd.DataFrame({'col1':range(10,20),
+ 'col2':range(20,30),
+ 'colString': ['a']*10,
+ 'easyweights':easy_weight_list})
+ sample1 = df.sample(n=1, weights='easyweights')
+ assert_frame_equal(sample1, df.iloc[5:6])
+
+ # Ensure proper error if string given as weight for Series, panel, or
+ # DataFrame with axis = 1.
+ s = Series(range(10))
+ with tm.assertRaises(ValueError):
+ s.sample(n=3, weights='weight_column')
+
+ panel = pd.Panel(items = [0,1,2], major_axis = [2,3,4], minor_axis = [3,4,5])
+ with tm.assertRaises(ValueError):
+ panel.sample(n=1, weights='weight_column')
+
+ with tm.assertRaises(ValueError):
+ df.sample(n=1, weights='weight_column', axis = 1)
+
+ # Check weighting key error
+ with tm.assertRaises(KeyError):
+ df.sample(n=3, weights='not_a_real_column_name')
+
+ # Check np.nan are replaced by zeros.
+ weights_with_nan = [np.nan]*10
+ weights_with_nan[5] = 0.5
+ self._compare(o.sample(n=1, axis=0, weights=weights_with_nan), o.iloc[5:6])
+
+ # Check None are also replaced by zeros.
+ weights_with_None = [None]*10
+ weights_with_None[5] = 0.5
+ self._compare(o.sample(n=1, axis=0, weights=weights_with_None), o.iloc[5:6])
+
+ # Check that re-normalizes weights that don't sum to one.
+ weights_less_than_1 = [0]*10
+ weights_less_than_1[0] = 0.5
+ tm.assert_frame_equal(df.sample(n=1, weights=weights_less_than_1), df.iloc[:1])
+
+
+ ###
+ # Test axis argument
+ ###
+
+ # Test axis argument
+ df = pd.DataFrame({'col1':range(10), 'col2':['a']*10})
+ second_column_weight = [0,1]
+ assert_frame_equal(df.sample(n=1, axis=1, weights=second_column_weight), df[['col2']])
+
+ # Different axis arg types
+ assert_frame_equal(df.sample(n=1, axis='columns', weights=second_column_weight),
+ df[['col2']])
+
+ weight = [0]*10
+ weight[5] = 0.5
+ assert_frame_equal(df.sample(n=1, axis='rows', weights=weight),
+ df.iloc[5:6])
+ assert_frame_equal(df.sample(n=1, axis='index', weights=weight),
+ df.iloc[5:6])
+
+
+ # Check out of range axis values
+ with tm.assertRaises(ValueError):
+ df.sample(n=1, axis=2)
+
+ with tm.assertRaises(ValueError):
+ df.sample(n=1, axis='not_a_name')
+
+ with tm.assertRaises(ValueError):
+ s = pd.Series(range(10))
+ s.sample(n=1, axis=1)
+
+ # Test weight length compared to correct axis
+ with tm.assertRaises(ValueError):
+ df.sample(n=1, axis=1, weights=[0.5]*10)
+
+ # Check weights with axis = 1
+ easy_weight_list = [0]*3
+ easy_weight_list[2] = 1
+
+ df = pd.DataFrame({'col1':range(10,20),
+ 'col2':range(20,30),
+ 'colString': ['a']*10})
+ sample1 = df.sample(n=1, axis=1, weights=easy_weight_list)
+ assert_frame_equal(sample1, df[['colString']])
+
+ # Test default axes
+ p = pd.Panel(items = ['a','b','c'], major_axis=[2,4,6], minor_axis=[1,3,5])
+ assert_panel_equal(p.sample(n=3, random_state=42), p.sample(n=3, axis=1, random_state=42))
+ assert_frame_equal(df.sample(n=3, random_state=42), df.sample(n=3, axis=0, random_state=42))
def test_size_compat(self):
# GH8846
| closes #2419
Creates a function `.sample()` in generic.py to sample from pandas objects. Returns either a fixed number of rows or a share. Also includes a number of tests in `test_sample()` -- I am open to added suggestions.
Input from users with panel experience appreciated!
| https://api.github.com/repos/pandas-dev/pandas/pulls/9666 | 2015-03-16T21:05:39Z | 2015-05-01T12:50:43Z | null | 2015-05-01T17:39:18Z |
DOC: grammar fixes, add conda install to README | diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index 876daa97313e8..5329bad1d90e4 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -19,7 +19,7 @@ looking for a quick way to help out.
...
```
- - Include the full version string of pandas and it's dependencies. In recent (>0.12) versions
+ - Include the full version string of pandas and its dependencies. In recent (>0.12) versions
of pandas you can use a built in function:
```python
diff --git a/README.md b/README.md
index 1c01692df9685..cea7e8c6bfd72 100644
--- a/README.md
+++ b/README.md
@@ -87,6 +87,12 @@ or `pip`:
pip install pandas
```
+or `conda`:
+
+```sh
+conda install pandas
+```
+
## Dependencies
- [NumPy](http://www.numpy.org): 1.7.0 or higher
- [python-dateutil](http://labix.org/python-dateutil): 1.5 or higher
diff --git a/doc/source/options.rst b/doc/source/options.rst
index 79145dfbf2939..7e36f369bc7e7 100644
--- a/doc/source/options.rst
+++ b/doc/source/options.rst
@@ -15,7 +15,7 @@ Options and Settings
Overview
--------
-pandas has an options system that lets you customize some aspects of it's behaviour,
+pandas has an options system that lets you customize some aspects of its behaviour,
display-related options being those the user is most likely to adjust.
Options have a full "dotted-style", case-insensitive name (e.g. ``display.max_rows``),
@@ -291,7 +291,7 @@ display.expand_frame_repr True Whether to print out the full DataFrame
multiple lines, `max_columns` is
still respected, but the output will
wrap-around across multiple "pages"
- if it's width exceeds `display.width`.
+ if its width exceeds `display.width`.
display.float_format None The callable should accept a floating
point number and return a string with
the desired format of the number.
diff --git a/pandas/core/index.py b/pandas/core/index.py
index 195cb21d6564c..e335d00551bab 100644
--- a/pandas/core/index.py
+++ b/pandas/core/index.py
@@ -699,7 +699,7 @@ def f(c):
if v is None or is_integer(v):
return v
- # warn if its a convertible float
+ # warn if it's a convertible float
if v == int(v):
warnings.warn("slice indexers when using iloc should be integers "
"and not floating point",FutureWarning)
diff --git a/pandas/msgpack.pyx b/pandas/msgpack.pyx
index 4413e2c0986ab..625ac55ee832c 100644
--- a/pandas/msgpack.pyx
+++ b/pandas/msgpack.pyx
@@ -112,7 +112,7 @@ cdef class Packer(object):
* *encoding* - Convert unicode to bytes with this encoding. (default: 'utf-8')
* *unicode_errors* - Error handler for encoding unicode. (default: 'strict')
* *use_single_float* - Use single precision float type for float. (default: False)
- * *autoreset* - Reset buffer after each pack and return it's content as `bytes`. (default: True).
+ * *autoreset* - Reset buffer after each pack and return its content as `bytes`. (default: True).
If set this to false, use `bytes()` to get content and `.reset()` to clear buffer.
"""
cdef msgpack_packer pk
diff --git a/pandas/tests/test_groupby.py b/pandas/tests/test_groupby.py
index 17ae8c66e26dd..79ebb80fc9ebb 100644
--- a/pandas/tests/test_groupby.py
+++ b/pandas/tests/test_groupby.py
@@ -1039,7 +1039,7 @@ def test_transform_select_columns(self):
def test_transform_exclude_nuisance(self):
# this also tests orderings in transform between
- # series/frame to make sure its consistent
+ # series/frame to make sure it's consistent
expected = {}
grouped = self.df.groupby('A')
expected['C'] = grouped['C'].transform(np.mean)
diff --git a/pandas/tests/test_indexing.py b/pandas/tests/test_indexing.py
index dc77ab8190e41..18baa941b814a 100644
--- a/pandas/tests/test_indexing.py
+++ b/pandas/tests/test_indexing.py
@@ -3717,7 +3717,7 @@ def random_text(nobs=100):
self.assertIsNotNone(df.is_copy)
df.loc[:,'letters'] = df['letters'].apply(str.lower)
- # should be ok even though its a copy!
+ # should be ok even though it's a copy!
self.assertIsNone(df.is_copy)
df['letters'] = df['letters'].apply(str.lower)
self.assertIsNone(df.is_copy)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9665 | 2015-03-16T19:48:28Z | 2015-03-17T00:26:59Z | 2015-03-17T00:26:59Z | 2015-04-29T15:31:49Z | |
BUG: support TimedeltaIndex serialization in fixed stores (GH9635) | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 0eeee8ccfddf6..721a49f5d58ce 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -14,11 +14,13 @@ Highlights include:
- Backwards incompatible change to ``Timedelta`` to conform the ``.seconds`` attribute with ``datetime.timedelta``, see :ref:`here <whatsnew_0160.api_breaking.timedelta>`
- Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
- Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
+- Enhancement to the ``.str`` accessor to make string operations easier, see :ref:`here <whatsnew_0160.enhancements.string>`
Check the :ref:`API Changes <whatsnew_0160.api>` and :ref:`deprecations <whatsnew_0160.deprecations>` before updating.
.. contents:: What's new in v0.16.0
:local:
+ :backlinks: none
.. _whatsnew_0160.enhancements:
@@ -120,6 +122,45 @@ from a ``scipy.sparse.coo_matrix``:
ss = SparseSeries.from_coo(A)
ss
+.. _whatsnew_0160.enhancements.string:
+
+String Methods Enhancements
+^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+- Following new methods are accesible via ``.str`` accessor to apply the function to each values. This is intended to make it more consistent with standard methods on strings. (:issue:`9282`, :issue:`9352`, :issue:`9386`, :issue:`9387`, :issue:`9439`)
+
+============= ============= ============= =============== ===============
+.. .. Methods .. ..
+============= ============= ============= =============== ===============
+``isalnum()`` ``isalpha()`` ``isdigit()`` ``isdigit()`` ``isspace()``
+``islower()`` ``isupper()`` ``istitle()`` ``isnumeric()`` ``isdecimal()``
+``find()`` ``rfind()`` ``ljust()`` ``rjust()`` ``zfill()``
+============= ============= ============= =============== ===============
+
+.. ipython:: python
+
+ s = Series(['abcd', '3456', 'EFGH'])
+ s.str.isalpha()
+ s.str.find('ab')
+
+
+- :meth:`Series.str.pad` and :meth:`Series.str.center` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
+
+.. ipython:: python
+
+ s = Series(['12', '300', '25'])
+ s.str.pad(5, fillchar='_')
+
+
+- Added :meth:`Series.str.slice_replace`, which previously raised ``NotImplementedError`` (:issue:`8888`)
+
+.. ipython:: python
+
+ s = Series(['ABCD', 'EFGH', 'IJK'])
+ s.str.slice_replace(1, 3, 'X')
+ # replaced with empty char
+ s.str.slice_replace(0, 1)
+
.. _whatsnew_0160.enhancements.other:
Other enhancements
@@ -137,7 +178,6 @@ Other enhancements
- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>`. (issue:`9493`:)
- Paths beginning with ~ will now be expanded to begin with the user's home directory (:issue:`9066`)
- Added time interval selection in ``get_data_yahoo`` (:issue:`9071`)
-- Added ``Series.str.slice_replace()``, which previously raised ``NotImplementedError`` (:issue:`8888`)
- Added ``Timestamp.to_datetime64()`` to complement ``Timedelta.to_timedelta64()`` (:issue:`9255`)
- ``tseries.frequencies.to_offset()`` now accepts ``Timedelta`` as input (:issue:`9064`)
- Lag parameter was added to the autocorrelation method of ``Series``, defaults to lag-1 autocorrelation (:issue:`9192`)
@@ -145,15 +185,8 @@ Other enhancements
- SQL code now safely escapes table and column names (:issue:`8986`)
- Added auto-complete for ``Series.str.<tab>``, ``Series.dt.<tab>`` and ``Series.cat.<tab>`` (:issue:`9322`)
-- Added ``StringMethods.isalnum()``, ``isalpha()``, ``isdigit()``, ``isspace()``, ``islower()``,
- ``isupper()``, ``istitle()`` which behave as the same as standard ``str`` (:issue:`9282`)
-
-- Added ``StringMethods.find()`` and ``rfind()`` which behave as the same as standard ``str`` (:issue:`9386`)
-
- ``Index.get_indexer`` now supports ``method='pad'`` and ``method='backfill'`` even for any target array, not just monotonic targets. These methods also work for monotonic decreasing as well as monotonic increasing indexes (:issue:`9258`).
- ``Index.asof`` now works on all index types (:issue:`9258`).
-
-- Added ``StringMethods.isnumeric`` and ``isdecimal`` which behave as the same as standard ``str`` (:issue:`9439`)
- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
.. code-block:: python
@@ -162,9 +195,6 @@ Other enhancements
pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
- A ``verbose`` argument has been augmented in ``io.read_excel()``, defaults to False. Set to True to print sheet names as they are parsed. (:issue:`9450`)
-- Added ``StringMethods.ljust()`` and ``rjust()`` which behave as the same as standard ``str`` (:issue:`9352`)
-- ``StringMethods.pad()`` and ``center()`` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
-- Added ``StringMethods.zfill()`` which behave as the same as standard ``str`` (:issue:`9387`)
- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
- Added ``normalize`` option for ``Timestamp`` to normalized to midnight (:issue:`8794`)
@@ -454,6 +484,15 @@ Other API Changes
To reproduce the old behavior, simply add more precision to the label (e.g., use ``2000-02-01`` instead of ``2000-02``).
+- A Spurious ``SettingWithCopy`` Warning was generated when setting a new item in a frame in some cases (:issue:`8730`)
+
+ The following would previously report a ``SettingWithCopy`` Warning.
+
+ .. ipython:: python
+
+ df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
+ df2 = df1[['x']]
+ df2['y'] = ['g', 'h', 'i']
.. _whatsnew_0160.deprecations:
@@ -505,6 +544,7 @@ Performance Improvements
- Performance improvements in ``MultiIndex.sortlevel`` (:issue:`9445`)
- Performance and memory usage improvements in ``DataFrame.duplicated`` (:issue:`9398`)
- Cythonized ``Period`` (:issue:`9440`)
+- Decreased memory usage on ``to_hdf`` (:issue:`9648`)
.. _whatsnew_0160.bug_fixes:
@@ -567,3 +607,39 @@ Bug Fixes
- Bug in ``Series.values_counts`` with excluding ``NaN`` for categorical type ``Series`` with ``dropna=True`` (:issue:`9443`)
- Fixed mising numeric_only option for ``DataFrame.std/var/sem`` (:issue:`9201`)
- Support constructing ``Panel`` or ``Panel4D`` with scalar data (:issue:`8285`)
+- ``Series`` text representation disconnected from `max_rows`/`max_columns` (:issue:`7508`).
+- ``Series`` number formatting inconsistent when truncated (:issue:`8532`).
+
+ Previous Behavior
+
+ .. code-block:: python
+
+ In [2]: pd.options.display.max_rows = 10
+ In [3]: s = pd.Series([1,1,1,1,1,1,1,1,1,1,0.9999,1,1]*10)
+ In [4]: s
+ Out[4]:
+ 0 1
+ 1 1
+ 2 1
+ ...
+ 127 0.9999
+ 128 1.0000
+ 129 1.0000
+ Length: 130, dtype: float64
+
+ New Behavior
+
+ .. code-block:: python
+
+ 0 1.0000
+ 1 1.0000
+ 2 1.0000
+ 3 1.0000
+ 4 1.0000
+ ...
+ 125 1.0000
+ 126 1.0000
+ 127 0.9999
+ 128 1.0000
+ 129 1.0000
+ dtype: float64
diff --git a/pandas/core/format.py b/pandas/core/format.py
index 3efcfec254591..b21ca9050ffd0 100644
--- a/pandas/core/format.py
+++ b/pandas/core/format.py
@@ -129,45 +129,63 @@ def to_string(self):
class SeriesFormatter(object):
- def __init__(self, series, buf=None, header=True, length=True,
- na_rep='NaN', name=False, float_format=None, dtype=True):
+ def __init__(self, series, buf=None, length=True, header=True,
+ na_rep='NaN', name=False, float_format=None, dtype=True,
+ max_rows=None):
self.series = series
self.buf = buf if buf is not None else StringIO()
self.name = name
self.na_rep = na_rep
- self.length = length
self.header = header
+ self.length = length
+ self.max_rows = max_rows
if float_format is None:
float_format = get_option("display.float_format")
self.float_format = float_format
self.dtype = dtype
+ self._chk_truncate()
+
+ def _chk_truncate(self):
+ from pandas.tools.merge import concat
+ max_rows = self.max_rows
+ truncate_v = max_rows and (len(self.series) > max_rows)
+ series = self.series
+ if truncate_v:
+ if max_rows == 1:
+ row_num = max_rows
+ series = series.iloc[:max_rows]
+ else:
+ row_num = max_rows // 2
+ series = concat((series.iloc[:row_num], series.iloc[-row_num:]))
+ self.tr_row_num = row_num
+ self.tr_series = series
+ self.truncate_v = truncate_v
+
def _get_footer(self):
+ name = self.series.name
footer = u('')
- if self.name:
- if getattr(self.series.index, 'freq', None):
- footer += 'Freq: %s' % self.series.index.freqstr
+ if getattr(self.series.index, 'freq', None) is not None:
+ footer += 'Freq: %s' % self.series.index.freqstr
- if footer and self.series.name is not None:
- # categories have already a comma + linebreak
- if not com.is_categorical_dtype(self.series.dtype):
- footer += ', '
+ if self.name is not False and name is not None:
+ if footer:
+ footer += ', '
- series_name = com.pprint_thing(self.series.name,
+ series_name = com.pprint_thing(name,
escape_chars=('\t', '\r', '\n'))
footer += ("Name: %s" %
- series_name) if self.series.name is not None else ""
+ series_name) if name is not None else ""
if self.length:
if footer:
footer += ', '
footer += 'Length: %d' % len(self.series)
- # TODO: in tidy_repr, with freq index, no dtype is shown -> also include a guard here?
- if self.dtype:
- name = getattr(self.series.dtype, 'name', None)
+ if self.dtype is not False and self.dtype is not None:
+ name = getattr(self.tr_series.dtype, 'name', None)
if name:
if footer:
footer += ', '
@@ -175,8 +193,8 @@ def _get_footer(self):
# level infos are added to the end and in a new line, like it is done for Categoricals
# Only added when we request a name
- if self.name and com.is_categorical_dtype(self.series.dtype):
- level_info = self.series.values._repr_categories_info()
+ if name and com.is_categorical_dtype(self.tr_series.dtype):
+ level_info = self.tr_series.values._repr_categories_info()
if footer:
footer += "\n"
footer += level_info
@@ -184,7 +202,7 @@ def _get_footer(self):
return compat.text_type(footer)
def _get_formatted_index(self):
- index = self.series.index
+ index = self.tr_series.index
is_multi = isinstance(index, MultiIndex)
if is_multi:
@@ -196,35 +214,44 @@ def _get_formatted_index(self):
return fmt_index, have_header
def _get_formatted_values(self):
- return format_array(self.series.get_values(), None,
+ return format_array(self.tr_series.get_values(), None,
float_format=self.float_format,
na_rep=self.na_rep)
def to_string(self):
- series = self.series
+ series = self.tr_series
+ footer = self._get_footer()
if len(series) == 0:
- return u('')
+ return 'Series([], ' + footer + ')'
fmt_index, have_header = self._get_formatted_index()
fmt_values = self._get_formatted_values()
- maxlen = max(len(x) for x in fmt_index)
+ maxlen = max(len(x) for x in fmt_index) # max index len
pad_space = min(maxlen, 60)
- result = ['%s %s'] * len(fmt_values)
- for i, (k, v) in enumerate(zip(fmt_index[1:], fmt_values)):
- idx = k.ljust(pad_space)
- result[i] = result[i] % (idx, v)
+ if self.truncate_v:
+ n_header_rows = 0
+ row_num = self.tr_row_num
+ width = len(fmt_values[row_num-1])
+ if width > 3:
+ dot_str = '...'
+ else:
+ dot_str = '..'
+ dot_str = dot_str.center(width)
+ fmt_values.insert(row_num + n_header_rows, dot_str)
+ fmt_index.insert(row_num + 1, '')
+
+ result = adjoin(3, *[fmt_index[1:], fmt_values])
if self.header and have_header:
- result.insert(0, fmt_index[0])
+ result = fmt_index[0] + '\n' + result
- footer = self._get_footer()
if footer:
- result.append(footer)
+ result += '\n' + footer
- return compat.text_type(u('\n').join(result))
+ return compat.text_type(u('').join(result))
def _strlen_func():
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 90a6cf60fa76b..e05709d7a180f 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -1265,6 +1265,14 @@ def _check_setitem_copy(self, stacklevel=4, t='setting', force=False):
except:
pass
+ # we might be a false positive
+ try:
+ if self.is_copy().shape == self.shape:
+ self.is_copy = None
+ return
+ except:
+ pass
+
# a custom message
if isinstance(self.is_copy, string_types):
t = self.is_copy
@@ -1344,8 +1352,9 @@ def take(self, indices, axis=0, convert=True, is_copy=True):
result = self._constructor(new_data).__finalize__(self)
# maybe set copy if we didn't actually change the index
- if is_copy and not result._get_axis(axis).equals(self._get_axis(axis)):
- result._set_is_copy(self)
+ if is_copy:
+ if not result._get_axis(axis).equals(self._get_axis(axis)):
+ result._set_is_copy(self)
return result
@@ -2005,6 +2014,14 @@ def __setattr__(self, name, value):
#----------------------------------------------------------------------
# Consolidation of internals
+ def _protect_consolidate(self, f):
+ """ consolidate _data. if the blocks have changed, then clear the cache """
+ blocks_before = len(self._data.blocks)
+ result = f()
+ if len(self._data.blocks) != blocks_before:
+ self._clear_item_cache()
+ return result
+
def _consolidate_inplace(self):
f = lambda: self._data.consolidate()
self._data = self._protect_consolidate(f)
@@ -2029,8 +2046,6 @@ def consolidate(self, inplace=False):
else:
f = lambda: self._data.consolidate()
cons_data = self._protect_consolidate(f)
- if cons_data is self._data:
- cons_data = cons_data.copy()
return self._constructor(cons_data).__finalize__(self)
@property
@@ -2066,13 +2081,6 @@ def _check_inplace_setting(self, value):
return True
- def _protect_consolidate(self, f):
- blocks_before = len(self._data.blocks)
- result = f()
- if len(self._data.blocks) != blocks_before:
- self._clear_item_cache()
- return result
-
def _get_numeric_data(self):
return self._constructor(
self._data.get_numeric_data()).__finalize__(self)
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 5cb032521d51a..7a16fb2b6b0d7 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -1752,7 +1752,7 @@ def _astype(self, dtype, copy=False, raise_on_error=True, values=None,
if self.is_categorical_astype(dtype):
values = self.values
else:
- values = np.array(self.values).astype(dtype)
+ values = np.asarray(self.values).astype(dtype, copy=False)
if copy:
values = values.copy()
diff --git a/pandas/core/series.py b/pandas/core/series.py
index d34657f0dc256..7e3b21be13525 100644
--- a/pandas/core/series.py
+++ b/pandas/core/series.py
@@ -36,7 +36,7 @@
from pandas.tseries.period import PeriodIndex, Period
from pandas import compat
from pandas.util.terminal import get_terminal_size
-from pandas.compat import zip, u, OrderedDict
+from pandas.compat import zip, u, OrderedDict, StringIO
import pandas.core.ops as ops
from pandas.core.algorithms import select_n
@@ -883,43 +883,16 @@ def __unicode__(self):
Invoked by unicode(df) in py2 only. Yields a Unicode String in both
py2/py3.
"""
+ buf = StringIO(u(""))
width, height = get_terminal_size()
max_rows = (height if get_option("display.max_rows") == 0
else get_option("display.max_rows"))
- if max_rows and len(self.index) > max_rows:
- result = self._tidy_repr(min(30, max_rows - 4))
- elif len(self.index) > 0:
- result = self._get_repr(print_header=True,
- length=len(self) > 50,
- name=True,
- dtype=True)
- elif self.name is None:
- result = u('Series([], dtype: %s)') % (self.dtype)
- else:
- result = u('Series([], name: %s, dtype: %s)') % (self.name,
- self.dtype)
- return result
- def _tidy_repr(self, max_vals=20):
- """
+ self.to_string(buf=buf, name=self.name, dtype=self.dtype,
+ max_rows=max_rows)
+ result = buf.getvalue()
- Internal function, should always return unicode string
- """
- if max_vals > 1:
- num = max_vals // 2
- else:
- num = 1
- max_vals = 2
- head = self.iloc[:num]._get_repr(print_header=True, length=False,
- dtype=False, name=False)
- tail = self.iloc[-(max_vals - num):]._get_repr(print_header=False,
- length=False,
- name=False,
- dtype=False)
- result = head + '\n...\n' + tail
- result = '%s\n%s' % (result, self._repr_footer())
-
- return compat.text_type(result)
+ return result
def _repr_footer(self):
@@ -948,8 +921,8 @@ def _repr_footer(self):
len(self),
str(self.dtype.name))
- def to_string(self, buf=None, na_rep='NaN', float_format=None,
- length=False, dtype=False, name=False):
+ def to_string(self, buf=None, na_rep='NaN', float_format=None, header=True,
+ length=False, dtype=False, name=False, max_rows=None):
"""
Render a string representation of the Series
@@ -962,12 +935,17 @@ def to_string(self, buf=None, na_rep='NaN', float_format=None,
float_format : one-parameter function, optional
formatter function to apply to columns' elements if they are floats
default None
+ header: boolean, default True
+ Add the Series header (index name)
length : boolean, default False
Add the Series length
dtype : boolean, default False
Add the Series dtype
name : boolean, default False
- Add the Series name (which may be None)
+ Add the Series name if not None
+ max_rows : int, optional
+ Maximum number of rows to show before truncating. If None, show
+ all.
Returns
-------
@@ -975,7 +953,8 @@ def to_string(self, buf=None, na_rep='NaN', float_format=None,
"""
the_repr = self._get_repr(float_format=float_format, na_rep=na_rep,
- length=length, dtype=dtype, name=name)
+ header=header, length=length, dtype=dtype,
+ name=name, max_rows=max_rows)
# catch contract violations
if not isinstance(the_repr, compat.text_type):
@@ -993,17 +972,18 @@ def to_string(self, buf=None, na_rep='NaN', float_format=None,
f.write(the_repr)
def _get_repr(
- self, name=False, print_header=False, length=True, dtype=True,
- na_rep='NaN', float_format=None):
+ self, name=False, header=True, length=True, dtype=True, na_rep='NaN',
+ float_format=None, max_rows=None):
"""
Internal function, should always return unicode string
"""
-
- formatter = fmt.SeriesFormatter(self, name=name, header=print_header,
- length=length, dtype=dtype,
+ formatter = fmt.SeriesFormatter(self, name=name,
+ length=length, header=header,
+ dtype=dtype,
na_rep=na_rep,
- float_format=float_format)
+ float_format=float_format,
+ max_rows=max_rows)
result = formatter.to_string()
# TODO: following check prob. not neces.
diff --git a/pandas/io/pytables.py b/pandas/io/pytables.py
index e784934ea28b2..d95465d524e27 100644
--- a/pandas/io/pytables.py
+++ b/pandas/io/pytables.py
@@ -18,6 +18,7 @@
from pandas.sparse.api import SparseSeries, SparseDataFrame, SparsePanel
from pandas.sparse.array import BlockIndex, IntIndex
from pandas.tseries.api import PeriodIndex, DatetimeIndex
+from pandas.tseries.tdi import TimedeltaIndex
from pandas.core.base import StringMixin
from pandas.core.common import adjoin, pprint_thing
from pandas.core.algorithms import match, unique
@@ -1782,13 +1783,13 @@ def set_atom(self, block, block_items, existing_col, min_itemsize,
return self.set_atom_timedelta64(block)
dtype = block.dtype.name
- rvalues = block.values.ravel()
- inferred_type = lib.infer_dtype(rvalues)
+ inferred_type = lib.infer_dtype(block.values)
if inferred_type == 'date':
raise TypeError(
"[date] is not implemented as a table column")
elif inferred_type == 'datetime':
+ rvalues = block.values.ravel()
if getattr(rvalues[0], 'tzinfo', None) is not None:
# if this block has more than one timezone, raise
@@ -1917,7 +1918,7 @@ def get_atom_data(self, block, kind=None):
def set_atom_data(self, block):
self.kind = block.dtype.name
self.typ = self.get_atom_data(block)
- self.set_data(block.values.astype(self.typ.type))
+ self.set_data(block.values.astype(self.typ.type, copy=False))
def set_atom_categorical(self, block, items, info=None, values=None):
# currently only supports a 1-D categorical
@@ -2016,7 +2017,7 @@ def convert(self, values, nan_rep, encoding):
index = DatetimeIndex(
self.data.ravel(), tz='UTC').tz_convert(self.tz)
- self.data = np.array(
+ self.data = np.asarray(
index.tolist(), dtype=object).reshape(self.data.shape)
else:
@@ -2026,14 +2027,14 @@ def convert(self, values, nan_rep, encoding):
self.data = np.asarray(self.data, dtype='m8[ns]')
elif dtype == u('date'):
try:
- self.data = np.array(
+ self.data = np.asarray(
[date.fromordinal(v) for v in self.data], dtype=object)
except ValueError:
- self.data = np.array(
+ self.data = np.asarray(
[date.fromtimestamp(v) for v in self.data],
dtype=object)
elif dtype == u('datetime'):
- self.data = np.array(
+ self.data = np.asarray(
[datetime.fromtimestamp(v) for v in self.data],
dtype=object)
@@ -2048,9 +2049,9 @@ def convert(self, values, nan_rep, encoding):
else:
try:
- self.data = self.data.astype(dtype)
+ self.data = self.data.astype(dtype, copy=False)
except:
- self.data = self.data.astype('O')
+ self.data = self.data.astype('O', copy=False)
# convert nans / decode
if _ensure_decoded(self.kind) == u('string'):
@@ -2337,9 +2338,9 @@ def read_array(self, key):
ret = data
if dtype == u('datetime64'):
- ret = np.array(ret, dtype='M8[ns]')
+ ret = np.asarray(ret, dtype='M8[ns]')
elif dtype == u('timedelta64'):
- ret = np.array(ret, dtype='m8[ns]')
+ ret = np.asarray(ret, dtype='m8[ns]')
if transposed:
return ret.T
@@ -3793,7 +3794,7 @@ def write_data(self, chunksize, dropna=True):
# figure the mask: only do if we can successfully process this
# column, otherwise ignore the mask
mask = com.isnull(a.data).all(axis=0)
- masks.append(mask.astype('u1'))
+ masks.append(mask.astype('u1', copy=False))
# consolidate masks
mask = masks[0]
@@ -3803,8 +3804,7 @@ def write_data(self, chunksize, dropna=True):
else:
- mask = np.empty(nrows, dtype='u1')
- mask.fill(False)
+ mask = None
# broadcast the indexes if needed
indexes = [a.cvalues for a in self.index_axes]
@@ -3833,12 +3833,13 @@ def write_data(self, chunksize, dropna=True):
bvalues = []
for i, v in enumerate(values):
new_shape = (nrows,) + self.dtype[names[nindexes + i]].shape
- bvalues.append(values[i].ravel().reshape(new_shape))
+ bvalues.append(values[i].reshape(new_shape))
# write the chunks
if chunksize is None:
chunksize = 100000
+ rows = np.empty(min(chunksize,nrows), dtype=self.dtype)
chunks = int(nrows / chunksize) + 1
for i in range(chunks):
start_i = i * chunksize
@@ -3847,11 +3848,20 @@ def write_data(self, chunksize, dropna=True):
break
self.write_data_chunk(
+ rows,
indexes=[a[start_i:end_i] for a in bindexes],
- mask=mask[start_i:end_i],
+ mask=mask[start_i:end_i] if mask is not None else None,
values=[v[start_i:end_i] for v in bvalues])
- def write_data_chunk(self, indexes, mask, values):
+ def write_data_chunk(self, rows, indexes, mask, values):
+ """
+ Parameters
+ ----------
+ rows : an empty memory space where we are putting the chunk
+ indexes : an array of the indexes
+ mask : an array of the masks
+ values : an array of the values
+ """
# 0 len
for v in values:
@@ -3860,7 +3870,8 @@ def write_data_chunk(self, indexes, mask, values):
try:
nrows = indexes[0].shape[0]
- rows = np.empty(nrows, dtype=self.dtype)
+ if nrows != len(rows):
+ rows = np.empty(nrows, dtype=self.dtype)
names = self.dtype.names
nindexes = len(indexes)
@@ -3873,7 +3884,10 @@ def write_data_chunk(self, indexes, mask, values):
rows[names[i + nindexes]] = v
# mask
- rows = rows[~mask.ravel().astype(bool)]
+ if mask is not None:
+ m = ~mask.ravel().astype(bool, copy=False)
+ if not m.all():
+ rows = rows[m]
except Exception as detail:
raise Exception("cannot create row-data -> %s" % detail)
@@ -4220,6 +4234,11 @@ def _convert_index(index, encoding=None, format_type=None):
freq=getattr(index, 'freq', None),
tz=getattr(index, 'tz', None),
index_name=index_name)
+ elif isinstance(index, TimedeltaIndex):
+ converted = index.asi8
+ return IndexCol(converted, 'timedelta64', _tables().Int64Col(),
+ freq=getattr(index, 'freq', None),
+ index_name=index_name)
elif isinstance(index, (Int64Index, PeriodIndex)):
atom = _tables().Int64Col()
return IndexCol(
@@ -4239,15 +4258,20 @@ def _convert_index(index, encoding=None, format_type=None):
freq=getattr(index, 'freq', None),
tz=getattr(index, 'tz', None),
index_name=index_name)
+ elif inferred_type == 'timedelta64':
+ converted = values.view('i8')
+ return IndexCol(converted, 'timedelta64', _tables().Int64Col(),
+ freq=getattr(index, 'freq', None),
+ index_name=index_name)
elif inferred_type == 'datetime':
- converted = np.array([(time.mktime(v.timetuple()) +
- v.microsecond / 1E6) for v in values],
- dtype=np.float64)
+ converted = np.asarray([(time.mktime(v.timetuple()) +
+ v.microsecond / 1E6) for v in values],
+ dtype=np.float64)
return IndexCol(converted, 'datetime', _tables().Time64Col(),
index_name=index_name)
elif inferred_type == 'date':
- converted = np.array([v.toordinal() for v in values],
- dtype=np.int32)
+ converted = np.asarray([v.toordinal() for v in values],
+ dtype=np.int32)
return IndexCol(converted, 'date', _tables().Time32Col(),
index_name=index_name)
elif inferred_type == 'string':
@@ -4289,22 +4313,24 @@ def _unconvert_index(data, kind, encoding=None):
kind = _ensure_decoded(kind)
if kind == u('datetime64'):
index = DatetimeIndex(data)
+ elif kind == u('timedelta64'):
+ index = TimedeltaIndex(data)
elif kind == u('datetime'):
- index = np.array([datetime.fromtimestamp(v) for v in data],
- dtype=object)
+ index = np.asarray([datetime.fromtimestamp(v) for v in data],
+ dtype=object)
elif kind == u('date'):
try:
- index = np.array(
+ index = np.asarray(
[date.fromordinal(v) for v in data], dtype=object)
except (ValueError):
- index = np.array(
+ index = np.asarray(
[date.fromtimestamp(v) for v in data], dtype=object)
elif kind in (u('integer'), u('float')):
- index = np.array(data)
+ index = np.asarray(data)
elif kind in (u('string')):
index = _unconvert_string_array(data, nan_rep=None, encoding=encoding)
elif kind == u('object'):
- index = np.array(data[0])
+ index = np.asarray(data[0])
else: # pragma: no cover
raise ValueError('unrecognized index type %s' % kind)
return index
@@ -4315,7 +4341,7 @@ def _unconvert_index_legacy(data, kind, legacy=False, encoding=None):
if kind == u('datetime'):
index = lib.time64_to_datetime(data)
elif kind in (u('integer')):
- index = np.array(data, dtype=object)
+ index = np.asarray(data, dtype=object)
elif kind in (u('string')):
index = _unconvert_string_array(data, nan_rep=None, encoding=encoding)
else: # pragma: no cover
@@ -4334,13 +4360,13 @@ def _convert_string_array(data, encoding, itemsize=None):
if itemsize is None:
itemsize = lib.max_len_string_array(com._ensure_object(data.ravel()))
- data = np.array(data, dtype="S%d" % itemsize)
+ data = np.asarray(data, dtype="S%d" % itemsize)
return data
def _unconvert_string_array(data, nan_rep=None, encoding=None):
""" deserialize a string array, possibly decoding """
shape = data.shape
- data = np.array(data.ravel(), dtype=object)
+ data = np.asarray(data.ravel(), dtype=object)
# guard against a None encoding in PY3 (because of a legacy
# where the passed encoding is actually None)
@@ -4353,7 +4379,7 @@ def _unconvert_string_array(data, nan_rep=None, encoding=None):
dtype = "U{0}".format(itemsize)
else:
dtype = "S{0}".format(itemsize)
- data = data.astype(dtype).astype(object)
+ data = data.astype(dtype, copy=False).astype(object, copy=False)
except (Exception) as e:
f = np.vectorize(lambda x: x.decode(encoding), otypes=[np.object])
data = f(data)
@@ -4376,7 +4402,7 @@ def _maybe_convert(values, val_kind, encoding):
def _get_converter(kind, encoding):
kind = _ensure_decoded(kind)
if kind == 'datetime64':
- return lambda x: np.array(x, dtype='M8[ns]')
+ return lambda x: np.asarray(x, dtype='M8[ns]')
elif kind == 'datetime':
return lib.convert_timestamps
elif kind == 'string':
@@ -4421,7 +4447,7 @@ def __init__(self, table, where=None, start=None, stop=None, **kwargs):
try:
inferred = lib.infer_dtype(where)
if inferred == 'integer' or inferred == 'boolean':
- where = np.array(where)
+ where = np.asarray(where)
if where.dtype == np.bool_:
start, stop = self.start, self.stop
if start is None:
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index e95d46f66f17f..ea30bb9c9ae44 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -10,7 +10,7 @@
import pandas
from pandas import (Series, DataFrame, Panel, MultiIndex, Categorical, bdate_range,
- date_range, Index, DatetimeIndex, isnull)
+ date_range, timedelta_range, Index, DatetimeIndex, TimedeltaIndex, isnull)
from pandas.io.pytables import _tables
try:
@@ -4593,12 +4593,17 @@ def test_categorical(self):
with ensure_clean_store(self.path) as store:
- s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d']))
-
+ # basic
+ s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d'], ordered=False))
store.append('s', s, format='table')
result = store.select('s')
tm.assert_series_equal(s, result)
+ s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d'], ordered=True))
+ store.append('s_ordered', s, format='table')
+ result = store.select('s_ordered')
+ tm.assert_series_equal(s, result)
+
df = DataFrame({"s":s, "vals":[1,2,3,4,5,6]})
store.append('df', df, format='table')
result = store.select('df')
@@ -4639,6 +4644,10 @@ def test_categorical(self):
result = store.select('df3', where = ['s in ["b","c"]'])
tm.assert_frame_equal(result, expected)
+ expected = df[df.s.isin(['b','c'])]
+ result = store.select('df3', where = ['s = ["b","c"]'])
+ tm.assert_frame_equal(result, expected)
+
expected = df[df.s.isin(['d'])]
result = store.select('df3', where = ['s in ["d"]'])
tm.assert_frame_equal(result, expected)
@@ -4678,6 +4687,18 @@ def test_duplicate_column_name(self):
other = read_hdf(path, 'df')
tm.assert_frame_equal(df, other)
+ def test_preserve_timedeltaindex_type(self):
+ # GH9635
+ # Storing TimedeltaIndexed DataFrames in fixed stores did not preserve
+ # the type of the index.
+ df = DataFrame(np.random.normal(size=(10,5)))
+ df.index = timedelta_range(start='0s',periods=10,freq='1s',name='example')
+
+ with ensure_clean_store(self.path) as store:
+
+ store['df'] = df
+ assert_frame_equal(store['df'], df)
+
def _test_sort(obj):
if isinstance(obj, DataFrame):
diff --git a/pandas/tests/test_categorical.py b/pandas/tests/test_categorical.py
index cd78fd22e64ca..7f4b3fcb94dfa 100644
--- a/pandas/tests/test_categorical.py
+++ b/pandas/tests/test_categorical.py
@@ -13,6 +13,7 @@
from pandas import Categorical, Index, Series, DataFrame, PeriodIndex, Timestamp
+from pandas.core.config import option_context
import pandas.core.common as com
import pandas.compat as compat
import pandas.util.testing as tm
@@ -1559,12 +1560,12 @@ def test_repr(self):
self.assertEqual(exp, a.__unicode__())
- a = pd.Series(pd.Categorical(["a","b"] *25, name="a", ordered=True))
- exp = u("".join(["%s a\n%s b\n"%(i,i+1) for i in range(0,10,2)]) + "...\n" +
- "".join(["%s a\n%s b\n"%(i,i+1) for i in range(40,50,2)]) +
- "Name: a, Length: 50, dtype: category\n" +
- "Categories (2, object): [a < b]")
- self.assertEqual(exp,a._tidy_repr())
+ a = pd.Series(pd.Categorical(["a","b"] *25, name="a"))
+ exp = u("0 a\n1 b\n" + " ..\n" +
+ "48 a\n49 b\n" +
+ "Name: a, dtype: category\nCategories (2, object): [a, b]")
+ with option_context("display.max_rows", 5):
+ self.assertEqual(exp, repr(a))
levs = list("abcdefghijklmnopqrstuvwxyz")
a = pd.Series(pd.Categorical(["a","b"], name="a", categories=levs, ordered=True))
@@ -1573,7 +1574,6 @@ def test_repr(self):
"Categories (26, object): [a < b < c < d ... w < x < y < z]")
self.assertEqual(exp,a.__unicode__())
-
def test_info(self):
# make sure it works
diff --git a/pandas/tests/test_format.py b/pandas/tests/test_format.py
index b52e4f7e3947b..94a7dd4dd9e87 100644
--- a/pandas/tests/test_format.py
+++ b/pandas/tests/test_format.py
@@ -2438,16 +2438,16 @@ def test_to_string(self):
# pass float_format
format = '%.4f'.__mod__
result = self.ts.to_string(float_format=format)
- result = [x.split()[1] for x in result.split('\n')]
+ result = [x.split()[1] for x in result.split('\n')[:-1]]
expected = [format(x) for x in self.ts]
self.assertEqual(result, expected)
# empty string
result = self.ts[:0].to_string()
- self.assertEqual(result, '')
+ self.assertEqual(result, 'Series([], Freq: B)')
result = self.ts[:0].to_string(length=0)
- self.assertEqual(result, '')
+ self.assertEqual(result, 'Series([], Freq: B)')
# name and length
cp = self.ts.copy()
@@ -2623,7 +2623,7 @@ def test_max_multi_index_display(self):
with option_context("display.max_rows", 2):
self.assertEqual(len(str(s).split('\n')),5)
with option_context("display.max_rows", 1):
- self.assertEqual(len(str(s).split('\n')),5)
+ self.assertEqual(len(str(s).split('\n')),4)
with option_context("display.max_rows", 0):
self.assertEqual(len(str(s).split('\n')),10)
@@ -2637,10 +2637,137 @@ def test_max_multi_index_display(self):
with option_context("display.max_rows", 2):
self.assertEqual(len(str(s).split('\n')),4)
with option_context("display.max_rows", 1):
- self.assertEqual(len(str(s).split('\n')),4)
+ self.assertEqual(len(str(s).split('\n')),3)
with option_context("display.max_rows", 0):
self.assertEqual(len(str(s).split('\n')),9)
+ # Make sure #8532 is fixed
+ def test_consistent_format(self):
+ s = pd.Series([1,1,1,1,1,1,1,1,1,1,0.9999,1,1]*10)
+ with option_context("display.max_rows", 10):
+ res = repr(s)
+ exp = ('0 1.0000\n1 1.0000\n2 1.0000\n3 '
+ '1.0000\n4 1.0000\n ... \n125 '
+ '1.0000\n126 1.0000\n127 0.9999\n128 '
+ '1.0000\n129 1.0000\ndtype: float64')
+ self.assertEqual(res, exp)
+
+ @staticmethod
+ def gen_test_series():
+ s1 = pd.Series(['a']*100)
+ s2 = pd.Series(['ab']*100)
+ s3 = pd.Series(['a', 'ab', 'abc', 'abcd', 'abcde', 'abcdef'])
+ s4 = s3[::-1]
+ test_sers = {'onel': s1, 'twol': s2, 'asc': s3, 'desc': s4}
+ return test_sers
+
+ def chck_ncols(self, s):
+ with option_context("display.max_rows", 10):
+ res = repr(s)
+ lines = res.split('\n')
+ lines = [line for line in repr(s).split('\n') \
+ if not re.match('[^\.]*\.+', line)][:-1]
+ ncolsizes = len(set(len(line.strip()) for line in lines))
+ self.assertEqual(ncolsizes, 1)
+
+ def test_format_explicit(self):
+ test_sers = self.gen_test_series()
+ with option_context("display.max_rows", 4):
+ res = repr(test_sers['onel'])
+ exp = '0 a\n1 a\n ..\n98 a\n99 a\ndtype: object'
+ self.assertEqual(exp, res)
+ res = repr(test_sers['twol'])
+ exp = ('0 ab\n1 ab\n ..\n98 ab\n99 ab\ndtype:'
+ ' object')
+ self.assertEqual(exp, res)
+ res = repr(test_sers['asc'])
+ exp = ('0 a\n1 ab\n ... \n4 abcde\n5'
+ ' abcdef\ndtype: object')
+ self.assertEqual(exp, res)
+ res = repr(test_sers['desc'])
+ exp = ('5 abcdef\n4 abcde\n ... \n1 ab\n0'
+ ' a\ndtype: object')
+ self.assertEqual(exp, res)
+
+ def test_ncols(self):
+ test_sers = self.gen_test_series()
+ for s in test_sers.values():
+ self.chck_ncols(s)
+
+ def test_max_rows_eq_one(self):
+ s = Series(range(10))
+ with option_context("display.max_rows", 1):
+ strrepr = repr(s).split('\n')
+ exp1 = ['0', '0']
+ res1 = strrepr[0].split()
+ self.assertEqual(exp1, res1)
+ exp2 = ['..']
+ res2 = strrepr[1].split()
+ self.assertEqual(exp2, res2)
+
+ def test_truncate_ndots(self):
+ def getndots(s):
+ return len(re.match('[^\.]*(\.*)', s).groups()[0])
+
+ s = Series([0, 2, 3, 6])
+ with option_context("display.max_rows", 2):
+ strrepr = repr(s).replace('\n', '')
+ self.assertEqual(getndots(strrepr), 2)
+
+ s = Series([0, 100, 200, 400])
+ with option_context("display.max_rows", 2):
+ strrepr = repr(s).replace('\n', '')
+ self.assertEqual(getndots(strrepr), 3)
+
+ def test_to_string_name(self):
+ s = Series(range(100))
+ s.name = 'myser'
+ res = s.to_string(max_rows=2, name=True)
+ exp = '0 0\n ..\n99 99\nName: myser'
+ self.assertEqual(res, exp)
+ res = s.to_string(max_rows=2, name=False)
+ exp = '0 0\n ..\n99 99'
+ self.assertEqual(res, exp)
+
+ def test_to_string_dtype(self):
+ s = Series(range(100))
+ res = s.to_string(max_rows=2, dtype=True)
+ exp = '0 0\n ..\n99 99\ndtype: int64'
+ self.assertEqual(res, exp)
+ res = s.to_string(max_rows=2, dtype=False)
+ exp = '0 0\n ..\n99 99'
+ self.assertEqual(res, exp)
+
+ def test_to_string_length(self):
+ s = Series(range(100))
+ res = s.to_string(max_rows=2, length=True)
+ exp = '0 0\n ..\n99 99\nLength: 100'
+ self.assertEqual(res, exp)
+
+ def test_to_string_na_rep(self):
+ s = pd.Series(index=range(100))
+ res = s.to_string(na_rep='foo', max_rows=2)
+ exp = '0 foo\n ..\n99 foo'
+ self.assertEqual(res, exp)
+
+ def test_to_string_float_format(self):
+ s = pd.Series(range(10), dtype=float)
+ res = s.to_string(float_format=lambda x: '{0:2.1f}'.format(x),
+ max_rows=2)
+ exp = '0 0.0\n ..\n9 9.0'
+ self.assertEqual(res, exp)
+
+ def test_to_string_header(self):
+ s = pd.Series(range(10))
+ s.index.name = 'foo'
+ res = s.to_string(header=True, max_rows=2)
+ exp = 'foo\n0 0\n ..\n9 9'
+ self.assertEqual(res, exp)
+ res = s.to_string(header=False, max_rows=2)
+ exp = '0 0\n ..\n9 9'
+ self.assertEqual(res, exp)
+
+
class TestEngFormatter(tm.TestCase):
_multiprocess_can_split_ = True
diff --git a/pandas/tests/test_indexing.py b/pandas/tests/test_indexing.py
index 18baa941b814a..ee6140828882c 100644
--- a/pandas/tests/test_indexing.py
+++ b/pandas/tests/test_indexing.py
@@ -3751,14 +3751,6 @@ def f():
assert_series_equal(s,df.iloc[:,0].order())
assert_series_equal(s,df[0].order())
- # operating on a copy
- df = pd.DataFrame({'a': list(range(4)), 'b': list('ab..'), 'c': ['a', 'b', np.nan, 'd']})
- mask = pd.isnull(df.c)
-
- def f():
- df[['c']][mask] = df[['b']][mask]
- self.assertRaises(com.SettingWithCopyError, f)
-
# false positives GH6025
df = DataFrame ({'column1':['a', 'a', 'a'], 'column2': [4,8,9] })
str(df)
@@ -3790,6 +3782,24 @@ def f():
df['C'][2] = 'foo'
self.assertRaises(com.SettingWithCopyError, f)
+ def test_setting_with_copy_bug(self):
+
+ # operating on a copy
+ df = pd.DataFrame({'a': list(range(4)), 'b': list('ab..'), 'c': ['a', 'b', np.nan, 'd']})
+ mask = pd.isnull(df.c)
+
+ def f():
+ df[['c']][mask] = df[['b']][mask]
+ self.assertRaises(com.SettingWithCopyError, f)
+
+ # invalid warning as we are returning a new object
+ # GH 8730
+ df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
+ df2 = df1[['x']]
+
+ # this should not raise
+ df2['y'] = ['g', 'h', 'i']
+
def test_detect_chained_assignment_warnings(self):
# warnings
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index 7e0dbaa735456..ae2ed4eaca2f4 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -2046,7 +2046,7 @@ def test_repr(self):
# with empty series (#4651)
s = Series([], dtype=np.int64, name='foo')
- self.assertEqual(repr(s), 'Series([], name: foo, dtype: int64)')
+ self.assertEqual(repr(s), 'Series([], Name: foo, dtype: int64)')
s = Series([], dtype=np.int64, name=None)
self.assertEqual(repr(s), 'Series([], dtype: int64)')
| closes https://github.com/pydata/pandas/issues/9635
Small change to fix issue 9635. I'm a beginner contributor, feel free to crush it out.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9662 | 2015-03-16T11:49:28Z | 2015-03-17T12:41:39Z | null | 2015-03-17T12:41:39Z |
DOC: example of pandas to R transfer of DataFrame using HDF5 file | diff --git a/doc/source/comparison_with_r.rst b/doc/source/comparison_with_r.rst
index 8462bacef47d2..0841f3354d160 100644
--- a/doc/source/comparison_with_r.rst
+++ b/doc/source/comparison_with_r.rst
@@ -27,6 +27,10 @@ libraries, we care about the following things:
This page is also here to offer a bit of a translation guide for users of these
R packages.
+For transfer of ``DataFrame`` objects from ``pandas`` to R, one option is to
+use HDF5 files, see :ref:`io.external_compatibility` for an
+example.
+
Base R
------
diff --git a/doc/source/io.rst b/doc/source/io.rst
index 2b13131c1d576..e649287befd1a 100644
--- a/doc/source/io.rst
+++ b/doc/source/io.rst
@@ -3271,20 +3271,31 @@ You could inadvertently turn an actual ``nan`` value into a missing value.
store.append('dfss2', dfss, nan_rep='_nan_')
store.select('dfss2')
+.. _io.external_compatibility:
+
External Compatibility
~~~~~~~~~~~~~~~~~~~~~~
-``HDFStore`` write ``table`` format objects in specific formats suitable for
+``HDFStore`` writes ``table`` format objects in specific formats suitable for
producing loss-less round trips to pandas objects. For external
compatibility, ``HDFStore`` can read native ``PyTables`` format
tables. It is possible to write an ``HDFStore`` object that can easily
-be imported into ``R`` using the ``rhdf5`` library. Create a table
-format store like this:
+be imported into ``R`` using the
+``rhdf5`` library (`Package website`_). Create a table format store like this:
+
+.. _package website: http://www.bioconductor.org/packages/release/bioc/html/rhdf5.html
.. ipython:: python
+ np.random.seed(1)
+ df_for_r = pd.DataFrame({"first": np.random.rand(100),
+ "second": np.random.rand(100),
+ "class": np.random.randint(0, 2, (100,))},
+ index=range(100))
+ df_for_r.head()
+
store_export = HDFStore('export.h5')
- store_export.append('df_dc', df_dc, data_columns=df_dc.columns)
+ store_export.append('df_for_r', df_for_r, data_columns=df_dc.columns)
store_export
.. ipython:: python
@@ -3293,7 +3304,63 @@ format store like this:
store_export.close()
import os
os.remove('export.h5')
-
+
+In R this file can be read into a ``data.frame`` object using the ``rhdf5``
+library. The following example function reads the corresponding column names
+and data values from the values and assembles them into a ``data.frame``:
+
+ .. code-block:: R
+
+ # Load values and column names for all datasets from corresponding nodes and
+ # insert them into one data.frame object.
+
+ library(rhdf5)
+
+ loadhdf5data <- function(h5File) {
+
+ listing <- h5ls(h5File)
+ # Find all data nodes, values are stored in *_values and corresponding column
+ # titles in *_items
+ data_nodes <- grep("_values", listing$name)
+ name_nodes <- grep("_items", listing$name)
+ data_paths = paste(listing$group[data_nodes], listing$name[data_nodes], sep = "/")
+ name_paths = paste(listing$group[name_nodes], listing$name[name_nodes], sep = "/")
+ columns = list()
+ for (idx in seq(data_paths)) {
+ # NOTE: matrices returned by h5read have to be transposed to to obtain
+ # required Fortran order!
+ data <- data.frame(t(h5read(h5File, data_paths[idx])))
+ names <- t(h5read(h5File, name_paths[idx]))
+ entry <- data.frame(data)
+ colnames(entry) <- names
+ columns <- append(columns, entry)
+ }
+
+ data <- data.frame(columns)
+
+ return(data)
+ }
+
+Now you can import the ``DataFrame`` into R:
+
+ .. code-block:: R
+
+ > data = loadhdf5data("transfer.hdf5")
+ > head(data)
+ first second class
+ 1 0.4170220047 0.3266449 0
+ 2 0.7203244934 0.5270581 0
+ 3 0.0001143748 0.8859421 1
+ 4 0.3023325726 0.3572698 1
+ 5 0.1467558908 0.9085352 1
+ 6 0.0923385948 0.6233601 1
+
+.. note::
+ The R function lists the entire HDF5 file's contents and assembles the
+ ``data.frame`` object from all matching nodes, so use this only as a
+ starting point if you have stored multiple ``DataFrame`` objects to a
+ single HDF5 file.
+
Backwards Compatibility
~~~~~~~~~~~~~~~~~~~~~~~
diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 721a49f5d58ce..2f21323a2ddd7 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -198,7 +198,9 @@ Other enhancements
- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
- Added ``normalize`` option for ``Timestamp`` to normalized to midnight (:issue:`8794`)
-
+- Added example for ``DataFrame`` import to R using HDF5 file and ``rhdf5``
+ library. See the :ref:`documentation <io.external_compatibility>` for more
+ (:issue:`9636`).
.. _whatsnew_0160.api:
| closes #9636
I had some trouble getting the HDF5 import of DataFrame objects to work on the R side (pandas is fine). I've added an example to the documentation with a simple load function in R which assembles an R data.frame from the corresponding *_items and *_values nodes in the HDF5 file.
NOTE: Any improvements to the R code are welcome, I'm just starting to work with R. :-)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9661 | 2015-03-16T10:47:12Z | 2015-03-17T13:09:55Z | null | 2017-09-07T06:24:32Z |
API: spurious setting_with_copy warning (GH8730) | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 0eeee8ccfddf6..4790017727005 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -454,6 +454,15 @@ Other API Changes
To reproduce the old behavior, simply add more precision to the label (e.g., use ``2000-02-01`` instead of ``2000-02``).
+- A Spurious ``SettingWithCopy`` Warning was generated when setting a new item in a frame in some cases (:issue:`8730`)
+
+ The following would previously report a ``SettingWithCopy`` Warning.
+
+ .. ipython:: python
+
+ df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
+ df2 = df1[['x']]
+ df2['y'] = ['g', 'h', 'i']
.. _whatsnew_0160.deprecations:
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 90a6cf60fa76b..4029aaec78a4a 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -1265,6 +1265,14 @@ def _check_setitem_copy(self, stacklevel=4, t='setting', force=False):
except:
pass
+ # we might be a false positive
+ try:
+ if self.is_copy().shape == self.shape:
+ self.is_copy = None
+ return
+ except:
+ pass
+
# a custom message
if isinstance(self.is_copy, string_types):
t = self.is_copy
@@ -1344,8 +1352,9 @@ def take(self, indices, axis=0, convert=True, is_copy=True):
result = self._constructor(new_data).__finalize__(self)
# maybe set copy if we didn't actually change the index
- if is_copy and not result._get_axis(axis).equals(self._get_axis(axis)):
- result._set_is_copy(self)
+ if is_copy:
+ if not result._get_axis(axis).equals(self._get_axis(axis)):
+ result._set_is_copy(self)
return result
diff --git a/pandas/tests/test_indexing.py b/pandas/tests/test_indexing.py
index dc77ab8190e41..a633524343a49 100644
--- a/pandas/tests/test_indexing.py
+++ b/pandas/tests/test_indexing.py
@@ -3751,14 +3751,6 @@ def f():
assert_series_equal(s,df.iloc[:,0].order())
assert_series_equal(s,df[0].order())
- # operating on a copy
- df = pd.DataFrame({'a': list(range(4)), 'b': list('ab..'), 'c': ['a', 'b', np.nan, 'd']})
- mask = pd.isnull(df.c)
-
- def f():
- df[['c']][mask] = df[['b']][mask]
- self.assertRaises(com.SettingWithCopyError, f)
-
# false positives GH6025
df = DataFrame ({'column1':['a', 'a', 'a'], 'column2': [4,8,9] })
str(df)
@@ -3790,6 +3782,24 @@ def f():
df['C'][2] = 'foo'
self.assertRaises(com.SettingWithCopyError, f)
+ def test_setting_with_copy_bug(self):
+
+ # operating on a copy
+ df = pd.DataFrame({'a': list(range(4)), 'b': list('ab..'), 'c': ['a', 'b', np.nan, 'd']})
+ mask = pd.isnull(df.c)
+
+ def f():
+ df[['c']][mask] = df[['b']][mask]
+ self.assertRaises(com.SettingWithCopyError, f)
+
+ # invalid warning as we are returning a new object
+ # GH 8730
+ df1 = DataFrame({'x': Series(['a','b','c']), 'y': Series(['d','e','f'])})
+ df2 = df1[['x']]
+
+ # this should not raise
+ df2['y'] = ['g', 'h', 'i']
+
def test_detect_chained_assignment_warnings(self):
# warnings
| closes #8730
was tricky to distinguish this case from others, but I think this is a reasonably robust soln.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9659 | 2015-03-15T15:46:51Z | 2015-03-15T19:52:37Z | 2015-03-15T19:52:37Z | 2015-03-15T19:52:37Z |
CI: don't remove python-dateutil at end of install | diff --git a/ci/install_conda.sh b/ci/install_conda.sh
index 2a54a038b474e..4c8a62c64979d 100755
--- a/ci/install_conda.sh
+++ b/ci/install_conda.sh
@@ -98,7 +98,7 @@ fi
python setup.py build_ext --inplace && python setup.py develop
-for package in beautifulsoup4 'python-dateutil'; do
+for package in beautifulsoup4; do
pip uninstall --yes $package
done
| puzzled why the travis ci error started happening. This seems to fix it (and I don't even remember why this was necessary in the first place).
| https://api.github.com/repos/pandas-dev/pandas/pulls/9657 | 2015-03-14T15:13:00Z | 2015-03-14T15:33:52Z | 2015-03-14T15:33:52Z | 2015-03-14T15:33:52Z |
DOC: Remove duplicated Indexing Changes section | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 2a83db94aa44c..3273e1b85db82 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -209,72 +209,6 @@ Using ``.components`` allows the full component access
t.components
t.components.seconds
-.. _whatsnew_0160.api_breaking.indexing:
-
-Indexing Changes
-~~~~~~~~~~~~~~~~
-
-The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:issue:`8613`). Furthermore we have improved the content of the error messages that are raised:
-
-- Slicing with ``.loc`` where the start and/or stop bound is not found in the index is now allowed; this previously would raise a ``KeyError``. This makes the behavior the same as ``.ix`` in this case. This change is only for slicing, not when indexing with a single label.
-
- .. ipython:: python
-
- df = DataFrame(np.random.randn(5,4),
- columns=list('ABCD'),
- index=date_range('20130101',periods=5))
- df
- s = Series(range(5),[-2,-1,1,2,3])
- s
-
- Previous Behavior
-
- .. code-block:: python
-
- In [4]: df.loc['2013-01-02':'2013-01-10']
- KeyError: 'stop bound [2013-01-10] is not in the [index]'
-
- In [6]: s.loc[-10:3]
- KeyError: 'start bound [-10] is not the [index]'
-
- New Behavior
-
- .. ipython:: python
-
- df.loc['2013-01-02':'2013-01-10']
- s.loc[-10:3]
-
-- Allow slicing with float-like values on an integer index for ``.ix``. Previously this was only enabled for ``.loc``:
-
- Previous Behavior
-
- .. code-block:: python
-
- In [8]: s.ix[-1.0:2]
- TypeError: the slice start value [-1.0] is not a proper indexer for this index type (Int64Index)
-
- New Behavior
-
- .. ipython:: python
-
- s.ix[-1.0:2]
-
-- Provide a useful exception for indexing with an invalid type for that index when using ``.loc``. For example trying to use ``.loc`` on an index of type ``DatetimeIndex`` or ``PeriodIndex`` or ``TimedeltaIndex``, with an integer (or a float).
-
- Previous Behavior
-
- .. code-block:: python
-
- In [4]: df.loc[2:3]
- KeyError: 'start bound [2] is not the [index]'
-
- New Behavior
-
- .. code-block:: python
-
- In [4]: df.loc[2:3]
- TypeError: Cannot do slice indexing on <class 'pandas.tseries.index.DatetimeIndex'> with <type 'int'> keys
-
.. _whatsnew_0160.api:
@@ -436,15 +370,16 @@ Indexing Changes
The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:issue:`8613`). Furthermore we have improved the content of the error messages that are raised:
-- slicing with ``.loc`` where the start and/or stop bound is not found in the index is now allowed; this previously would raise a ``KeyError``. This makes the behavior the same as ``.ix`` in this case. This change is only for slicing, not when indexing with a single label.
+- Slicing with ``.loc`` where the start and/or stop bound is not found in the index is now allowed; this previously would raise a ``KeyError``. This makes the behavior the same as ``.ix`` in this case. This change is only for slicing, not when indexing with a single label.
-.. ipython:: python
+ .. ipython:: python
- df = DataFrame(np.random.randn(5,4),
+ df = DataFrame(np.random.randn(5, 4),
columns=list('ABCD'),
- index=date_range('20130101',periods=5))
+ index=date_range('20130101', periods=5))
df
- s = Series(range(5),[-2,-1,1,2,3])
+
+ s = Series(range(5), [-2,-1,1,2,3])
s
Previous Behavior
@@ -464,7 +399,7 @@ The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:
df.loc['2013-01-02':'2013-01-10']
s.loc[-10:3]
-- allow slicing with float-like values on an integer index for ``.ix``. Previously this was only enabled for ``.loc``:
+- Allow slicing with float-like values on an integer index for ``.ix``. Previously this was only enabled for ``.loc``:
Previous Behavior
@@ -479,7 +414,7 @@ The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:
s.ix[-1.0:2]
-- provide a useful exception for indexing with an invalid type for that index when using ``.loc``. For example trying to use ``.loc`` on an index of type ``DatetimeIndex`` or ``PeriodIndex`` or ``TimedeltaIndex``, with an integer (or a float).
+- Provide a useful exception for indexing with an invalid type for that index when using ``.loc``. For example trying to use ``.loc`` on an index of type ``DatetimeIndex`` or ``PeriodIndex`` or ``TimedeltaIndex``, with an integer (or a float).
Previous Behavior
| "Indexing Changes" section is duplicated in what's new.
- http://pandas-docs.github.io/pandas-docs-travis/whatsnew.html
| https://api.github.com/repos/pandas-dev/pandas/pulls/9655 | 2015-03-14T01:52:50Z | 2015-03-14T01:54:08Z | null | 2015-03-16T11:56:11Z |
DOC: organize stringmethods in what's new | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 0eeee8ccfddf6..df99148383ade 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -14,6 +14,7 @@ Highlights include:
- Backwards incompatible change to ``Timedelta`` to conform the ``.seconds`` attribute with ``datetime.timedelta``, see :ref:`here <whatsnew_0160.api_breaking.timedelta>`
- Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
- Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
+- Enhancement to the ``.str`` accessor to make string operations easier, see :ref:`here <whatsnew_0160.enhancements.string>`
Check the :ref:`API Changes <whatsnew_0160.api>` and :ref:`deprecations <whatsnew_0160.deprecations>` before updating.
@@ -120,6 +121,45 @@ from a ``scipy.sparse.coo_matrix``:
ss = SparseSeries.from_coo(A)
ss
+.. _whatsnew_0160.enhancements.string:
+
+String Methods Enhancements
+^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+- Following new methods are accesible via ``.str`` accessor to apply the function to each values. This is intended to make it more consistent with standard methods on strings. (:issue:`9282`, :issue:`9352`, :issue:`9386`, :issue:`9387`, :issue:`9439`)
+
+============= ============= ============= =============== ===============
+.. .. Methods .. ..
+============= ============= ============= =============== ===============
+``isalnum()`` ``isalpha()`` ``isdigit()`` ``isdigit()`` ``isspace()``
+``islower()`` ``isupper()`` ``istitle()`` ``isnumeric()`` ``isdecimal()``
+``find()`` ``rfind()`` ``ljust()`` ``rjust()`` ``zfill()``
+============= ============= ============= =============== ===============
+
+.. ipython:: python
+
+ s = Series(['abcd', '3456', 'EFGH'])
+ s.str.isalpha()
+ s.str.find('ab')
+
+
+- :meth:`Series.str.pad` and :meth:`Series.str.center` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
+
+.. ipython:: python
+
+ s = Series(['12', '300', '25'])
+ s.str.pad(5, fillchar='_')
+
+
+- Added :meth:`Series.str.slice_replace`, which previously raised ``NotImplementedError`` (:issue:`8888`)
+
+.. ipython:: python
+
+ s = Series(['ABCD', 'EFGH', 'IJK'])
+ s.str.slice_replace(1, 3, 'X')
+ # replaced with empty char
+ s.str.slice_replace(0, 1)
+
.. _whatsnew_0160.enhancements.other:
Other enhancements
@@ -137,7 +177,6 @@ Other enhancements
- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>`. (issue:`9493`:)
- Paths beginning with ~ will now be expanded to begin with the user's home directory (:issue:`9066`)
- Added time interval selection in ``get_data_yahoo`` (:issue:`9071`)
-- Added ``Series.str.slice_replace()``, which previously raised ``NotImplementedError`` (:issue:`8888`)
- Added ``Timestamp.to_datetime64()`` to complement ``Timedelta.to_timedelta64()`` (:issue:`9255`)
- ``tseries.frequencies.to_offset()`` now accepts ``Timedelta`` as input (:issue:`9064`)
- Lag parameter was added to the autocorrelation method of ``Series``, defaults to lag-1 autocorrelation (:issue:`9192`)
@@ -145,15 +184,8 @@ Other enhancements
- SQL code now safely escapes table and column names (:issue:`8986`)
- Added auto-complete for ``Series.str.<tab>``, ``Series.dt.<tab>`` and ``Series.cat.<tab>`` (:issue:`9322`)
-- Added ``StringMethods.isalnum()``, ``isalpha()``, ``isdigit()``, ``isspace()``, ``islower()``,
- ``isupper()``, ``istitle()`` which behave as the same as standard ``str`` (:issue:`9282`)
-
-- Added ``StringMethods.find()`` and ``rfind()`` which behave as the same as standard ``str`` (:issue:`9386`)
-
- ``Index.get_indexer`` now supports ``method='pad'`` and ``method='backfill'`` even for any target array, not just monotonic targets. These methods also work for monotonic decreasing as well as monotonic increasing indexes (:issue:`9258`).
- ``Index.asof`` now works on all index types (:issue:`9258`).
-
-- Added ``StringMethods.isnumeric`` and ``isdecimal`` which behave as the same as standard ``str`` (:issue:`9439`)
- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
.. code-block:: python
@@ -162,9 +194,6 @@ Other enhancements
pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
- A ``verbose`` argument has been augmented in ``io.read_excel()``, defaults to False. Set to True to print sheet names as they are parsed. (:issue:`9450`)
-- Added ``StringMethods.ljust()`` and ``rjust()`` which behave as the same as standard ``str`` (:issue:`9352`)
-- ``StringMethods.pad()`` and ``center()`` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
-- Added ``StringMethods.zfill()`` which behave as the same as standard ``str`` (:issue:`9387`)
- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
- Added ``normalize`` option for ``Timestamp`` to normalized to midnight (:issue:`8794`)
| Added summarized section to the release note based on the discussion in #9386
| https://api.github.com/repos/pandas-dev/pandas/pulls/9654 | 2015-03-14T01:47:54Z | 2015-03-16T08:49:53Z | 2015-03-16T08:49:53Z | 2015-03-16T11:56:04Z |
COMPAT: odd arrays can be correctly ordered in newer versions of numpy | diff --git a/pandas/tests/test_categorical.py b/pandas/tests/test_categorical.py
index a7f241168ea73..cd78fd22e64ca 100644
--- a/pandas/tests/test_categorical.py
+++ b/pandas/tests/test_categorical.py
@@ -86,7 +86,11 @@ def test_constructor_unsortable(self):
self.assertFalse(factor.ordered)
# this however will raise as cannot be sorted
- self.assertRaises(TypeError, lambda : Categorical.from_array(arr, ordered=True))
+ # but fixed in newer versions of numpy
+ if LooseVersion(np.__version__) < "1.10":
+ self.assertRaises(TypeError, lambda : Categorical.from_array(arr, ordered=True))
+ else:
+ Categorical.from_array(arr, ordered=True)
def test_constructor(self):
| https://api.github.com/repos/pandas-dev/pandas/pulls/9652 | 2015-03-13T21:20:32Z | 2015-03-13T22:37:33Z | 2015-03-13T22:37:33Z | 2015-03-13T22:37:33Z | |
fix crash on unicode level names | diff --git a/pandas/core/index.py b/pandas/core/index.py
index 195cb21d6564c..0eddf701995c4 100644
--- a/pandas/core/index.py
+++ b/pandas/core/index.py
@@ -4014,7 +4014,7 @@ def sortlevel(self, level=0, ascending=True, sort_remaining=True):
labels = list(self.labels)
shape = list(self.levshape)
- if isinstance(level, (str, int)):
+ if isinstance(level, (basestring, int)):
level = [level]
level = [self._get_level_number(lev) for lev in level]
| This fixed my problem when calling DataFrame.stack(<integer level number>). Not really familiar with pandas internals, but couldn't find any reason why unicode strings won't be accepted here.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9650 | 2015-03-13T20:31:02Z | 2015-04-11T18:29:26Z | null | 2015-04-11T18:29:26Z |
DOC: Fix heading level for assign | diff --git a/doc/source/dsintro.rst b/doc/source/dsintro.rst
index 6eb13ce722fff..e1c14029f1cf9 100644
--- a/doc/source/dsintro.rst
+++ b/doc/source/dsintro.rst
@@ -453,7 +453,7 @@ available to insert at a particular location in the columns:
.. _dsintro.chained_assignment:
Assigning New Columns in Method Chains
---------------------------------------
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
.. versionadded:: 0.16.0
| Closes https://github.com/pydata/pandas/issues/9646
I did this through the GH online editor. Let's see if it works.
| https://api.github.com/repos/pandas-dev/pandas/pulls/9649 | 2015-03-13T19:48:05Z | 2015-03-13T23:46:29Z | 2015-03-13T23:46:29Z | 2015-03-13T23:46:32Z |
PERF: optimize memory usage for to_hdf | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index 4790017727005..54ef3c893f355 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -514,6 +514,7 @@ Performance Improvements
- Performance improvements in ``MultiIndex.sortlevel`` (:issue:`9445`)
- Performance and memory usage improvements in ``DataFrame.duplicated`` (:issue:`9398`)
- Cythonized ``Period`` (:issue:`9440`)
+- Decreased memory usage on ``to_hdf`` (:issue:`9648`)
.. _whatsnew_0160.bug_fixes:
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 4029aaec78a4a..e05709d7a180f 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -2014,6 +2014,14 @@ def __setattr__(self, name, value):
#----------------------------------------------------------------------
# Consolidation of internals
+ def _protect_consolidate(self, f):
+ """ consolidate _data. if the blocks have changed, then clear the cache """
+ blocks_before = len(self._data.blocks)
+ result = f()
+ if len(self._data.blocks) != blocks_before:
+ self._clear_item_cache()
+ return result
+
def _consolidate_inplace(self):
f = lambda: self._data.consolidate()
self._data = self._protect_consolidate(f)
@@ -2038,8 +2046,6 @@ def consolidate(self, inplace=False):
else:
f = lambda: self._data.consolidate()
cons_data = self._protect_consolidate(f)
- if cons_data is self._data:
- cons_data = cons_data.copy()
return self._constructor(cons_data).__finalize__(self)
@property
@@ -2075,13 +2081,6 @@ def _check_inplace_setting(self, value):
return True
- def _protect_consolidate(self, f):
- blocks_before = len(self._data.blocks)
- result = f()
- if len(self._data.blocks) != blocks_before:
- self._clear_item_cache()
- return result
-
def _get_numeric_data(self):
return self._constructor(
self._data.get_numeric_data()).__finalize__(self)
diff --git a/pandas/core/internals.py b/pandas/core/internals.py
index 5cb032521d51a..7a16fb2b6b0d7 100644
--- a/pandas/core/internals.py
+++ b/pandas/core/internals.py
@@ -1752,7 +1752,7 @@ def _astype(self, dtype, copy=False, raise_on_error=True, values=None,
if self.is_categorical_astype(dtype):
values = self.values
else:
- values = np.array(self.values).astype(dtype)
+ values = np.asarray(self.values).astype(dtype, copy=False)
if copy:
values = values.copy()
diff --git a/pandas/io/pytables.py b/pandas/io/pytables.py
index e784934ea28b2..be81993e1aab7 100644
--- a/pandas/io/pytables.py
+++ b/pandas/io/pytables.py
@@ -1782,13 +1782,13 @@ def set_atom(self, block, block_items, existing_col, min_itemsize,
return self.set_atom_timedelta64(block)
dtype = block.dtype.name
- rvalues = block.values.ravel()
- inferred_type = lib.infer_dtype(rvalues)
+ inferred_type = lib.infer_dtype(block.values)
if inferred_type == 'date':
raise TypeError(
"[date] is not implemented as a table column")
elif inferred_type == 'datetime':
+ rvalues = block.values.ravel()
if getattr(rvalues[0], 'tzinfo', None) is not None:
# if this block has more than one timezone, raise
@@ -1917,7 +1917,7 @@ def get_atom_data(self, block, kind=None):
def set_atom_data(self, block):
self.kind = block.dtype.name
self.typ = self.get_atom_data(block)
- self.set_data(block.values.astype(self.typ.type))
+ self.set_data(block.values.astype(self.typ.type, copy=False))
def set_atom_categorical(self, block, items, info=None, values=None):
# currently only supports a 1-D categorical
@@ -2016,7 +2016,7 @@ def convert(self, values, nan_rep, encoding):
index = DatetimeIndex(
self.data.ravel(), tz='UTC').tz_convert(self.tz)
- self.data = np.array(
+ self.data = np.asarray(
index.tolist(), dtype=object).reshape(self.data.shape)
else:
@@ -2026,14 +2026,14 @@ def convert(self, values, nan_rep, encoding):
self.data = np.asarray(self.data, dtype='m8[ns]')
elif dtype == u('date'):
try:
- self.data = np.array(
+ self.data = np.asarray(
[date.fromordinal(v) for v in self.data], dtype=object)
except ValueError:
- self.data = np.array(
+ self.data = np.asarray(
[date.fromtimestamp(v) for v in self.data],
dtype=object)
elif dtype == u('datetime'):
- self.data = np.array(
+ self.data = np.asarray(
[datetime.fromtimestamp(v) for v in self.data],
dtype=object)
@@ -2048,9 +2048,9 @@ def convert(self, values, nan_rep, encoding):
else:
try:
- self.data = self.data.astype(dtype)
+ self.data = self.data.astype(dtype, copy=False)
except:
- self.data = self.data.astype('O')
+ self.data = self.data.astype('O', copy=False)
# convert nans / decode
if _ensure_decoded(self.kind) == u('string'):
@@ -2337,9 +2337,9 @@ def read_array(self, key):
ret = data
if dtype == u('datetime64'):
- ret = np.array(ret, dtype='M8[ns]')
+ ret = np.asarray(ret, dtype='M8[ns]')
elif dtype == u('timedelta64'):
- ret = np.array(ret, dtype='m8[ns]')
+ ret = np.asarray(ret, dtype='m8[ns]')
if transposed:
return ret.T
@@ -3793,7 +3793,7 @@ def write_data(self, chunksize, dropna=True):
# figure the mask: only do if we can successfully process this
# column, otherwise ignore the mask
mask = com.isnull(a.data).all(axis=0)
- masks.append(mask.astype('u1'))
+ masks.append(mask.astype('u1', copy=False))
# consolidate masks
mask = masks[0]
@@ -3803,8 +3803,7 @@ def write_data(self, chunksize, dropna=True):
else:
- mask = np.empty(nrows, dtype='u1')
- mask.fill(False)
+ mask = None
# broadcast the indexes if needed
indexes = [a.cvalues for a in self.index_axes]
@@ -3833,12 +3832,13 @@ def write_data(self, chunksize, dropna=True):
bvalues = []
for i, v in enumerate(values):
new_shape = (nrows,) + self.dtype[names[nindexes + i]].shape
- bvalues.append(values[i].ravel().reshape(new_shape))
+ bvalues.append(values[i].reshape(new_shape))
# write the chunks
if chunksize is None:
chunksize = 100000
+ rows = np.empty(min(chunksize,nrows), dtype=self.dtype)
chunks = int(nrows / chunksize) + 1
for i in range(chunks):
start_i = i * chunksize
@@ -3847,11 +3847,20 @@ def write_data(self, chunksize, dropna=True):
break
self.write_data_chunk(
+ rows,
indexes=[a[start_i:end_i] for a in bindexes],
- mask=mask[start_i:end_i],
+ mask=mask[start_i:end_i] if mask is not None else None,
values=[v[start_i:end_i] for v in bvalues])
- def write_data_chunk(self, indexes, mask, values):
+ def write_data_chunk(self, rows, indexes, mask, values):
+ """
+ Parameters
+ ----------
+ rows : an empty memory space where we are putting the chunk
+ indexes : an array of the indexes
+ mask : an array of the masks
+ values : an array of the values
+ """
# 0 len
for v in values:
@@ -3860,7 +3869,8 @@ def write_data_chunk(self, indexes, mask, values):
try:
nrows = indexes[0].shape[0]
- rows = np.empty(nrows, dtype=self.dtype)
+ if nrows != len(rows):
+ rows = np.empty(nrows, dtype=self.dtype)
names = self.dtype.names
nindexes = len(indexes)
@@ -3873,7 +3883,10 @@ def write_data_chunk(self, indexes, mask, values):
rows[names[i + nindexes]] = v
# mask
- rows = rows[~mask.ravel().astype(bool)]
+ if mask is not None:
+ m = ~mask.ravel().astype(bool, copy=False)
+ if not m.all():
+ rows = rows[m]
except Exception as detail:
raise Exception("cannot create row-data -> %s" % detail)
@@ -4240,14 +4253,14 @@ def _convert_index(index, encoding=None, format_type=None):
tz=getattr(index, 'tz', None),
index_name=index_name)
elif inferred_type == 'datetime':
- converted = np.array([(time.mktime(v.timetuple()) +
- v.microsecond / 1E6) for v in values],
- dtype=np.float64)
+ converted = np.asarray([(time.mktime(v.timetuple()) +
+ v.microsecond / 1E6) for v in values],
+ dtype=np.float64)
return IndexCol(converted, 'datetime', _tables().Time64Col(),
index_name=index_name)
elif inferred_type == 'date':
- converted = np.array([v.toordinal() for v in values],
- dtype=np.int32)
+ converted = np.asarray([v.toordinal() for v in values],
+ dtype=np.int32)
return IndexCol(converted, 'date', _tables().Time32Col(),
index_name=index_name)
elif inferred_type == 'string':
@@ -4290,21 +4303,21 @@ def _unconvert_index(data, kind, encoding=None):
if kind == u('datetime64'):
index = DatetimeIndex(data)
elif kind == u('datetime'):
- index = np.array([datetime.fromtimestamp(v) for v in data],
- dtype=object)
+ index = np.asarray([datetime.fromtimestamp(v) for v in data],
+ dtype=object)
elif kind == u('date'):
try:
- index = np.array(
+ index = np.asarray(
[date.fromordinal(v) for v in data], dtype=object)
except (ValueError):
- index = np.array(
+ index = np.asarray(
[date.fromtimestamp(v) for v in data], dtype=object)
elif kind in (u('integer'), u('float')):
- index = np.array(data)
+ index = np.asarray(data)
elif kind in (u('string')):
index = _unconvert_string_array(data, nan_rep=None, encoding=encoding)
elif kind == u('object'):
- index = np.array(data[0])
+ index = np.asarray(data[0])
else: # pragma: no cover
raise ValueError('unrecognized index type %s' % kind)
return index
@@ -4315,7 +4328,7 @@ def _unconvert_index_legacy(data, kind, legacy=False, encoding=None):
if kind == u('datetime'):
index = lib.time64_to_datetime(data)
elif kind in (u('integer')):
- index = np.array(data, dtype=object)
+ index = np.asarray(data, dtype=object)
elif kind in (u('string')):
index = _unconvert_string_array(data, nan_rep=None, encoding=encoding)
else: # pragma: no cover
@@ -4334,13 +4347,13 @@ def _convert_string_array(data, encoding, itemsize=None):
if itemsize is None:
itemsize = lib.max_len_string_array(com._ensure_object(data.ravel()))
- data = np.array(data, dtype="S%d" % itemsize)
+ data = np.asarray(data, dtype="S%d" % itemsize)
return data
def _unconvert_string_array(data, nan_rep=None, encoding=None):
""" deserialize a string array, possibly decoding """
shape = data.shape
- data = np.array(data.ravel(), dtype=object)
+ data = np.asarray(data.ravel(), dtype=object)
# guard against a None encoding in PY3 (because of a legacy
# where the passed encoding is actually None)
@@ -4353,7 +4366,7 @@ def _unconvert_string_array(data, nan_rep=None, encoding=None):
dtype = "U{0}".format(itemsize)
else:
dtype = "S{0}".format(itemsize)
- data = data.astype(dtype).astype(object)
+ data = data.astype(dtype, copy=False).astype(object, copy=False)
except (Exception) as e:
f = np.vectorize(lambda x: x.decode(encoding), otypes=[np.object])
data = f(data)
@@ -4376,7 +4389,7 @@ def _maybe_convert(values, val_kind, encoding):
def _get_converter(kind, encoding):
kind = _ensure_decoded(kind)
if kind == 'datetime64':
- return lambda x: np.array(x, dtype='M8[ns]')
+ return lambda x: np.asarray(x, dtype='M8[ns]')
elif kind == 'datetime':
return lib.convert_timestamps
elif kind == 'string':
@@ -4421,7 +4434,7 @@ def __init__(self, table, where=None, start=None, stop=None, **kwargs):
try:
inferred = lib.infer_dtype(where)
if inferred == 'integer' or inferred == 'boolean':
- where = np.array(where)
+ where = np.asarray(where)
if where.dtype == np.bool_:
start, stop = self.start, self.stop
if start is None:
diff --git a/pandas/io/tests/test_pytables.py b/pandas/io/tests/test_pytables.py
index e95d46f66f17f..41287ebba1ba3 100644
--- a/pandas/io/tests/test_pytables.py
+++ b/pandas/io/tests/test_pytables.py
@@ -4593,12 +4593,17 @@ def test_categorical(self):
with ensure_clean_store(self.path) as store:
- s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d']))
-
+ # basic
+ s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d'], ordered=False))
store.append('s', s, format='table')
result = store.select('s')
tm.assert_series_equal(s, result)
+ s = Series(Categorical(['a', 'b', 'b', 'a', 'a', 'c'], categories=['a','b','c','d'], ordered=True))
+ store.append('s_ordered', s, format='table')
+ result = store.select('s_ordered')
+ tm.assert_series_equal(s, result)
+
df = DataFrame({"s":s, "vals":[1,2,3,4,5,6]})
store.append('df', df, format='table')
result = store.select('df')
@@ -4639,6 +4644,10 @@ def test_categorical(self):
result = store.select('df3', where = ['s in ["b","c"]'])
tm.assert_frame_equal(result, expected)
+ expected = df[df.s.isin(['b','c'])]
+ result = store.select('df3', where = ['s = ["b","c"]'])
+ tm.assert_frame_equal(result, expected)
+
expected = df[df.s.isin(['d'])]
result = store.select('df3', where = ['s in ["d"]'])
tm.assert_frame_equal(result, expected)
| from [here](http://stackoverflow.com/questions/29016093/pandas-pytable-memory-overhead-when-writing-to-hdf/29035532#29035532)
reduce memeory usage necessary for using `to_hdf`
- was copying always in astyping
- was ravelling then reshaping
- was constantly allocating a new chunked buffer, now re-uses the same buffer
```
In [1]: df = pd.DataFrame(np.random.rand(1000000,500))
df.info()
In [2]: df.info()
<class 'pandas.core.frame.DataFrame'>
Int64Index: 1000000 entries, 0 to 999999
Columns: 500 entries, 0 to 499
dtypes: float64(500)
memory usage: 3.7 GB
```
Previously
```
In [3]: %memit -r 1 df.to_hdf('test.h5','df',format='table',mode='w')
peak memory: 11029.49 MiB, increment: 7130.57 MiB
```
With PR
```
In [2]: memit -r 1 df.to_hdf('test.h5','df',format='table',mode='w')
peak memory: 4669.21 MiB, increment: 794.57 MiB
```
| https://api.github.com/repos/pandas-dev/pandas/pulls/9648 | 2015-03-13T18:27:16Z | 2015-03-16T00:07:22Z | 2015-03-16T00:07:22Z | 2019-04-22T07:41:24Z |
Allow clip{,_lower,_upper} to use array-like thresholds (GH 6966) | diff --git a/doc/source/whatsnew/v0.16.1.txt b/doc/source/whatsnew/v0.16.1.txt
index c0408c4123eab..b99f3e2cd7059 100755
--- a/doc/source/whatsnew/v0.16.1.txt
+++ b/doc/source/whatsnew/v0.16.1.txt
@@ -23,6 +23,7 @@ Enhancements
- Added ``StringMethods.capitalize()`` and ``swapcase`` which behave as the same as standard ``str`` (:issue:`9766`)
- Added ``StringMethods`` (.str accessor) to ``Index`` (:issue:`9068`)
+- Allow clip, clip_lower, and clip_upper to accept array-like arguments as thresholds (:issue:`6966`). These methods now have an ``axis`` parameter which determines how the Series or DataFrame will be aligned with the threshold(s).
The ``.str`` accessor is now available for both ``Series`` and ``Index``.
diff --git a/pandas/core/generic.py b/pandas/core/generic.py
index 681cfc0f7a416..d7defd2b417da 100644
--- a/pandas/core/generic.py
+++ b/pandas/core/generic.py
@@ -2821,37 +2821,77 @@ def notnull(self):
"""
return notnull(self).__finalize__(self)
- def clip(self, lower=None, upper=None, out=None):
+ def clip(self, lower=None, upper=None, out=None, axis=None):
"""
Trim values at input threshold(s)
Parameters
----------
- lower : float, default None
- upper : float, default None
+ lower : float or array_like, default None
+ upper : float or array_like, default None
+ axis : int or string axis name, optional
+ Align object with lower and upper along the given axis.
Returns
-------
clipped : Series
+
+ Examples
+ --------
+ >>> df
+ 0 1
+ 0 0.335232 -1.256177
+ 1 -1.367855 0.746646
+ 2 0.027753 -1.176076
+ 3 0.230930 -0.679613
+ 4 1.261967 0.570967
+ >>> df.clip(-1.0, 0.5)
+ 0 1
+ 0 0.335232 -1.000000
+ 1 -1.000000 0.500000
+ 2 0.027753 -1.000000
+ 3 0.230930 -0.679613
+ 4 0.500000 0.500000
+ >>> t
+ 0 -0.3
+ 1 -0.2
+ 2 -0.1
+ 3 0.0
+ 4 0.1
+ dtype: float64
+ >>> df.clip(t, t + 1, axis=0)
+ 0 1
+ 0 0.335232 -0.300000
+ 1 -0.200000 0.746646
+ 2 0.027753 -0.100000
+ 3 0.230930 0.000000
+ 4 1.100000 0.570967
"""
if out is not None: # pragma: no cover
raise Exception('out argument is not supported yet')
# GH 2747 (arguments were reversed)
if lower is not None and upper is not None:
- lower, upper = min(lower, upper), max(lower, upper)
+ if lib.isscalar(lower) and lib.isscalar(upper):
+ lower, upper = min(lower, upper), max(lower, upper)
result = self
if lower is not None:
- result = result.clip_lower(lower)
+ result = result.clip_lower(lower, axis)
if upper is not None:
- result = result.clip_upper(upper)
+ result = result.clip_upper(upper, axis)
return result
- def clip_upper(self, threshold):
+ def clip_upper(self, threshold, axis=None):
"""
- Return copy of input with values above given value truncated
+ Return copy of input with values above given value(s) truncated
+
+ Parameters
+ ----------
+ threshold : float or array_like
+ axis : int or string axis name, optional
+ Align object with threshold along the given axis.
See also
--------
@@ -2861,14 +2901,21 @@ def clip_upper(self, threshold):
-------
clipped : same type as input
"""
- if isnull(threshold):
+ if np.any(isnull(threshold)):
raise ValueError("Cannot use an NA value as a clip threshold")
- return self.where((self <= threshold) | isnull(self), threshold)
+ subset = self.le(threshold, axis=axis) | isnull(self)
+ return self.where(subset, threshold, axis=axis)
- def clip_lower(self, threshold):
+ def clip_lower(self, threshold, axis=None):
"""
- Return copy of the input with values below given value truncated
+ Return copy of the input with values below given value(s) truncated
+
+ Parameters
+ ----------
+ threshold : float or array_like
+ axis : int or string axis name, optional
+ Align object with threshold along the given axis.
See also
--------
@@ -2878,10 +2925,11 @@ def clip_lower(self, threshold):
-------
clipped : same type as input
"""
- if isnull(threshold):
+ if np.any(isnull(threshold)):
raise ValueError("Cannot use an NA value as a clip threshold")
- return self.where((self >= threshold) | isnull(self), threshold)
+ subset = self.ge(threshold, axis=axis) | isnull(self)
+ return self.where(subset, threshold, axis=axis)
def groupby(self, by=None, axis=0, level=None, as_index=True, sort=True,
group_keys=True, squeeze=False):
diff --git a/pandas/core/ops.py b/pandas/core/ops.py
index 2af9cd43faaef..a4c9bff3dd97f 100644
--- a/pandas/core/ops.py
+++ b/pandas/core/ops.py
@@ -571,7 +571,11 @@ def na_op(x, y):
return result
- def wrapper(self, other):
+ def wrapper(self, other, axis=None):
+ # Validate the axis parameter
+ if axis is not None:
+ self._get_axis_number(axis)
+
if isinstance(other, pd.Series):
name = _maybe_match_name(self, other)
if len(self) != len(other):
diff --git a/pandas/tests/test_frame.py b/pandas/tests/test_frame.py
index 5912ccb1494fe..e88bf9da9791d 100644
--- a/pandas/tests/test_frame.py
+++ b/pandas/tests/test_frame.py
@@ -11394,6 +11394,39 @@ def test_dataframe_clip(self):
self.assertTrue((clipped_df.values[ub_mask] == ub).all() == True)
self.assertTrue((clipped_df.values[mask] == df.values[mask]).all() == True)
+ def test_clip_against_series(self):
+ # GH #6966
+
+ df = DataFrame(np.random.randn(1000, 2))
+ lb = Series(np.random.randn(1000))
+ ub = lb + 1
+
+ clipped_df = df.clip(lb, ub, axis=0)
+
+ for i in range(2):
+ lb_mask = df.iloc[:, i] <= lb
+ ub_mask = df.iloc[:, i] >= ub
+ mask = ~lb_mask & ~ub_mask
+
+ assert_series_equal(clipped_df.loc[lb_mask, i], lb[lb_mask])
+ assert_series_equal(clipped_df.loc[ub_mask, i], ub[ub_mask])
+ assert_series_equal(clipped_df.loc[mask, i], df.loc[mask, i])
+
+ def test_clip_against_frame(self):
+ df = DataFrame(np.random.randn(1000, 2))
+ lb = DataFrame(np.random.randn(1000, 2))
+ ub = lb + 1
+
+ clipped_df = df.clip(lb, ub)
+
+ lb_mask = df <= lb
+ ub_mask = df >= ub
+ mask = ~lb_mask & ~ub_mask
+
+ assert_frame_equal(clipped_df[lb_mask], lb[lb_mask])
+ assert_frame_equal(clipped_df[ub_mask], ub[ub_mask])
+ assert_frame_equal(clipped_df[mask], df[mask])
+
def test_get_X_columns(self):
# numeric and object columns
diff --git a/pandas/tests/test_series.py b/pandas/tests/test_series.py
index f1a9e23796804..aa95986be0722 100644
--- a/pandas/tests/test_series.py
+++ b/pandas/tests/test_series.py
@@ -5037,6 +5037,20 @@ def test_clip_types_and_nulls(self):
self.assertEqual(list(isnull(s)), list(isnull(l)))
self.assertEqual(list(isnull(s)), list(isnull(u)))
+ def test_clip_against_series(self):
+ # GH #6966
+
+ s = Series([1.0, 1.0, 4.0])
+ threshold = Series([1.0, 2.0, 3.0])
+
+ assert_series_equal(s.clip_lower(threshold), Series([1.0, 2.0, 4.0]))
+ assert_series_equal(s.clip_upper(threshold), Series([1.0, 1.0, 3.0]))
+
+ lower = Series([1.0, 2.0, 3.0])
+ upper = Series([1.5, 2.5, 3.5])
+ assert_series_equal(s.clip(lower, upper), Series([1.0, 2.0, 3.5]))
+ assert_series_equal(s.clip(1.5, upper), Series([1.5, 1.5, 3.5]))
+
def test_valid(self):
ts = self.ts.copy()
ts[::2] = np.NaN
| closes #6966
| https://api.github.com/repos/pandas-dev/pandas/pulls/9647 | 2015-03-13T16:55:41Z | 2015-04-28T11:56:04Z | 2015-04-28T11:56:04Z | 2015-09-19T00:38:04Z |
DOC: reorg whatsnew file v0.16.0 | diff --git a/doc/source/whatsnew/v0.16.0.txt b/doc/source/whatsnew/v0.16.0.txt
index d60fa718ae07c..2cb1df2cef202 100644
--- a/doc/source/whatsnew/v0.16.0.txt
+++ b/doc/source/whatsnew/v0.16.0.txt
@@ -7,75 +7,29 @@ This is a major release from 0.15.2 and includes a small number of API changes,
enhancements, and performance improvements along with a large number of bug fixes. We recommend that all
users upgrade to this version.
-- Highlights include:
+Highlights include:
- * ``DataFrame.assign`` method, see :ref:`here <whatsnew_0160.enhancements.assign>`
- * ``Series.to_coo/from_coo`` methods to interact with ``scipy.sparse``, see :ref:`here <whatsnew_0160.enhancements.sparse>`
- * Backwards incompatible change to ``Timedelta`` to conform the ``.seconds`` attribute with ``datetime.timedelta``, see :ref:`here <whatsnew_0160.api_breaking.timedelta>`
- * Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
- * Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
+- ``DataFrame.assign`` method, see :ref:`here <whatsnew_0160.enhancements.assign>`
+- ``Series.to_coo/from_coo`` methods to interact with ``scipy.sparse``, see :ref:`here <whatsnew_0160.enhancements.sparse>`
+- Backwards incompatible change to ``Timedelta`` to conform the ``.seconds`` attribute with ``datetime.timedelta``, see :ref:`here <whatsnew_0160.api_breaking.timedelta>`
+- Changes to the ``.loc`` slicing API to conform with the behavior of ``.ix`` see :ref:`here <whatsnew_0160.api_breaking.indexing>`
+- Changes to the default for ordering in the ``Categorical`` constructor, see :ref:`here <whatsnew_0160.api_breaking.categorical>`
-- Check the :ref:`API Changes <whatsnew_0160.api>` and :ref:`deprecations <whatsnew_0160.deprecations>` before updating
+Check the :ref:`API Changes <whatsnew_0160.api>` and :ref:`deprecations <whatsnew_0160.deprecations>` before updating.
-- :ref:`Other Enhancements <whatsnew_0160.enhancements>`
+.. contents:: What's new in v0.16.0
+ :local:
-- :ref:`Performance Improvements <whatsnew_0160.performance>`
-
-- :ref:`Bug Fixes <whatsnew_0160.bug_fixes>`
.. _whatsnew_0160.enhancements:
New features
~~~~~~~~~~~~
-- Reindex now supports ``method='nearest'`` for frames or series with a monotonic increasing or decreasing index (:issue:`9258`):
-
- .. ipython:: python
-
- df = pd.DataFrame({'x': range(5)})
- df.reindex([0.2, 1.8, 3.5], method='nearest')
-
- This method is also exposed by the lower level ``Index.get_indexer`` and ``Index.get_loc`` methods.
-
-- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>`. (issue:`9493`:)
-- Paths beginning with ~ will now be expanded to begin with the user's home directory (:issue:`9066`)
-- Added time interval selection in ``get_data_yahoo`` (:issue:`9071`)
-- Added ``Series.str.slice_replace()``, which previously raised ``NotImplementedError`` (:issue:`8888`)
-- Added ``Timestamp.to_datetime64()`` to complement ``Timedelta.to_timedelta64()`` (:issue:`9255`)
-- ``tseries.frequencies.to_offset()`` now accepts ``Timedelta`` as input (:issue:`9064`)
-- Lag parameter was added to the autocorrelation method of ``Series``, defaults to lag-1 autocorrelation (:issue:`9192`)
-- ``Timedelta`` will now accept ``nanoseconds`` keyword in constructor (:issue:`9273`)
-- SQL code now safely escapes table and column names (:issue:`8986`)
-
-- Added auto-complete for ``Series.str.<tab>``, ``Series.dt.<tab>`` and ``Series.cat.<tab>`` (:issue:`9322`)
-- Added ``StringMethods.isalnum()``, ``isalpha()``, ``isdigit()``, ``isspace()``, ``islower()``,
- ``isupper()``, ``istitle()`` which behave as the same as standard ``str`` (:issue:`9282`)
-
-- Added ``StringMethods.find()`` and ``rfind()`` which behave as the same as standard ``str`` (:issue:`9386`)
-
-- ``Index.get_indexer`` now supports ``method='pad'`` and ``method='backfill'`` even for any target array, not just monotonic targets. These methods also work for monotonic decreasing as well as monotonic increasing indexes (:issue:`9258`).
-- ``Index.asof`` now works on all index types (:issue:`9258`).
-
-- Added ``StringMethods.isnumeric`` and ``isdecimal`` which behave as the same as standard ``str`` (:issue:`9439`)
-- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
-
- .. code-block:: python
-
- # Returns the 1st and 4th sheet, as a dictionary of DataFrames.
- pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
-
-- A ``verbose`` argument has been augmented in ``io.read_excel()``, defaults to False. Set to True to print sheet names as they are parsed. (:issue:`9450`)
-- Added ``StringMethods.ljust()`` and ``rjust()`` which behave as the same as standard ``str`` (:issue:`9352`)
-- ``StringMethods.pad()`` and ``center()`` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
-- Added ``StringMethods.zfill()`` which behave as the same as standard ``str`` (:issue:`9387`)
-- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
-- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
-- Added ``normalize`` option for ``Timestamp`` to normalized to midnight (:issue:`8794`)
-
.. _whatsnew_0160.enhancements.assign:
DataFrame Assign
-~~~~~~~~~~~~~~~~
+^^^^^^^^^^^^^^^^
Inspired by `dplyr's
<http://cran.rstudio.com/web/packages/dplyr/vignettes/introduction.html#mutate>`__ ``mutate`` verb, DataFrame has a new
@@ -121,7 +75,7 @@ See the :ref:`documentation <dsintro.chained_assignment>` for more. (:issue:`922
.. _whatsnew_0160.enhancements.sparse:
Interaction with scipy.sparse
-~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
Added :meth:`SparseSeries.to_coo` and :meth:`SparseSeries.from_coo` methods (:issue:`8048`) for converting to and from ``scipy.sparse.coo_matrix`` instances (see :ref:`here <sparse.scipysparse>`). For example, given a SparseSeries with MultiIndex we can convert to a `scipy.sparse.coo_matrix` by specifying the row and column labels as index levels:
@@ -166,12 +120,67 @@ from a ``scipy.sparse.coo_matrix``:
ss = SparseSeries.from_coo(A)
ss
+.. _whatsnew_0160.enhancements.other:
+
+Other enhancements
+^^^^^^^^^^^^^^^^^^
+
+- Reindex now supports ``method='nearest'`` for frames or series with a monotonic increasing or decreasing index (:issue:`9258`):
+
+ .. ipython:: python
+
+ df = pd.DataFrame({'x': range(5)})
+ df.reindex([0.2, 1.8, 3.5], method='nearest')
+
+ This method is also exposed by the lower level ``Index.get_indexer`` and ``Index.get_loc`` methods.
+
+- Allow Stata files to be read incrementally with an iterator; support for long strings in Stata files. See the docs :ref:`here<io.stata_reader>`. (issue:`9493`:)
+- Paths beginning with ~ will now be expanded to begin with the user's home directory (:issue:`9066`)
+- Added time interval selection in ``get_data_yahoo`` (:issue:`9071`)
+- Added ``Series.str.slice_replace()``, which previously raised ``NotImplementedError`` (:issue:`8888`)
+- Added ``Timestamp.to_datetime64()`` to complement ``Timedelta.to_timedelta64()`` (:issue:`9255`)
+- ``tseries.frequencies.to_offset()`` now accepts ``Timedelta`` as input (:issue:`9064`)
+- Lag parameter was added to the autocorrelation method of ``Series``, defaults to lag-1 autocorrelation (:issue:`9192`)
+- ``Timedelta`` will now accept ``nanoseconds`` keyword in constructor (:issue:`9273`)
+- SQL code now safely escapes table and column names (:issue:`8986`)
+
+- Added auto-complete for ``Series.str.<tab>``, ``Series.dt.<tab>`` and ``Series.cat.<tab>`` (:issue:`9322`)
+- Added ``StringMethods.isalnum()``, ``isalpha()``, ``isdigit()``, ``isspace()``, ``islower()``,
+ ``isupper()``, ``istitle()`` which behave as the same as standard ``str`` (:issue:`9282`)
+
+- Added ``StringMethods.find()`` and ``rfind()`` which behave as the same as standard ``str`` (:issue:`9386`)
+
+- ``Index.get_indexer`` now supports ``method='pad'`` and ``method='backfill'`` even for any target array, not just monotonic targets. These methods also work for monotonic decreasing as well as monotonic increasing indexes (:issue:`9258`).
+- ``Index.asof`` now works on all index types (:issue:`9258`).
+
+- Added ``StringMethods.isnumeric`` and ``isdecimal`` which behave as the same as standard ``str`` (:issue:`9439`)
+- The ``read_excel()`` function's :ref:`sheetname <_io.specifying_sheets>` argument now accepts a list and ``None``, to get multiple or all sheets respectively. If more than one sheet is specified, a dictionary is returned. (:issue:`9450`)
+
+ .. code-block:: python
+
+ # Returns the 1st and 4th sheet, as a dictionary of DataFrames.
+ pd.read_excel('path_to_file.xls',sheetname=['Sheet1',3])
+
+- A ``verbose`` argument has been augmented in ``io.read_excel()``, defaults to False. Set to True to print sheet names as they are parsed. (:issue:`9450`)
+- Added ``StringMethods.ljust()`` and ``rjust()`` which behave as the same as standard ``str`` (:issue:`9352`)
+- ``StringMethods.pad()`` and ``center()`` now accept ``fillchar`` option to specify filling character (:issue:`9352`)
+- Added ``StringMethods.zfill()`` which behave as the same as standard ``str`` (:issue:`9387`)
+- Added ``days_in_month`` (compatibility alias ``daysinmonth``) property to ``Timestamp``, ``DatetimeIndex``, ``Period``, ``PeriodIndex``, and ``Series.dt`` (:issue:`9572`)
+- Added ``decimal`` option in ``to_csv`` to provide formatting for non-'.' decimal separators (:issue:`781`)
+- Added ``normalize`` option for ``Timestamp`` to normalized to midnight (:issue:`8794`)
+
+
+.. _whatsnew_0160.api:
+
+Backwards incompatible API changes
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+
.. _whatsnew_0160.api_breaking:
.. _whatsnew_0160.api_breaking.timedelta:
Changes in Timedelta
-~~~~~~~~~~~~~~~~~~~~
+^^^^^^^^^^^^^^^^^^^^
In v0.15.0 a new scalar type ``Timedelta`` was introduced, that is a
sub-class of ``datetime.timedelta``. Mentioned :ref:`here <whatsnew_0150.timedeltaindex>` was a notice of an API change w.r.t. the ``.seconds`` accessor. The intent was to provide a user-friendly set of accessors that give the 'natural' value for that unit, e.g. if you had a ``Timedelta('1 day, 10:11:12')``, then ``.seconds`` would return 12. However, this is at odds with the definition of ``datetime.timedelta``, which defines ``.seconds`` as ``10 * 3600 + 11 * 60 + 12 == 36672``.
@@ -212,7 +221,7 @@ Using ``.components`` allows the full component access
.. _whatsnew_0160.api_breaking.indexing:
Indexing Changes
-~~~~~~~~~~~~~~~~
+^^^^^^^^^^^^^^^^
The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:issue:`8613`). Furthermore we have improved the content of the error messages that are raised:
@@ -276,10 +285,72 @@ The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:
TypeError: Cannot do slice indexing on <class 'pandas.tseries.index.DatetimeIndex'> with <type 'int'> keys
-.. _whatsnew_0160.api:
+.. _whatsnew_0160.api_breaking.categorical:
+
+Categorical Changes
+^^^^^^^^^^^^^^^^^^^
+
+In prior versions, ``Categoricals`` that had an unspecified ordering (meaning no ``ordered`` keyword was passed) were defaulted as ``ordered`` Categoricals. Going forward, the ``ordered`` keyword in the ``Categorical`` constructor will default to ``False``. Ordering must now be explicit.
+
+Furthermore, previously you *could* change the ``ordered`` attribute of a Categorical by just setting the attribute, e.g. ``cat.ordered=True``; This is now deprecated and you should use ``cat.as_ordered()`` or ``cat.as_unordered()``. These will by default return a **new** object and not modify the existing object. (:issue:`9347`, :issue:`9190`)
+
+Previous Behavior
+
+.. code-block:: python
+
+ In [3]: s = Series([0,1,2], dtype='category')
+
+ In [4]: s
+ Out[4]:
+ 0 0
+ 1 1
+ 2 2
+ dtype: category
+ Categories (3, int64): [0 < 1 < 2]
+
+ In [5]: s.cat.ordered
+ Out[5]: True
+
+ In [6]: s.cat.ordered = False
+
+ In [7]: s
+ Out[7]:
+ 0 0
+ 1 1
+ 2 2
+ dtype: category
+ Categories (3, int64): [0, 1, 2]
+
+New Behavior
+
+.. ipython:: python
+
+ s = Series([0,1,2], dtype='category')
+ s
+ s.cat.ordered
+ s = s.cat.as_ordered()
+ s
+ s.cat.ordered
+
+ # you can set in the constructor of the Categorical
+ s = Series(Categorical([0,1,2],ordered=True))
+ s
+ s.cat.ordered
+
+For ease of creation of series of categorical data, we have added the ability to pass keywords when calling ``.astype()``. These are passed directly to the constructor.
+
+.. ipython:: python
+
+ s = Series(["a","b","c","a"]).astype('category',ordered=True)
+ s
+ s = Series(["a","b","c","a"]).astype('category',categories=list('abcdef'),ordered=False)
+ s
+
+
+.. _whatsnew_0160.api_breaking.other:
-API Changes
-~~~~~~~~~~~
+Other API Changes
+^^^^^^^^^^^^^^^^^
- ``Index.duplicated`` now returns ``np.array(dtype=bool)`` rather than ``Index(dtype=object)`` containing ``bool`` values. (:issue:`8875`)
- ``DataFrame.to_json`` now returns accurate type serialisation for each column for frames of mixed dtype (:issue:`9037`)
@@ -367,139 +438,27 @@ API Changes
- ``Series.values_counts`` and ``Series.describe`` for categorical data will now put ``NaN`` entries at the end. (:issue:`9443`)
- ``Series.describe`` for categorical data will now give counts and frequencies of 0, not ``NaN``, for unused categories (:issue:`9443`)
-
-Categorical Changes
-~~~~~~~~~~~~~~~~~~~
-
-.. _whatsnew_0160.api_breaking.categorical:
-
-In prior versions, ``Categoricals`` that had an unspecified ordering (meaning no ``ordered`` keyword was passed) were defaulted as ``ordered`` Categoricals. Going forward, the ``ordered`` keyword in the ``Categorical`` constructor will default to ``False``. Ordering must now be explicit.
-
-Furthermore, previously you *could* change the ``ordered`` attribute of a Categorical by just setting the attribute, e.g. ``cat.ordered=True``; This is now deprecated and you should use ``cat.as_ordered()`` or ``cat.as_unordered()``. These will by default return a **new** object and not modify the existing object. (:issue:`9347`, :issue:`9190`)
-
-Previous Behavior
-
-.. code-block:: python
-
- In [3]: s = Series([0,1,2], dtype='category')
-
- In [4]: s
- Out[4]:
- 0 0
- 1 1
- 2 2
- dtype: category
- Categories (3, int64): [0 < 1 < 2]
-
- In [5]: s.cat.ordered
- Out[5]: True
-
- In [6]: s.cat.ordered = False
-
- In [7]: s
- Out[7]:
- 0 0
- 1 1
- 2 2
- dtype: category
- Categories (3, int64): [0, 1, 2]
-
-New Behavior
-
-.. ipython:: python
-
- s = Series([0,1,2], dtype='category')
- s
- s.cat.ordered
- s = s.cat.as_ordered()
- s
- s.cat.ordered
-
- # you can set in the constructor of the Categorical
- s = Series(Categorical([0,1,2],ordered=True))
- s
- s.cat.ordered
-
-For ease of creation of series of categorical data, we have added the ability to pass keywords when calling ``.astype()``. These are passed directly to the constructor.
-
-.. ipython:: python
-
- s = Series(["a","b","c","a"]).astype('category',ordered=True)
- s
- s = Series(["a","b","c","a"]).astype('category',categories=list('abcdef'),ordered=False)
- s
-
-Indexing Changes
-~~~~~~~~~~~~~~~~
-
-.. _whatsnew_0160.api_breaking.indexing:
-
-The behavior of a small sub-set of edge cases for using ``.loc`` have changed (:issue:`8613`). Furthermore we have improved the content of the error messages that are raised:
-
-- slicing with ``.loc`` where the start and/or stop bound is not found in the index is now allowed; this previously would raise a ``KeyError``. This makes the behavior the same as ``.ix`` in this case. This change is only for slicing, not when indexing with a single label.
-
-.. ipython:: python
-
- df = DataFrame(np.random.randn(5,4),
- columns=list('ABCD'),
- index=date_range('20130101',periods=5))
- df
- s = Series(range(5),[-2,-1,1,2,3])
- s
-
- Previous Behavior
-
- .. code-block:: python
-
- In [4]: df.loc['2013-01-02':'2013-01-10']
- KeyError: 'stop bound [2013-01-10] is not in the [index]'
-
- In [6]: s.loc[-10:3]
- KeyError: 'start bound [-10] is not the [index]'
-
- New Behavior
+- Due to a bug fix, looking up a partial string label with ``DatetimeIndex.asof`` now includes values that match the string, even if they are after the start of the partial string label (:issue:`9258`). Old behavior:
.. ipython:: python
+ :verbatim:
- df.loc['2013-01-02':'2013-01-10']
- s.loc[-10:3]
-
-- allow slicing with float-like values on an integer index for ``.ix``. Previously this was only enabled for ``.loc``:
-
- Previous Behavior
-
- .. code-block:: python
-
- In [8]: s.ix[-1.0:2]
- TypeError: the slice start value [-1.0] is not a proper indexer for this index type (Int64Index)
+ In [4]: pd.to_datetime(['2000-01-31', '2000-02-28']).asof('2000-02')
+ Out[4]: Timestamp('2000-01-31 00:00:00')
- New Behavior
+ Fixed behavior:
.. ipython:: python
- s.ix[-1.0:2]
-
-- provide a useful exception for indexing with an invalid type for that index when using ``.loc``. For example trying to use ``.loc`` on an index of type ``DatetimeIndex`` or ``PeriodIndex`` or ``TimedeltaIndex``, with an integer (or a float).
-
- Previous Behavior
-
- .. code-block:: python
-
- In [4]: df.loc[2:3]
- KeyError: 'start bound [2] is not the [index]'
-
- New Behavior
-
- .. code-block:: python
+ pd.to_datetime(['2000-01-31', '2000-02-28']).asof('2000-02')
- In [4]: df.loc[2:3]
- TypeError: Cannot do slice indexing on <class 'pandas.tseries.index.DatetimeIndex'> with <type 'int'> keys
+ To reproduce the old behavior, simply add more precision to the label (e.g., use ``2000-02-01`` instead of ``2000-02``).
.. _whatsnew_0160.deprecations:
Deprecations
-~~~~~~~~~~~~
+^^^^^^^^^^^^
- The ``rplot`` trellis plotting interface is deprecated and will be removed
in a future version. We refer to external packages like
@@ -518,10 +477,11 @@ Deprecations
- Adding ``DatetimeIndex/PeriodIndex`` to another ``DatetimeIndex/PeriodIndex`` is being deprecated as a set-operation. This will be changed to a ``TypeError`` in a future version. ``.union()`` should be used for the union set operation. (:issue:`9094`)
- Subtracting ``DatetimeIndex/PeriodIndex`` from another ``DatetimeIndex/PeriodIndex`` is being deprecated as a set-operation. This will be changed to an actual numeric subtraction yielding a ``TimeDeltaIndex`` in a future version. ``.difference()`` should be used for the differencing set operation. (:issue:`9094`)
+
.. _whatsnew_0160.prior_deprecations:
Removal of prior version deprecations/changes
-~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
- ``DataFrame.pivot_table`` and ``crosstab``'s ``rows`` and ``cols`` keyword arguments were removed in favor
of ``index`` and ``columns`` (:issue:`6581`)
@@ -531,8 +491,8 @@ Removal of prior version deprecations/changes
.. _whatsnew_0160.performance:
-Performance
-~~~~~~~~~~~
+Performance Improvements
+~~~~~~~~~~~~~~~~~~~~~~~~
- Fixed a performance regression for ``.loc`` indexing with an array or list-like (:issue:`9126`:).
- ``DataFrame.to_json`` 30x performance improvement for mixed dtype frames. (:issue:`9037`)
@@ -576,21 +536,6 @@ Bug Fixes
- Bug in ``unstack`` with ``TimedeltaIndex`` or ``DatetimeIndex`` and nulls (:issue:`9491`).
- Bug in ``rank`` where comparing floats with tolerance will cause inconsistent behaviour (:issue:`8365`).
- Fixed character encoding bug in ``read_stata`` and ``StataReader`` when loading data from a URL (:issue:`9231`).
-- Looking up a partial string label with ``DatetimeIndex.asof`` now includes values that match the string, even if they are after the start of the partial string label (:issue:`9258`). Old behavior:
-
- .. ipython:: python
- :verbatim:
-
- In [4]: pd.to_datetime(['2000-01-31', '2000-02-28']).asof('2000-02')
- Out[4]: Timestamp('2000-01-31 00:00:00')
-
- Fixed behavior:
-
- .. ipython:: python
-
- pd.to_datetime(['2000-01-31', '2000-02-28']).asof('2000-02')
-
- To reproduce the old behavior, simply add more precision to the label (e.g., use ``2000-02-01`` instead of ``2000-02``).
- Bug in adding ``offsets.Nano`` to other offets raises ``TypeError`` (:issue:`9284`)
- Bug in ``DatetimeIndex`` iteration, related to (:issue:`8890`), fixed in (:issue:`9100`)
- Bugs in ``resample`` around DST transitions. This required fixing offset classes so they behave correctly on DST transitions. (:issue:`5172`, :issue:`8744`, :issue:`8653`, :issue:`9173`, :issue:`9468`).
@@ -620,5 +565,4 @@ Bug Fixes
- Fixed bug with reading CSV files from Amazon S3 on python 3 raising a TypeError (:issue:`9452`)
- Bug in the Google BigQuery reader where the 'jobComplete' key may be present but False in the query results (:issue:`8728`)
- Bug in ``Series.values_counts`` with excluding ``NaN`` for categorical type ``Series`` with ``dropna=True`` (:issue:`9443`)
-
- Fixed mising numeric_only option for ``DataFrame.std/var/sem`` (:issue:`9201`)
| No real edits, just some rearranging.
I added an automatic 'contents' in the beginning, so this gives all headers automatically, and in this way restricted the list in the beginning to just the highlights (then it can be copied exactly like this to the release notes in release.rst
| https://api.github.com/repos/pandas-dev/pandas/pulls/9644 | 2015-03-13T14:50:42Z | 2015-03-14T12:05:10Z | 2015-03-14T12:05:10Z | 2015-03-14T12:05:10Z |
DOC: fix some doc errors/warnings | diff --git a/doc/source/categorical.rst b/doc/source/categorical.rst
index 6ce93326f0e16..7fe04af716cec 100644
--- a/doc/source/categorical.rst
+++ b/doc/source/categorical.rst
@@ -386,9 +386,9 @@ categories or a categorical with any list-like object, will raise a TypeError.
.. ipython:: python
- cat = Series(Categorical([1,2,3], categories=[3,2,1]))
- cat_base = Series(Categorical([2,2,2], categories=[3,2,1]))
- cat_base2 = Series(Categorical([2,2,2]))
+ cat = Series([1,2,3]).astype("category", categories=[3,2,1], ordered=True)
+ cat_base = Series([2,2,2]).astype("category", categories=[3,2,1], ordered=True)
+ cat_base2 = Series([2,2,2]).astype("category", ordered=True)
cat
cat_base
diff --git a/doc/source/io.rst b/doc/source/io.rst
index d49e88c953b27..2b13131c1d576 100644
--- a/doc/source/io.rst
+++ b/doc/source/io.rst
@@ -1098,7 +1098,7 @@ class of the csv module. For this, you have to specify ``sep=None``.
.. ipython:: python
print(open('tmp2.sv').read())
- pd.read_csv('tmp2.sv', sep=None)
+ pd.read_csv('tmp2.sv', sep=None, engine='python')
.. _io.chunking:
| - `pd.read_csv('tmp2.sv', sep=None)` was given the warning "_ParserWarning: Falling back to the 'python' engine because the 'c' engine does not support sep=None with delim_whitespace=False; you can avoid this warning by specifying engine='python'_"
Is this correct? (assuming so I just added what the warning message was saying)
- with the ordered -> unordered change in the Categoricals, the example on comparing them was failing (see http://pandas-docs.github.io/pandas-docs-travis/categorical.html#comparisons)
| https://api.github.com/repos/pandas-dev/pandas/pulls/9643 | 2015-03-13T14:07:44Z | 2015-03-14T20:57:01Z | 2015-03-14T20:57:01Z | 2015-03-14T20:57:02Z |
COMPAT: dtype fix for windows tests; ensure passing i8 to tslib/normalize | diff --git a/pandas/tseries/tests/test_resample.py b/pandas/tseries/tests/test_resample.py
index 3e565d5764fe2..c338bbeae79c7 100644
--- a/pandas/tseries/tests/test_resample.py
+++ b/pandas/tseries/tests/test_resample.py
@@ -884,7 +884,7 @@ def test_resmaple_dst_anchor(self):
dti = date_range('2013-09-30', '2013-11-02', freq='30Min', tz='Europe/Paris')
values = range(dti.size)
- df = DataFrame({"a": values, "b": values, "c": values}, index=dti)
+ df = DataFrame({"a": values, "b": values, "c": values}, index=dti, dtype='int64')
how = {"a": "min", "b": "max", "c": "count"}
assert_frame_equal(df.resample("W-MON", how=how)[["a", "b", "c"]],
diff --git a/pandas/tslib.pyx b/pandas/tslib.pyx
index 763c06c7d4e7c..3f04f80406fca 100644
--- a/pandas/tslib.pyx
+++ b/pandas/tslib.pyx
@@ -456,7 +456,7 @@ class Timestamp(_Timestamp):
tz = maybe_get_tz(tz)
if not isinstance(ambiguous, basestring):
ambiguous = [ambiguous]
- value = tz_localize_to_utc(np.array([self.value]), tz,
+ value = tz_localize_to_utc(np.array([self.value],dtype='i8'), tz,
ambiguous=ambiguous)[0]
return Timestamp(value, tz=tz)
else:
@@ -468,6 +468,7 @@ class Timestamp(_Timestamp):
raise TypeError('Cannot localize tz-aware Timestamp, use '
'tz_convert for conversions')
+
def tz_convert(self, tz):
"""
Convert Timestamp to another time zone or localize to requested time
@@ -569,7 +570,7 @@ class Timestamp(_Timestamp):
Normalize Timestamp to midnight, preserving
tz information.
"""
- normalized_value = date_normalize(np.array([self.value]), tz=self.tz)[0]
+ normalized_value = date_normalize(np.array([self.value], dtype='i8'), tz=self.tz)[0]
return Timestamp(normalized_value).tz_localize(self.tz)
def __radd__(self, other):
| https://api.github.com/repos/pandas-dev/pandas/pulls/9642 | 2015-03-13T13:04:12Z | 2015-03-13T13:04:26Z | 2015-03-13T13:04:26Z | 2015-03-13T13:04:26Z |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.