B @`F!2@sUdZddlmZmZddlZddlZddlmZddlZddl Z ddl Z ddl m Z ddl mZmZmZmZmZmZmZmZmZmZddlZddlZddlmmZddlmmZ ddl!mm"Z"ddl!m#Z#ddl$m%Z%dd l&m'Z'm(Z(m)Z)dd l*m+Z+m,Z,m-Z-m.Z.dd l/m0Z0dd l1m2Z2dd l3m4Z4m5Z5m6Z6m7Z7m8Z8m9Z9m:Z:m;Z;mZ>m?Z?m@Z@mAZAmBZBmCZCddlDmEZEddlFmGZGddlHmIZImJZJddlKmLZLddlMmNZNddlOmPZPmQZQmRZRmSZSddlTmUZUddlVmWZXddlYmZZZm[Z[m\Z\ddl]m^Z^dZ_de d`eae#ddddZbddd Zcd!d"Zde'd#d$d%Zeddd&ejfd'd(dd)dddddddd'ddddd'ddd*d(d(d(dddd(dd(dd'd(d'd+%Zgd(d'd'd(d'd'dd,Zhd)d-dd.Zid/hZjd0d1hZkiZleemefend2<eoZpeemend3<e0ebjqd4d5d6eJjrd7d8ejsdd)dddd(dd'dddddd(ddddd'd'd(d'd(d(d(dd(d'd(dd)dd*dd&ejfd'ddddd'd'd(ehd0d(ddf1e'eme(d9d:d4Zte0ebjqd;dd?d;Zude'd#d@dAZvGdBdCdCejZwdDdEZxdee)eyeezfdFdGdHZ{dIdJZ|dKdLZ}dMdNZ~dOdPZdQdRZGdSdTdTZGdUdVdVeZdWdXZezdYdZd[ZGd\d]d]eZdd^d_Zdd`daZdbdcZddddeZdfdgZddhdiZdjdkZdldmZdndoZdpdqZGdrdsdsejZGdtdudueZe)emejfe)emefeyeme)emefeemefdvdwdxZeemefeejdydzd{Zd|Zejdd}d~dZejeemefeemefdddZeemefddyddZdS)zM Module contains tools for processing files into DataFrames or other objects )abc defaultdictN)StringIO)fill) AnyDictIterableIteratorListOptionalSequenceSetTypecast) STR_NA_VALUES)parsing)FilePathOrBufferStorageOptionsUnion)AbstractMethodErrorEmptyDataError ParserError ParserWarning)Appender)astype_nansafe) ensure_object ensure_str is_bool_dtypeis_categorical_dtype is_dict_likeis_dtype_equalis_extension_array_dtype is_file_likeis_float is_integeris_integer_dtype is_list_likeis_object_dtype is_scalaris_string_dtype pandas_dtype)CategoricalDtype)isna) algorithmsgeneric) Categorical) DataFrame)Index MultiIndex RangeIndexensure_index_from_sequences)Series) datetimes) IOHandles get_handlevalidate_header_arg)generic_parserua {summary} Also supports optionally iterating or breaking of the file into chunks. Additional help can be found in the online docs for `IO Tools `_. Parameters ---------- filepath_or_buffer : str, path object or file-like object Any valid string path is acceptable. The string could be a URL. Valid URL schemes include http, ftp, s3, gs, and file. For file URLs, a host is expected. A local file could be: file://localhost/path/to/table.csv. If you want to pass in a path object, pandas accepts any ``os.PathLike``. By file-like object, we refer to objects with a ``read()`` method, such as a file handle (e.g. via builtin ``open`` function) or ``StringIO``. sep : str, default {_default_sep} Delimiter to use. If sep is None, the C engine cannot automatically detect the separator, but the Python parsing engine can, meaning the latter will be used and automatically detect the separator by Python's builtin sniffer tool, ``csv.Sniffer``. In addition, separators longer than 1 character and different from ``'\s+'`` will be interpreted as regular expressions and will also force the use of the Python parsing engine. Note that regex delimiters are prone to ignoring quoted data. Regex example: ``'\r\t'``. delimiter : str, default ``None`` Alias for sep. header : int, list of int, default 'infer' Row number(s) to use as the column names, and the start of the data. Default behavior is to infer the column names: if no names are passed the behavior is identical to ``header=0`` and column names are inferred from the first line of the file, if column names are passed explicitly then the behavior is identical to ``header=None``. Explicitly pass ``header=0`` to be able to replace existing names. The header can be a list of integers that specify row locations for a multi-index on the columns e.g. [0,1,3]. Intervening rows that are not specified will be skipped (e.g. 2 in this example is skipped). Note that this parameter ignores commented lines and empty lines if ``skip_blank_lines=True``, so ``header=0`` denotes the first line of data rather than the first line of the file. names : array-like, optional List of column names to use. If the file contains a header row, then you should explicitly pass ``header=0`` to override the column names. Duplicates in this list are not allowed. index_col : int, str, sequence of int / str, or False, default ``None`` Column(s) to use as the row labels of the ``DataFrame``, either given as string name or column index. If a sequence of int / str is given, a MultiIndex is used. Note: ``index_col=False`` can be used to force pandas to *not* use the first column as the index, e.g. when you have a malformed file with delimiters at the end of each line. usecols : list-like or callable, optional Return a subset of the columns. If list-like, all elements must either be positional (i.e. integer indices into the document columns) or strings that correspond to column names provided either by the user in `names` or inferred from the document header row(s). For example, a valid list-like `usecols` parameter would be ``[0, 1, 2]`` or ``['foo', 'bar', 'baz']``. Element order is ignored, so ``usecols=[0, 1]`` is the same as ``[1, 0]``. To instantiate a DataFrame from ``data`` with element order preserved use ``pd.read_csv(data, usecols=['foo', 'bar'])[['foo', 'bar']]`` for columns in ``['foo', 'bar']`` order or ``pd.read_csv(data, usecols=['foo', 'bar'])[['bar', 'foo']]`` for ``['bar', 'foo']`` order. If callable, the callable function will be evaluated against the column names, returning names where the callable function evaluates to True. An example of a valid callable argument would be ``lambda x: x.upper() in ['AAA', 'BBB', 'DDD']``. Using this parameter results in much faster parsing time and lower memory usage. squeeze : bool, default False If the parsed data only contains one column then return a Series. prefix : str, optional Prefix to add to column numbers when no header, e.g. 'X' for X0, X1, ... mangle_dupe_cols : bool, default True Duplicate columns will be specified as 'X', 'X.1', ...'X.N', rather than 'X'...'X'. Passing in False will cause data to be overwritten if there are duplicate names in the columns. dtype : Type name or dict of column -> type, optional Data type for data or columns. E.g. {{'a': np.float64, 'b': np.int32, 'c': 'Int64'}} Use `str` or `object` together with suitable `na_values` settings to preserve and not interpret dtype. If converters are specified, they will be applied INSTEAD of dtype conversion. engine : {{'c', 'python'}}, optional Parser engine to use. The C engine is faster while the python engine is currently more feature-complete. converters : dict, optional Dict of functions for converting values in certain columns. Keys can either be integers or column labels. true_values : list, optional Values to consider as True. false_values : list, optional Values to consider as False. skipinitialspace : bool, default False Skip spaces after delimiter. skiprows : list-like, int or callable, optional Line numbers to skip (0-indexed) or number of lines to skip (int) at the start of the file. If callable, the callable function will be evaluated against the row indices, returning True if the row should be skipped and False otherwise. An example of a valid callable argument would be ``lambda x: x in [0, 2]``. skipfooter : int, default 0 Number of lines at bottom of file to skip (Unsupported with engine='c'). nrows : int, optional Number of rows of file to read. Useful for reading pieces of large files. na_values : scalar, str, list-like, or dict, optional Additional strings to recognize as NA/NaN. If dict passed, specific per-column NA values. By default the following values are interpreted as NaN: 'z', 'Fz )subsequent_indenta#'. keep_default_na : bool, default True Whether or not to include the default NaN values when parsing the data. Depending on whether `na_values` is passed in, the behavior is as follows: * If `keep_default_na` is True, and `na_values` are specified, `na_values` is appended to the default NaN values used for parsing. * If `keep_default_na` is True, and `na_values` are not specified, only the default NaN values are used for parsing. * If `keep_default_na` is False, and `na_values` are specified, only the NaN values specified `na_values` are used for parsing. * If `keep_default_na` is False, and `na_values` are not specified, no strings will be parsed as NaN. Note that if `na_filter` is passed in as False, the `keep_default_na` and `na_values` parameters will be ignored. na_filter : bool, default True Detect missing value markers (empty strings and the value of na_values). In data without any NAs, passing na_filter=False can improve the performance of reading a large file. verbose : bool, default False Indicate number of NA values placed in non-numeric columns. skip_blank_lines : bool, default True If True, skip over blank lines rather than interpreting as NaN values. parse_dates : bool or list of int or names or list of lists or dict, default False The behavior is as follows: * boolean. If True -> try parsing the index. * list of int or names. e.g. If [1, 2, 3] -> try parsing columns 1, 2, 3 each as a separate date column. * list of lists. e.g. If [[1, 3]] -> combine columns 1 and 3 and parse as a single date column. * dict, e.g. {{'foo' : [1, 3]}} -> parse columns 1, 3 as date and call result 'foo' If a column or index cannot be represented as an array of datetimes, say because of an unparsable value or a mixture of timezones, the column or index will be returned unaltered as an object data type. For non-standard datetime parsing, use ``pd.to_datetime`` after ``pd.read_csv``. To parse an index or column with a mixture of timezones, specify ``date_parser`` to be a partially-applied :func:`pandas.to_datetime` with ``utc=True``. See :ref:`io.csv.mixed_timezones` for more. Note: A fast-path exists for iso8601-formatted dates. infer_datetime_format : bool, default False If True and `parse_dates` is enabled, pandas will attempt to infer the format of the datetime strings in the columns, and if it can be inferred, switch to a faster method of parsing them. In some cases this can increase the parsing speed by 5-10x. keep_date_col : bool, default False If True and `parse_dates` specifies combining multiple columns then keep the original columns. date_parser : function, optional Function to use for converting a sequence of string columns to an array of datetime instances. The default uses ``dateutil.parser.parser`` to do the conversion. Pandas will try to call `date_parser` in three different ways, advancing to the next if an exception occurs: 1) Pass one or more arrays (as defined by `parse_dates`) as arguments; 2) concatenate (row-wise) the string values from the columns defined by `parse_dates` into a single array and pass that; and 3) call `date_parser` once for each row using one or more strings (corresponding to the columns defined by `parse_dates`) as arguments. dayfirst : bool, default False DD/MM format dates, international and European format. cache_dates : bool, default True If True, use a cache of unique, converted dates to apply the datetime conversion. May produce significant speed-up when parsing duplicate date strings, especially ones with timezone offsets. .. versionadded:: 0.25.0 iterator : bool, default False Return TextFileReader object for iteration or getting chunks with ``get_chunk()``. .. versionchanged:: 1.2 ``TextFileReader`` is a context manager. chunksize : int, optional Return TextFileReader object for iteration. See the `IO Tools docs `_ for more information on ``iterator`` and ``chunksize``. .. versionchanged:: 1.2 ``TextFileReader`` is a context manager. compression : {{'infer', 'gzip', 'bz2', 'zip', 'xz', None}}, default 'infer' For on-the-fly decompression of on-disk data. If 'infer' and `filepath_or_buffer` is path-like, then detect compression from the following extensions: '.gz', '.bz2', '.zip', or '.xz' (otherwise no decompression). If using 'zip', the ZIP file must contain only one data file to be read in. Set to None for no decompression. thousands : str, optional Thousands separator. decimal : str, default '.' Character to recognize as decimal point (e.g. use ',' for European data). lineterminator : str (length 1), optional Character to break file into lines. Only valid with C parser. quotechar : str (length 1), optional The character used to denote the start and end of a quoted item. Quoted items can include the delimiter and it will be ignored. quoting : int or csv.QUOTE_* instance, default 0 Control field quoting behavior per ``csv.QUOTE_*`` constants. Use one of QUOTE_MINIMAL (0), QUOTE_ALL (1), QUOTE_NONNUMERIC (2) or QUOTE_NONE (3). doublequote : bool, default ``True`` When quotechar is specified and quoting is not ``QUOTE_NONE``, indicate whether or not to interpret two consecutive quotechar elements INSIDE a field as a single ``quotechar`` element. escapechar : str (length 1), optional One-character string used to escape other characters. comment : str, optional Indicates remainder of line should not be parsed. If found at the beginning of a line, the line will be ignored altogether. This parameter must be a single character. Like empty lines (as long as ``skip_blank_lines=True``), fully commented lines are ignored by the parameter `header` but not by `skiprows`. For example, if ``comment='#'``, parsing ``#empty\na,b,c\n1,2,3`` with ``header=0`` will result in 'a,b,c' being treated as the header. encoding : str, optional Encoding to use for UTF when reading/writing (ex. 'utf-8'). `List of Python standard encodings `_ . dialect : str or csv.Dialect, optional If provided, this parameter will override values (default or not) for the following parameters: `delimiter`, `doublequote`, `escapechar`, `skipinitialspace`, `quotechar`, and `quoting`. If it is necessary to override values, a ParserWarning will be issued. See csv.Dialect documentation for more details. error_bad_lines : bool, default True Lines with too many fields (e.g. a csv line with too many commas) will by default cause an exception to be raised, and no DataFrame will be returned. If False, then these "bad lines" will dropped from the DataFrame that is returned. warn_bad_lines : bool, default True If error_bad_lines is False, and warn_bad_lines is True, a warning for each "bad line" will be output. delim_whitespace : bool, default False Specifies whether or not whitespace (e.g. ``' '`` or ``' '``) will be used as the sep. Equivalent to setting ``sep='\s+'``. If this option is set to True, nothing should be passed in for the ``delimiter`` parameter. low_memory : bool, default True Internally process the file in chunks, resulting in lower memory use while parsing, but possibly mixed type inference. To ensure no mixed types either set False, or specify the type with the `dtype` parameter. Note that the entire file is read into a single DataFrame regardless, use the `chunksize` or `iterator` parameter to return the data in chunks. (Only valid with C parser). memory_map : bool, default False If a filepath is provided for `filepath_or_buffer`, map the file object directly onto memory and access the data directly from there. Using this option can improve performance because there is no longer any I/O overhead. float_precision : str, optional Specifies which converter the C engine should use for floating-point values. The options are ``None`` or 'high' for the ordinary converter, 'legacy' for the original lower precision pandas converter, and 'round_trip' for the round-trip converter. .. versionchanged:: 1.2 {storage_options} .. versionadded:: 1.2 Returns ------- DataFrame or TextParser A comma-separated values (csv) file is returned as two-dimensional data structure with labeled axes. See Also -------- DataFrame.to_csv : Write DataFrame to a comma-separated values (csv) file. read_csv : Read a comma-separated values (csv) file into DataFrame. read_fwf : Read a table of fixed-width formatted lines into DataFrame. Examples -------- >>> pd.{func_name}('data.csv') # doctest: +SKIP cCs^d|dd|d}|dk rZt|rBt||kr8t|t|}nt|rR||ksZt||S)a Checks whether the 'name' parameter for parsing is either an integer OR float that can SAFELY be cast to an integer without losing accuracy. Raises a ValueError if that is not the case. Parameters ---------- name : string Parameter name (used for error reporting) val : int or float The value to check min_val : int Minimum allowed value (val < min_val will result in a ValueError) 'sz' must be an integer >=dN)r#int ValueErrorr$)namevalZmin_valmsgrE5/tmp/pip-unpacked-wheel-q9tj5l6a/pandas/io/parsers.pyvalidate_integers  rGcCsH|dk rDt|tt|kr$tdt|ddsDt|tjsDtddS)aZ Raise ValueError if the `names` parameter contains duplicates or has an invalid data type. Parameters ---------- names : array-like or None An array containing a list of the names used for the output DataFrame. Raises ------ ValueError If names are not unique or are not ordered (e.g. set). Nz Duplicate names are not allowed.F)Z allow_setsz&Names should be an ordered collection.)lensetrAr& isinstancerKeysView)namesrErErF_validate_namess rM)filepath_or_bufferc Cs|dddk r&t|dtr&d|d<|dd}td|ddd}|d d}t|d dt|f|}|sv|rz|S| ||SQRXdS) zGeneric reader of line files. date_parserN parse_datesTiteratorF chunksizenrowsrL)getrJboolrGrMTextFileReaderread)rNkwdsrQrRrTparserrErErF_reads   r["TFinfer.)% delimiter escapechar quotecharquoting doublequoteskipinitialspacelineterminatorheader index_colrLprefixskiprows skipfooterrT na_valueskeep_default_na true_values false_values convertersdtype cache_dates thousandscommentdecimalrP keep_date_coldayfirstrOusecolsrRverboseencodingsqueeze compressionmangle_dupe_colsinfer_datetime_formatskip_blank_lines)delim_whitespace na_filter low_memory memory_maperror_bad_lineswarn_bad_linesfloat_precisiond)colspecs infer_nrowswidthsrjrr_deprecated_defaults_deprecated_argsread_csvz8Read a comma-separated values (csv) file into DataFrame.z','storage_options) func_namesummaryZ _default_sepr)rNrtrc24Cs>t}2|2d=|2d=t|*||-| |ddid}3|2|3t||2S)NrNsepr_,)defaults)locals_refine_defaults_readupdater[)4rNrr_rfrLrgrwrzrhr|rpenginerormrnrdrirjrTrkrlrrxr~rPr}rurOrvrqrQrRr{rrrtrerarbrcr`rsrydialectrrrrrrrrY kwds_defaultsrErErFrsD  read_tablez+Read general delimited file into DataFrame.z'\\t' (tab-stop))rNrtc13Cs>t}1|1d=|1d=t|*||-| |ddid}2|1|2t||1S)NrNrr_ )r)rrrr[)3rNrr_rfrLrgrwrzrhr|rprrormrnrdrirjrTrkrlrrxr~rPr}rurOrvrqrQrRr{rrrtrerarbrcr`rsryrrrrrrrrYrrErErFr`sC cKs|dkr|dkrtdn|dkr2|dk r2td|dk rlgd}}x&|D]}||||f||7}qJW||d<||d<d|d <t||S) aW Read a table of fixed-width formatted lines into DataFrame. Also supports optionally iterating or breaking of the file into chunks. Additional help can be found in the `online docs for IO Tools `_. Parameters ---------- filepath_or_buffer : str, path object or file-like object Any valid string path is acceptable. The string could be a URL. Valid URL schemes include http, ftp, s3, and file. For file URLs, a host is expected. A local file could be: ``file://localhost/path/to/table.csv``. If you want to pass in a path object, pandas accepts any ``os.PathLike``. By file-like object, we refer to objects with a ``read()`` method, such as a file handle (e.g. via builtin ``open`` function) or ``StringIO``. colspecs : list of tuple (int, int) or 'infer'. optional A list of tuples giving the extents of the fixed-width fields of each line as half-open intervals (i.e., [from, to[ ). String value 'infer' can be used to instruct the parser to try detecting the column specifications from the first 100 rows of the data which are not being skipped via skiprows (default='infer'). widths : list of int, optional A list of field widths which can be used instead of 'colspecs' if the intervals are contiguous. infer_nrows : int, default 100 The number of rows to consider when letting the parser determine the `colspecs`. .. versionadded:: 0.24.0 **kwds : optional Optional keyword arguments can be passed to ``TextFileReader``. Returns ------- DataFrame or TextParser A comma-separated values (csv) file is returned as two-dimensional data structure with labeled axes. See Also -------- DataFrame.to_csv : Write DataFrame to a comma-separated values (csv) file. read_csv : Read a comma-separated values (csv) file into DataFrame. Examples -------- >>> pd.read_fwf('data.csv') # doctest: +SKIP Nz&Must specify either colspecs or widths)Nr]z4You must specify only one of 'widths' and 'colspecs'rrrz python-fwfr)rAappendr[)rNrrrrYcolwrErErFread_fwfs?    rc@sxeZdZdZdddZddZddZd d Zd d Zd dZ dddZ ddZ dddZ dddZ ddZddZdS) rWzF Passed dialect overrides any of the related parser options NcKs||_|dk rd}nd}d}||_|d||_t|t|}|dk rRt||}|dddkr||ddkrtdnd|d<||_d|_| |}|d d|d <| d d|_ | d d|_ | d d|_ ||||||\|_|_d |kr|d |jd <||j|_dS)NTpythonFengine_specifiedrfr]rLrrrRrTrzhas_index_names)frrU_engine_specified_validate_skipfooter_extract_dialect_merge_with_dialect_properties orig_options_currow_get_options_with_defaultspoprRrTrz_check_file_or_buffer_clean_optionsoptions _make_engine_engine)selfrrrYrrrrErErF__init__s2    zTextFileReader.__init__cCs|jdS)N)rclose)rrErErFr0szTextFileReader.closecCs |j}i}x>tD]2\}}|||}|dkr>|s>tdq|||<qWxtD]\}}||kr||}|dkr||krd|kr|tkrq|t||krqtdt|dt|dn t||}|||<qTW|dkrx$t D]\}}|||||<qW|S) Nr|z3Setting mangle_dupe_cols=False is not supported yetcrzThe z" option is not supported with the z enginez python-fwf) r_parser_defaultsitemsrUrA_c_parser_defaults_python_unsupportedrrepr _fwf_defaults)rrrYrargnamedefaultvaluerErErFr3s.       z)TextFileReader._get_options_with_defaultscCs&t|r"|dkr"t|ds"tddS)Nr__next__z} |r|| t| krt d|dt| d|| =qW|rtjd|dtdd|d} |d} |d} |d}|d}t|d xVtD]N} t| }t| }|| ||krd!| d"}tj|td#dn||| <qPW| d krt d$t| rt| tttjfs| g} | |d<| dk rt| n| } | dk r"t| ts&td%t| j ni} |d&}t!||\}}|dkrt"|r\tt#|}|dkrnt$}nt%|st$|}| |d<| |d<||d<||d'<||d<||fS)(Nrrjrz*the 'c' engine does not support skipfooterrr_rzDthe 'c' engine does not support sep=None with delim_whitespace=FalserSz\s+T)rz python-fwfzxthe 'c' engine does not support regex separators (separators > 1 char and different from '\s+' are interpreted as regex)zutf-8Fzthe separator encoded in zF is > 1 char long, and the 'c' engine does not support such separatorsrazxord(quotechar) > 127, meaning the quotechar is larger than one byte, and the 'c' engine does not support such quotecharsz,Falling back to the 'python' engine because z, but this causes z= to be ignored as it is not supported by the 'python' engine.z;; you can avoid this warning by specifying engine='python'.) stacklevelrgrLrorkrirfzThe zH argument has been deprecated and will be removed in a future version. z)The value of index_col couldn't be 'True'z8Type converters must be a dict or subclass, input was a rl na_fvalues)&copyrHsysgetfilesystemencodingencodeUnicodeDecodeErrorrJstrbytesordrrA_c_unsupportedrrrwarningswarnrr9rrrU FutureWarning _is_index_collisttuplenpndarraydict TypeErrortype__name___clean_na_valuesr$rangerIcallable)rrrresultZfallback_reasonrrZ encodeableryraargrgrLrorkriparser_defaultZ depr_defaultrDrlrrErErFrgs                           zTextFileReader._clean_optionscCs,y|Stk r&|YnXdS)N) get_chunk StopIterationr)rrErErFrs zTextFileReader.__next__rcCsBtttd}||kr.td|d|d|||jf|jS)N)rrz python-fwfzUnknown engine: z (valid options are ))CParserWrapper PythonParserFixedWidthFieldParserrAkeysrr)rrmappingrErErFr szTextFileReader._make_enginecCs t|dS)N)r)rrErErF_failover_to_pythonsz"TextFileReader._failover_to_pythoncCstd|}|j|\}}}|dkrV|rPttt|}t|j|j|}q^d}nt|}t |||d}|j|7_|j rt|j dkr||j d S|S)NrTr)columnsindexrS) rGrrXrHnextitervaluesr3rr0rzrr)rrTrrcol_dictnew_rowsZdfrErErFrXs zTextFileReader.readcCsF|dkr|j}|jdk r:|j|jkr(tt||j|j}|j|dS)N)rT)rRrTrrminrX)rsizerErErFr0s  zTextFileReader.get_chunkcCs|S)NrE)rrErErF __enter__9szTextFileReader.__enter__cCs |dS)N)r)rexc_type exc_value tracebackrErErF__exit__<szTextFileReader.__exit__)N)r)N)N)r __module__ __qualname____doc__rrrrrrrrrXrrrrErErErFrWs ))    rWcCs|dk o|dk S)NFrE)rrErErFr@sr)rgcs@dksttrgt|o>t|t o>tfdd|DS)a Check whether or not the `columns` parameter could be converted into a MultiIndex. Parameters ---------- columns : array-like Object which may or may not be convertible into a MultiIndex index_col : None, bool or list, optional Column or columns to use as the (possibly hierarchical) index Returns ------- boolean : Whether or not columns could become a MultiIndex Nc3s$|]}|tkrt|tVqdS)N)rrJr).0r)rgrErF \sz,_is_potential_multi_index..)rJrVrHr2all)rrgrE)rgrF_is_potential_multi_indexDs  rcs"trfddt|DSS)z Check whether or not the 'usecols' parameter is a callable. If so, enumerates the 'names' parameter and returns a set of indices for each entry in 'names' that evaluates to True. If not a callable, returns 'usecols'. csh|]\}}|r|qSrErE)rirB)rwrErF isz$_evaluate_usecols..)r enumerate)rwrLrE)rwrF_evaluate_usecols`srcs0fdd|D}t|dkr,td||S)a% Validates that all usecols are present in a given list of names. If not, raise a ValueError that shows what usecols are missing. Parameters ---------- usecols : iterable of usecols The columns to validate are present in names. names : iterable of names The column names to check against. Returns ------- usecols : iterable of usecols The `usecols` parameter if the validation succeeds. Raises ------ ValueError : Columns were missing. Error message will list them. csg|]}|kr|qSrErE)rr)rLrErF sz+_validate_usecols_names..rz>Usecols do not match columns, columns expected but not found: )rHrA)rwrLmissingrE)rLrF_validate_usecols_namesms   rcCs$t|std|dkr td|S)a Validate the 'skipfooter' parameter. Checks whether 'skipfooter' is a non-negative integer. Raises a ValueError if that is not the case. Parameters ---------- skipfooter : non-negative integer The number of rows to skip at the end of the file. Returns ------- validated_skipfooter : non-negative integer The original input if the validation succeeds. Raises ------ ValueError : 'skipfooter' was not a non-negative integer. zskipfooter must be an integerrzskipfooter cannot be negative)r$rA)rjrErErF_validate_skipfooter_args rcCsbd}|dk rZt|r|dfSt|s,t|tj|dd}|dkrJt|t|}||fS|dfS)a+ Validate the 'usecols' parameter. Checks whether or not the 'usecols' parameter contains all integers (column selection by index), strings (column by name) or is a callable. Raises a ValueError if that is not the case. Parameters ---------- usecols : list-like, callable, or None List of columns to use when parsing or a callable that can be used to filter a list of table columns. Returns ------- usecols_tuple : tuple A tuple of (verified_usecols, usecols_dtype). 'verified_usecols' is either a set if an array-like is passed in or 'usecols' if a callable or None is passed in. 'usecols_dtype` is the inferred dtype of 'usecols' if an array-like is passed in or None if a callable or None is passed in. z['usecols' must either be list-like of all strings, all unicode, all integers or a callable.NF)skipna)emptyintegerstring)rr&rAlibZ infer_dtyperI)rwrD usecols_dtyperErErF_validate_usecols_argsr cCsBd}|dk r>t|r(t|s>t|nt|ttfs>t||S)z Check whether or not the 'parse_dates' parameter is a non-boolean scalar. Raises a ValueError if that is the case. zSOnly booleans, lists, and dictionaries are accepted for the 'parse_dates' parameterN)r(r Zis_boolrrJrr)rPrDrErErF_validate_parse_dates_args  r c@seZdZddZeeeefddddZe edddd Z d d Z e d d Z ddZd)ddZddZd*ddZd+ddZdZddZddZd,eddd Zd-d!d"Zd.d#d$Zd%d&Zd'd(ZdS)/ ParserBasecCs@|d|_d|_|dd|_|dd|_t|_d|_d|_ t |dd|_ |dd|_ |dd|_ |dd|_|d |_|d |_|d d|_|d d |_|d|_|d|_|dd |_|dd|_|dd |_t|j |j |j|jd|_|d|_t|jtttjfrt t!t"|jsJt#dt$dd|jDrht#d|dr|t#d|drt#d|jdk r*t|jtttjf}|rt t!t"|js*t"|js*t#dnL|jdk r*|jdk rt#dn*t"|jst#dn|jdkr*t#dd|_%d |_&d|_'dS) NrLrhrgrPFrOrvrurkrrrlTrmrnr|r}rq)rOrvr}rqrfz*header must be integer or list of integerscss|]}|dkVqdS)rNrE)rrrErErFrsz&ParserBase.__init__..z8cannot specify multi-index header with negative integersrwz;cannot specify usecols when specifying a multi-index headerz9cannot specify names when specifying a multi-index headerzLindex_col must only contain row numbers when specifying a multi-index headerz;Argument prefix must be None if argument header is not NonerzUPassing negative integer to header is invalid. For no header, use header=None instead)(rUrL orig_namesrrhrgrI unnamed_cols index_names col_namesr rPrOrvrurkrrrlrmrnr|r}rq_make_date_converter _date_convrfrJrrrrrmapr$rAany_name_processed _first_chunkhandles)rrYZ is_sequencerErErFrsr                zParserBase.__init__N)srcrYreturnc Cs:t|d|dd|dd|dd|ddd|_dS) za Let the readers open IOHanldes after they are done with their potential raises. rryNr{rFr)ryr{rr)r8rUr)rrrYrErErF _open_handlesIs   zParserBase._open_handles)rrcsxt|jrtj|j}n(t|jr@tjdd|jD}ng}dtfdd|D}|rtt d|ddS) ao Check if parse_dates are in columns. If user has provided names for parse_dates, check if those columns are available. Parameters ---------- columns : list List of names of the dataframe. Raises ------ ValueError If column to parse_date is not in dataframe. css |]}t|r|n|gVqdS)N)r&)rrrErErFrrsz.z, cs"h|]}t|tr|kr|qSrE)rJr)rr)rrErFrzsz.z+Missing column provided to 'parse_dates': 'r=N) rrP itertoolschainrr& from_iterablejoinsortedrA)rrZ cols_neededZ missing_colsrE)rrF_validate_parse_dates_presenceVs    z)ParserBase._validate_parse_dates_presencecCs|jdk r|jdS)N)rr)rrErErFrs zParserBase.closecCs6t|jtp4t|jto4t|jdko4t|jdtS)Nr)rJrPrrrH)rrErErF_has_complex_date_cols  z ParserBase._has_complex_date_colcCs|t|jtr|jS|jdk r(|j|}nd}|j|}t|jr\||jkpZ|dk oZ||jkS||jkpv|dk ov||jkSdS)N)rJrPrVrrgr()rrrBjrErErF_should_parse_datess       zParserBase._should_parse_datesFc s>t|dkr|d|||fSj}|dkr.g}t|tttjfsF|g}t||d}t |jj \}}}t|dfddtt fdd|D}||}xVt t|dD]Bt fd d|Drd d djD}td |d qWt|r fdd|D}ndgt|}d}||||fS)z extract and return the names, index_names, col_names header is a list-of-lists returned from the parsers rrNcstfddtDS)Nc3s|]}|kr|VqdS)NrE)rr)rsicrErFrszMParserBase._extract_multi_indexer_columns..extract..)rr)r) field_countr')rrFextractsz:ParserBase._extract_multi_indexer_columns..extractc3s|]}|VqdS)NrE)rr)r)rErFrsz.c3s |]}t|jkVqdS)N)rr)rr)nrrErFrsrcss|]}t|VqdS)N)r)rxrErErFrszPassed header=[z3] are too many rows for this multi_index of columnscs2g|]*}|ddk r*|djkr*|dndqS)rN)r)rr)rrErFrsz=ParserBase._extract_multi_indexer_columns..T)rHrgrJrrrrrIr_clean_index_namesrziprrr rfr) rrfrr passed_namesicrLrgrrE)r)r(r*rr'rF_extract_multi_indexer_columnss4      z)ParserBase._extract_multi_indexer_columnscCs|jrt|}tt}t||j}xt|D]z\}}||}xT|dkr|d||<|rx|dd|dd|f}n|d|}||}q>W|||<|d||<q,W|S)NrrSr&r^)r|rrr@rrgr)rrLcountsZis_potential_mirr cur_countrErErF_maybe_dedup_namess   " zParserBase._maybe_dedup_namescCst|rtj||d}|S)N)rL)rr2 from_tuples)rrrrErErF_maybe_make_multi_index_columnssz*ParserBase._maybe_make_multi_index_columnscCst|jr|jsd}nh|js4|||}||}nJ|jr~|jsdtt||j|j\|_ }|_d|_| ||}|j|dd}|rt |t |}| |d|}| ||j}||fS)NTF)try_parse_dates)rrgr#_get_simple_index _agg_indexrr,rrr_get_complex_date_indexrHZ set_namesr5r)rdataalldatar indexnamerowr_ZcoffsetrErErF _make_indexs"   zParserBase._make_indexcCstdd}g}g}x.|jD]$}||}|||||qWx.t|ddD]}|||jsN||qNW|S)NcSs"t|ts|Std|ddS)NzIndex z invalid)rJrrA)rrErErFix#s z(ParserBase._get_simple_index..ixT)reverse)rgrr!r_implicit_index)rr:rr? to_removeridxrrErErFr7"s   zParserBase._get_simple_indexc srfdd}g}g}x.|jD]$}||}|||||qWx(t|ddD]}|||qRW|S)NcsLt|tr|Sdkr&td|dx tD]\}}||kr0|Sq0WdS)Nz Must supply column order to use z as index)rJrrAr)Zicolrr)rrErF _get_name9s z5ParserBase._get_complex_date_index.._get_nameT)r@)rgrr!rremove) rr:rrDrBrrCrBrrE)rrFr98s    z"ParserBase._get_complex_date_indexT)rc Csg}xt|D]\}}|r.||r.||}|jrB|j}|j}n t}t}t|jtr|j |}|dk rt ||j|j|j \}}| |||B\}} | |qW|j } t|| }|S)N)rr%rrrkrrIrJrr_get_na_valuesrl _infer_typesrr4) rrr6arraysrZarr col_na_valuescol_na_fvaluescol_namer=rLrErErFr8Ss&    zParserBase._agg_indexc Csi}x|D]\}} |dkr&dn ||d} t|trJ||d} n|} |jrjt||||j\} } ntt} } | dk r | dk rtj d|dt ddyt | | } Wn:t k rt| t|tj}t | | |} YnX|j| t| | Bdd\}}nt| }|p t| }| o*| }|| t| | B|\}}| rt|| rdt| r|s|dkryt| rt d|Wnttfk rYnX||| |}|||<|r|rtd |d |qW|S) Nz5Both a converter and dtype were specified for column z" - only the converter will be used)rF) try_num_boolrz$Bool column has NA values in column zFilled z NA values in column )rrUrJrrrFrlrIrrrr Z map_inferrAr-isinrviewrZuint8Zmap_infer_maskrGr!r)r rAttributeErrorr _cast_typesprint)rdctrkrrxroZdtypesrrrZconv_f cast_typerIrJmaskZcvalsna_countZis_eaZis_str_or_ea_dtyperMrErErF_convert_to_ndarraysssV       zParserBase._convert_to_ndarraysc Csd}t|jjtjtjfrft|t|}| }|dkr^t |rN| tj }t ||tj||fS|rt|jryt||d}Wn*ttfk r|}t||d}YqXt| }n|}|jtjkrt||d}|jtjkr |r tjt||j|jd}||fS)aU Infer types of values, possibly casting Parameters ---------- values : ndarray na_values : set try_num_bool : bool, default try try to cast values to numeric (first preference) or boolean Returns ------- converted : ndarray na_count : int rF)rmrn) issubclassrprrnumberZbool_r-rNrsumr%ZastypeZfloat64Zputmasknanr'r Zmaybe_convert_numericrArparsersZsanitize_objectsr,Zobject_libopsZmaybe_convert_boolZasarrayrmrn)rrrkrMrVrUrrErErFrGs2   zParserBase._infer_typesc Cst|r^t|to|jdk }t|s2|s2t|t}t| }t j || |||j d}nt|rt|}|}y|j||dStk r}ztd|d|Wdd}~XYnXnPyt||ddd}Wn:tk r }ztd|d ||Wdd}~XYnX|S) aF Cast values to specified type Parameters ---------- values : ndarray cast_type : string or np.dtype dtype to cast values to column : string column name - used only for error reporting Returns ------- converted : ndarray N)rm)rpzExtension Array: zO must implement _from_sequence_of_strings in order to be used in parser methodsT)rrzUnable to convert column z to type )rrJr+ categoriesr'rrr1uniqueZdropnar/Z_from_inferred_categoriesZ get_indexerrmr!r*Zconstruct_array_typeZ_from_sequence_of_stringsNotImplementedErrorrA)rrrTcolumnZ known_catsZcatsZ array_typeerrrErErFrQs0     zParserBase._cast_typesc Cs6|jdk r.t||j|j|j|j||jd\}}||fS)N)ru)rP_process_date_conversionrrgrru)rrLr:rErErF_do_date_conversions&s zParserBase._do_date_conversions)F)N)F)T)FNN)T)rrrrrrrrrr r"rpropertyr#r%r0r3r5r>rAr7r9r1r8rWrGrQrdrErErErFr s$V 0  :  ! H 37r csdeZdZedddZddfdd Zdd Zd d Zdd d ZddZ ddZ dddZ Z S)r)rc s|_|}t|jdk |d<t|d\__j|d<||j dk s`t xdD]}| |dqfWj j rt j jdrj jjj _ytjj jf|_Wn tk rj YnXjj_jdk}jjdkrd_nLtjjdkr<jjjj|\___}ntjjd_jdkrjrfdd tjjD_nttjj_jdd_ jr@t!jj j dk st jd krt"#j st$j tjtkr fd d t%jD_tjtkr@t$j&j'j_ j(s؈jj)dkrt*jrd _+t,jjj\}__jdkr|_jjdkr|sdgtj_jj)dk_-dS) NFZallow_leading_colsrw)rryrr{mmaprSrcsg|]}j|qSrE)rh)rr)rrErFrsz+CParserWrapper.__init__..rcs$g|]\}}|ks|kr|qSrErE)rrr*)rwrErFrsT).rYrr rrgr rwr rrAssertionErrorrZis_mmaprhandlerfr\Z TextReader_reader ExceptionrrrLrfrHr0rrrrhrZ table_widthrrrIissubsetrrr"_set_noconvert_columnsr# leading_colsrrr,rA)rrrYkeyr.rrE)rrwrFr8sn       $         zCParserWrapper.__init__N)rcs2ty|jWntk r,YnXdS)N)superrrirA)r) __class__rErFrs  zCParserWrapper.closecs<jjdkr$tjn(tjs8jdkrHjddndfdd}tjtrxΈjD].}t|trx|D] }||qWqp||qpWntjt rxj D].}t|trx|D] }||qWq||qWnHjr8tj tr"x0j D]}||qWnj dk r8|j dS)z Set the columns that should not undergo dtype conversions. Currently, any column that is involved with date parsing will not undergo such conversions. r)rNNcsFdk rt|r|}t|s6dk s,t|}j|dS)N)r$rgrriZ set_noconvert)r+)rLrrwrErF_sets   z3CParserWrapper._set_noconvert_columns.._set) rr rrwsortrrLrJrPrrrg)rrqrCkrE)rLrrwrFrls4            z%CParserWrapper._set_noconvert_columnscCs|jt|dS)N)riset_error_bad_linesr@)rstatusrErErFrtsz"CParserWrapper.set_error_bad_linesc s&y|j|}Wntk r|jrd|_||j}t||j|j|j dd\}}| |j |j dk r||fdd|D}||fS|YnXd|_|j}|jjr|jrtdg}xTt|jjD]D}|jdkr||}n||j|}|j||dd}||qWt|}|j dk rH||}||}t|}d dt||D}|||\}}nt|}|jdk stt|j}||}|j dk r||}d d |D} d dt||D}|||\}}||| |\}}| ||j }|||fS) NFrp)rpcsi|]\}}|kr||qSrErE)rrsv)rrErF sz'CParserWrapper.read..z file structure not yet supportedT)r6cSsi|]\}\}}||qSrErE)rrsrrvrErErFrw>scSsg|] }|dqS)rSrE)rr+rErErFrQsz'CParserWrapper.read..cSsi|]\}\}}||qSrErE)rrsrrvrErErFrwSs) rirXrrr3r_get_empty_metargrrYrUr5rrw_filter_usecolsrrrLrmr#r`rr_maybe_parse_datesrr4r!r-rdrgrr>) rrTr:rLrrrHrrr;rE)rrFrXsb                zCParserWrapper.readcs>t|j|dk r:t|tkr:fddt|D}|S)Ncs$g|]\}}|ks|kr|qSrErE)rrrB)rwrErFrbsz2CParserWrapper._filter_usecols..)rrwrHr)rrLrE)rwrFry]s zCParserWrapper._filter_usecolscCsJt|jjd}d}|jjdkrB|jdk rBt||j|j\}}|_||fS)Nr)rrirfrmrgr,r)rrLZ idx_namesrErErF_get_index_namesfs zCParserWrapper._get_index_namesTcCs|r||r||}|S)N)r%r)rrrr6rErErFrzqs z!CParserWrapper._maybe_parse_dates)N)T) rrrrrrrlrtrXryr{rz __classcell__rErE)rprFr7s < W  rcOsd|d<t||S)av Converts lists of lists/tuples into DataFrames with proper type inference and optional (e.g. string to datetime) conversion. Also enables iterating lazily over chunks of large files Parameters ---------- data : file-like object or list delimiter : separator character to use dialect : str or csv.Dialect instance, optional Ignored if delimiter is longer than 1 character names : sequence, default header : int, default 0 Row to use to parse column labels. Defaults to the first row. Prior rows will be discarded index_col : int or list, optional Column or columns to use as the (possibly hierarchical) index has_index_names: bool, default False True if the cols defined in index_col have an index name and are not in the header. na_values : scalar, str, list-like, or dict, optional Additional strings to recognize as NA/NaN. keep_default_na : bool, default True thousands : str, optional Thousands separator comment : str, optional Comment out remainder of line parse_dates : bool, default False keep_date_col : bool, default False date_parser : function, optional skiprows : list of integers Row numbers to skip skipfooter : int Number of line at bottom of file to skip converters : dict, optional Dict of functions for converting values in certain columns. Keys can either be integers or column labels, values are functions that take one input argument, the cell (not column) content, and return the transformed content. encoding : str, optional Encoding to use for UTF when reading/writing (ex. 'utf-8') squeeze : bool, default False returns Series if only one column. infer_datetime_format: bool, default False If True and `parse_dates` is True for a column, try to infer the datetime format based on the first datetime string. If the format can be inferred, there often will be a large parsing speed-up. float_precision : str, optional Specifies which converter the C engine should use for floating-point values. The options are `None` or `high` for the ordinary converter, `legacy` for the original lower precision pandas converter, and `round_trip` for the round-trip converter. .. versionchanged:: 1.2 rr)rW)argsrYrErErF TextParserws8r~)rcCstdd|DS)Ncss"|]}|dks|dkrdVqdS)NrSrE)rrvrErErFrsz#count_empty_vals..)rZ)valsrErErFcount_empty_valssrc@seZdZeeefdddZddZddZd4d d Z d d Z d5d dZ ddZ ddZ ddZddZddZddZddZddZdd Zd!d"Zd#d$Zd%d&Zd'd(Zd)d*Zd+d,Zd-Zd.d/Zd0d1Zd6d2d3ZdS)7r)rc s.t|d_g_d_d_|d_tjrBj_nfdd_t |d_ |d_ |d_ t j trtj _ |d _|d _|d _|d _|d _t|d\_}|d_|d_|d_|dpd_d_d|kr|d_|d_|d_|d_|d_|d_|d_ t |t!rnt"t#t|_nj$||j%dk st&t'j%j(dst&y)j%j(Wn&t*j+t,fk r-YnXd_.y/\_0_1_2Wn$t3t4fk r-YnXt5j0dkr\6j0j7j8\_0_7_8}t5j0_1n j0d_0t!j0_9j:s;j0\}_9_0d_<j7dkr|_7=j0j>rʈ?_@nd_@t5jdkrt4djdkr tABdjd _CntABdjd!jd _CdS)"zN Workhorse function for processing nested list into DataFrame Nrrics |jkS)N)ri)r+)rrErFz'PythonParser.__init__..rjr_rar`rcrdrerbrwr~rrrLFrrxrorprrrtrsreadlinerSTz'Only length-1 decimal markers supportedz[^-^0-9^z]+^)Dr rr:bufposline_posrirskipfuncrrjr_rarJrr`rcrdrerbr rwr~rrZ names_passedrrxrorprrrtrsrrr rrrgrrh _make_readercsvErrorrr _col_indices_infer_columnsrnum_original_columnsrrrArHr0rrrr#_get_index_namerr"rP_set_no_thousands_columns_no_thousands_columnsrecompilenonnum)rrrYr=rrE)rrFrs                                zPythonParser.__init__cstfdd}tjtr\xƈjD].}t|trNx|D] }||q._set)rIrJrPrrrrg)rrqrCrsrE)rrrFr3 s*           z&PythonParser._set_no_thousands_columnsc s8jdkstdkrjr*tdGfdddtj}|}dk rT|_n}|ggd}x<j s|sj d7_ }|ggd}qpW|d}j d7_ j d7_ t |}|j|_tj t||d}jt|tj |dd}nfd d } | }|_dS) NrSz.MyDialect N) rrrr_rar`rcrdrbrerE)rrErF MyDialect` srr)rT)rstrictc3sD}t}||VxD]}||Vq(WdS)N)rrrsplitstrip)linepat)rrrErFr[ s   z(PythonParser._make_reader.._read)r_rHrerArDialectr_check_commentsrrrSniffersniffreaderrrextendrr:) rrrZdiarlinessniffedZline_rdrrr[rE)rrrrFrW s4  zPythonParser._make_readerNc Csy||}Wn*tk r8|jr*g}n |YnXd|_t|j}t|s||j}t||j |j |j \}}}| ||j }|||fSt|d}d}|jr|t|kr|d}|dd}||} || } ||j}||| \}} || } || | ||\}}||| fS)NFrrS) _get_linesrrrrrrHr3rxrgrrpr5rrr _rows_to_cols_exclude_implicit_indexrrd _convert_datar>) rrowscontentrrLrrZcount_empty_content_valsr<r;r:rErErFrX s6         zPythonParser.readcCsz||j}|jrb|j}i}d}xTt|D]2\}}x|||krJ|d7}q4W|||||<q*Wnddt||D}|S)NrrScSsi|]\}}||qSrErE)rrsrvrErErFrw sz8PythonParser._exclude_implicit_index..)r3rrArgrr-)rr;rLZ excl_indicesr:offsetrrrErErFr s  z$PythonParser._exclude_implicit_indexcCs|dkr|j}|j|dS)N)r)rRrX)rrrErErFr szPythonParser.get_chunkc sfdd}|j}tjts*j}n |j}i}i}tjtrx^jD]F}j|}j|} t|tr|jkrj|}|||<| ||<qPWn j}j}|||j ||S)NcsDi}x:|D].\}}t|tr4|jkr4j|}|||<qW|S)zconverts col numbers to names)rrJr@r)rcleanrrv)rrErF_clean_mapping s    z2PythonParser._convert_data.._clean_mapping) rorJrprrkrr@rrWrx) rr:rZ clean_convZ clean_dtypesZclean_na_valuesZclean_na_fvaluesrZna_valueZ na_fvaluerE)rrFr s2           zPythonParser._convert_datac sj}d}d}t}jdk rj}t|tttjfr`t|dk}|rjt||ddg}n d}|g}g}x|t |D]n\}} y$ } xj | kr } qWWnt k rT} zj | krtd| dj dd| |r$| dkr$|r|dgt|d|||fSjs6td | jdd} Wdd} ~ XYnXgg} xbt | D]V\} }|d kr|rd | d |}n d | }| | |n |qhW|sBjrBtt}xt D]Z\} }||}x2|dkr$|d||<|d |}||}qW|| <|d||<qWnr|r| |dkrt}jdk rttjnd}t| }||kr|||krd}dg|jdg_||fdd| Dt|dkrzt}qzW|r|dk rjdk r&t|tjksHjdkrPt|t|dkrPtdt|dkrftdjdk r||nd_t|}|g}n||d}ny } Wn@t k r} z |std | |dd} Wdd} ~ XYnXt| }|}|sLjr,fddt|Dg}ntt|g}||d}nrjdksft||kr~|g|}t|}n@tjst|tjkrtd|g||g}|}|||fS)NrTrSr&FzPassed header=z but only z lines in filezNo columns to parse from filerz Unnamed: Z_level_r^csh|] }|qSrErE)rr) this_columnsrErFr sz.PythonParser._infer_columns..zHNumber of passed names did not match number of header fields in the filez*Cannot pass names with multi-index columnscsg|]}j|qSrE)rh)rr)rrErFr sz/PythonParser._infer_columns..)rLrIrfrJrrrrrHr_buffered_liner _next_linerrA _clear_bufferrrr|rr@rgrrrwr_handle_usecolsrrhrr)rrLrZ clear_bufferrrfZhave_mi_columnsrlevelhrrrbZthis_unnamed_colsrrrKr1rr2lcr/Z unnamed_countZncolsrE)rrrFr s                   "      zPythonParser._infer_columnsc s|jdk rt|jr"t|j|ntdd|jDrt|dkrJtdgxb|jD]P}t|try| |Wqtk rt |j|YqXqV|qVWn|jfdd|D}|_ |S)zb Sets self._col_indices usecols_key is used if there are string usecols. Ncss|]}t|tVqdS)N)rJr)rurErErFr sz/PythonParser._handle_usecols..rSz4If using multiple headers, usecols must be integers.cs"g|]}fddt|DqS)csg|]\}}|kr|qSrErE)rrr*) col_indicesrErFr sz;PythonParser._handle_usecols...)r)rra)rrErFr sz0PythonParser._handle_usecols..) rwrrrrHrArJrrrrr)rrZ usecols_keyrrE)rrFr s(      zPythonParser._handle_usecolscCs$t|jdkr|jdS|SdS)zH Return a line from buffer, filling buffer if required. rN)rHrr)rrErErFr s zPythonParser._buffered_linecCs|s|St|dts|S|ds&|S|dd}|tkr>|S|d}t|dkr|d|jkrd}|d}|dd|d}|||}t||dkr|||dd7}n |dd}|g|ddS)a- Checks whether the file begins with the BOM character. If it does, remove it. In addition, if there is quoting in the field subsequent to the BOM, remove it as well because it technically takes place at the beginning of the name, not the middle of it. rrSrN)rJr_BOMrHrar)rZ first_rowZ first_eltZ first_row_bomstartquoteendnew_rowrErErF_check_for_bom s&    zPythonParser._check_for_bomcCs| ptdd|DS)z Check if a line is empty or not. Parameters ---------- line : str, array-like The line of data to check. Returns ------- boolean : Whether or not the line is empty. css|] }| VqdS)NrE)rr+rErErFr8 sz.PythonParser._is_line_empty..)r)rrrErErF_is_line_empty+ s zPythonParser._is_line_emptycCst|jtrx||jr*|jd7_qWxyn||j|jgd}|jd7_|jsz||j|jdsv|rzPn |jr||g}|r|d}PWq.t k rt Yq.Xq.Wnx6||jr|jd7_|jdk st t |jqWxt|j |jdd}|jd7_|dk r||gd}|jrT||g}|rf|d}Pq||sd|rPqW|jdkr||}|jd7_|j||S)NrSr)row_num)rJr:rrrrr~r_remove_empty_lines IndexErrorrrgr_next_iter_linerrrr)rrretZ orig_linerErErFr: sL      zPythonParser._next_linecCs:|jrt|n&|jr6d|d}tj||ddS)a Alert a user about a malformed row. If `self.error_bad_lines` is True, the alert will be `ParserError`. If `self.warn_bad_lines` is True, the alert will be printed out. Parameters ---------- msg : The error message to display. row_num : The row number where the parsing error occurred. Because this row number is displayed, we 1-index, even though we 0-index internally. zSkipping line z: rN)rrrrstderrwrite)rrDrbaserErErF_alert_malformedp s   zPythonParser._alert_malformedc Csy|jdk stt|jStjk r}zR|js8|jrzt|}d|ksPd|krTd}|jdkrnd}|d|7}| ||dSd}~XYnXdS)aL Wrapper around iterating through `self.data` (CSV source). When a CSV error is raised, we check for specific error messages that allow us to customize the error message displayed to the user. Parameters ---------- row_num : The row number of the line being parsed. Nz NULL bytezline contains NULzNULL byte detected. This byte cannot be processed in Python's native csv library at the moment, so please pass in engine='c' insteadrzError could possibly be due to parsing errors in the skipped footer rows (the skipfooter keyword is only applied after Python's csv library has parsed all rows).z. ) r:rgrrrrrrrjr)rrerDreasonrErErFr s      zPythonParser._next_iter_linecCs|jdkr|Sg}xt|D]l}g}xX|D]P}t|tr>|j|krJ||q&|d||j}t|dkrt||Pq&W||qW|S)Nr)rsrJrrfindrH)rrrrrlr+rErErFr s      zPythonParser._check_commentscCsRg}xH|D]@}t|dks@t|dkr t|dtr@|dr ||q W|S)a} Iterate through the lines and remove any that are either empty or contain only one whitespace value Parameters ---------- lines : array-like The array of lines that we are to filter. Returns ------- filtered_lines : array-like The same array of lines with the "empty" ones removed. rSr)rHrJrrr)rrrrrErErFr s   z PythonParser._remove_empty_linescCs |jdkr|S|j||jddS)Nr)rsearchreplace)rr_search_replace_num_columns)rrrErErF_check_thousands s zPythonParser._check_thousandsc Csg}x|D]x}g}xdt|D]X\}}t|trV||ksV|jrF||jksV|j|rb||q||||qW||q W|S)N) rrJrrrrrrr) rrrrrrrrr+rErErFr s   z(PythonParser._search_replace_num_columnscCs$|jtdkr|S|j||jddS)Nrtr^)rrr)rtrr)rrrErErF_check_decimal szPythonParser._check_decimalcCs g|_dS)N)r)rrErErFr szPythonParser._clear_bufferFc CsLt|}t|}y |}Wntk r4d}YnXy |}Wntk rZd}YnXd}|dk r|jdk rt||j}|dk rt|t||jkrttt||_|jdd|_xt|D]}| d|qWt|}t||_|||fS|dkr*d|_ |jdkr$tt||_d}nt ||j|j \}}|_|||fS)a Try several cases to get lines: 0) There are headers on row 0 and row 1 and their total summed lengths equals the length of the next line. Treat row 0 as columns and row 1 as indices 1) Look for implicit index: there are more columns on row 1 than row 0. If this is true, assume that row 1 lists index columns and row 0 lists normal columns. 2) Get index from the columns if it was listed. NrFrST) rrrrgrHrrrreversedinsertrAr,r) rrrrZ next_lineZimplicit_first_colsrZ index_nameZcolumns_rErErFr s>          zPythonParser._get_index_namecsj}jr|tj7}tdd|D}||krJjdk rJjdkrJjrZjnd}g}t|}t|}g}x`|D]X\}} t| } | |krʈjsj rԈj |||} | | | fjrPq|| | q|Wxp|D]h\} } d|d| dd| } j r6tj dkr6j tjkr6d } | d | 7} | | dqWttj||d j}jrjrfd d t|D}nfdd t|D}|S)Ncss|]}t|VqdS)N)rH)rrowrErErFrD sz-PythonParser._rows_to_cols..Frz Expected z fields in line rSz, saw zXError could possibly be due to quotes being ignored when a multi-char delimiter is used.z. )Z min_widthcs6g|].\}}|tjks.|tjjkr|qSrE)rHrgr)rra)rrErFrx s z.PythonParser._rows_to_cols..csg|]\}}|jkr|qSrE)r)rrr)rrErFr s)rrArHrgmaxrwrjrrrrrr_rbr QUOTE_NONErrr Zto_object_arrayT)rrZcol_lenmax_lenZfootersZ bad_lines iter_contentZ content_lenrlZ actual_lenrrDrZzipped_contentrE)rrFr> sF"     zPythonParser._rows_to_colscs2j}d}|dk rPtj|krBjd|j|d}_n|tj8}|dkrtjtrjtjkrzt|dkrjjd}tj}n jjj|}j|}jrڇfddt|D}| ||_ng}y|dk rd}x8jj|dd}|d7}|dk rB| |qBWWnNtk rjrfddt|D}| |t|dkrƂYnXjt|7_g_n|}jr|dj }|}jr|}|}|S)Ncs$g|]\}}|js|qSrE)rr)rrr)rrErFr sz+PythonParser._get_lines..rrS)rcs$g|]\}}|js|qSrE)rr)rrr)rrErFr s)rrHrJr:rrrrirrrrgrrrrjrr~rrr)rrrrnew_posr=rrE)rrFr sd"                zPythonParser._get_lines)N)N)N)rrrrrr rrrrXrrrrrrrrrrrrrrrrrrArrrrErErErFrs4{$C , ;4" 36)@Nrcsfdd}|S)Nc sdkr\t|}ytjt|dddStk rXtjtj|ddSXny,tj|dd}t|t j rt d|St k ry tjtjt|dddSt k rt f|SXYnXdS) Nignore)utcrverrorsr}cache)rv)r)rrz scalar parser)rZrv)r) rZconcat_date_colstools to_datetimerZto_numpyrAr6rJdatetimerjr:) date_colsstrsr)rqrOrvr}rErF converter s:   z'_make_date_converter..converterrE)rOrvr}rqrrE)rqrOrvr}rFr s'rcsfdd}g}i} |} t|}t} |dks:t|trB||fSt|trx|D]} t| rt| trx| |krx| | } || rqR||| || <qRt|| || \} }}| |krtd| || | <|| | |qRWnlt|t rLx^| D]R\} } | |krtd| dt|| || \}}}|| | <|| | |qW| | | ||sx&t| D]}| |||qpW||fS)Ncs$ttr|kp"tto"|kS)N)rJr)colspec)rgrrErF_isindex sz*_process_date_conversion.._isindexz New date column already in dict z Date column z already in dict)rrIrJrVr(r@_try_convert_datesrArrrrrrrE) data_dictrZ parse_specrgrrrurZnew_colsZnew_datarrrnew_namerZ old_namesr=rrE)rgrrFrc sN          rcc st|}g}xL|D]D}||kr*||qt|trL||krL|||q||qWddd|D}fdd|D}||} || |fS)Nr=css|]}t|VqdS)N)r)rr+rErErFr\ sz%_try_convert_dates..csg|]}|kr|qSrErE)rr)rrErFr] sz&_try_convert_dates..)rIrrJr@r ) rZrrrcolsetcolnamesrrZto_parseZnew_colrE)rrFrP s  rcCs|dkr |rt}nt}t}nt|tr|}i}x:|D].\}}t|sV|g}|rft|tB}|||<q@Wdd|D}n*t|s|g}t|}|r|tB}t|}||fS)NcSsi|]\}}t||qSrE)_floatify_na_values)rrsrvrErErFrw sz$_clean_na_values..) rrIrJrrrr&_stringify_na_valuesr)rkrlrZ old_na_valuesrsrvrErErFrc s.   rc Cst|sd||fSt|}t|}g}t|}xxt|D]l\}}t|tr||xNt|D]$\}}||kr^|||<||Pq^Wq8||}||||q8Wx.t|D]"\}}t|tr||krd||<qW|||fS)N)rrrrJrrrE) rrgrZcp_colsrrrr$rBrErErFr, s*      r,c st|}tts,pttfddnF}tddx0|D]$\}}t|rb||n|}||<qJW|dks|dks|dkrtg}nJfdd|D} t | |d}| x"t |D]\} } | | | qWfdd |D} ||| fS) NcsS)NrErE) default_dtyperErFr rz!_get_empty_meta..cSstS)N)objectrErErErFr rFcsg|]}tg|dqS))rp)r5)rrB)rprErFr sz#_get_empty_meta..)rLcsi|]}tg|d|qS))rp)r5)rrK)rprErFrw sz#_get_empty_meta..) rrJrrrrrr$r1r4rrrr) rrgrrpZ_dtypersrvrrr:rr*rrE)rrprFrx s$     rxc CsTt}xH|D]@}y t|}t|s.||Wq tttfk rJYq Xq W|S)N)rIfloatrisnanrrrA OverflowError)rkrrvrErErFr s   rc Csg}x|D]}|t|||yHt|}|t|krbt|}||d|t|||Wntttfk rYnXy|t|Wq tttfk rYq Xq Wt|S)z3 return a stringified and numeric for these values z.0)rrrr@rrArrI)rkrr+rvrErErFr s$    rcCsJt|tr>||kr"||||fS|r0ttfSttfSn||fSdS)a Get the NaN values for a given column. Parameters ---------- col : str The name of the column. na_values : array-like, dict The object listing the NaN values as strings. na_fvalues : array-like, dict The object listing the NaN values as floats. keep_default_na : bool If `na_values` is a dict, and the column is not mapped in the dictionary, whether to return the default NaN values or the empty set. Returns ------- nan_tuple : A length-two tuple composed of 1) na_values : the string NaN values for that column. 2) na_fvalues : the float NaN values for that column. N)rJrrrI)rrkrrlrErErFrF s  rFcCsJt|}g}x8|D]0}||kr*||qt|tr|||qW|S)N)rIrrJr@)rrrrrrErErF_get_col_names,s   rc@s6eZdZdZd ddZd ddZddd Zd d ZdS)FixedWidthReaderz( A reader of fixed-width lines. NrcCs||_d|_|rd|nd|_||_|dkr>|j||d|_n||_t|jttfsht dt |j xd|jD]Z}t|ttfrt |dkrt|dt tjt dfrt|dt tjt dfspt d qpWdS) Nz z r])rriz;column specifications must be a list or tuple, input was a rrrSzEEach column specification must be 2 element tuple or list of integers)rbufferr_rsdetect_colspecsrrJrrrrrrHr@rr)rrrr_rsrirrrErErFr<s$  zFixedWidthReader.__init__cCsf|dkrt}g}g}x@t|jD]2\}}||kr<||||t||kr"Pq"Wt||_|S)a Read rows from self.f, skipping as specified. We distinguish buffer_rows (the first <= infer_nrows lines) from the rows returned to detect_colspecs because it's simpler to leave the other locations with skiprows logic alone than to modify them to deal with the fact we skipped some rows here as well. Parameters ---------- infer_nrows : int Number of rows to read from self.f, not counting rows that are skipped. skiprows: set, optional Indices of rows to skip. Returns ------- detect_rows : list of str A list containing the rows to read. N)rIrrrrHrr)rrriZ buffer_rowsZ detect_rowsrrrErErFget_rowsZs    zFixedWidthReader.get_rowsc sdddjD}td|d}||}|s@tdttt|}t j |dt d}j dk r|fd d |D}x4|D],}x&| |D]} d|| | <qWqWt |d} d | d <t || Adkd } tt| ddd | ddd } | S) Nrcss|]}d|VqdS)\NrE)rr+rErErFrsz3FixedWidthReader.detect_colspecs..z([^z]+)z(No rows from which to infer column widthrS)rpcsg|]}|jdqS)r) partitionrs)rr)rrErFrsz4FixedWidthReader.detect_colspecs..rr)r r_rrrrrrrHrzerosr@rsfinditerrrZrollwhererr-) rrri delimiterspatternrrrUrmZshiftededgesZ edge_pairsrE)rrFrs"    "z FixedWidthReader.detect_colspecscs`jdk r@ytjWqJtk r<d_tjYqJXn tjfddjDS)Ncs$g|]\}}||jqSrE)rr_)rZfrommto)rrrErFrsz-FixedWidthReader.__next__..)rrrrr)rrE)rrrFrs  zFixedWidthReader.__next__)Nr)N)rN)rrrrrrrrrErErErFr7s   & rc@s.eZdZdZddZddZedddZd S) rzl Specialization that Converts fixed-width fields into DataFrames. See PythonParser for details. cKs,|d|_|d|_tj||f|dS)Nrr)rrrrr)rrrYrErErFrs  zFixedWidthFieldParser.__init__cCs"t||j|j|j|j|j|_dS)N)rrr_rsrirr:)rrrErErFrsz"FixedWidthFieldParser._make_reader)rcCsdd|DS)z Returns the list of lines without the empty ones. With fixed-width fields, empty lines become arrays of empty strings. See PythonParser._remove_empty_lines. cSs"g|]}tdd|Dr|qS)css"|]}t|t p|VqdS)N)rJrr)rrrErErFrszGFixedWidthFieldParser._remove_empty_lines...)r)rrrErErFrsz=FixedWidthFieldParser._remove_empty_lines..rE)rrrErErFrsz)FixedWidthFieldParser._remove_empty_linesN)rrrrrrr rrErErErFrs r)rr_rrrrcCs|d}i}|dk r2|dko,|tjkp,||k|d<|dkr>|}|rT|tjk rTtd|tjkrh||d<n||d<|dk rd|d<nd|d<d |d<|S) arValidate/refine default values of input parameters of read_csv, read_table. Parameters ---------- dialect : str or csv.Dialect If provided, this parameter will override values (default or not) for the following parameters: `delimiter`, `doublequote`, `escapechar`, `skipinitialspace`, `quotechar`, and `quoting`. If it is necessary to override values, a ParserWarning will be issued. See csv.Dialect documentation for more details. delimiter : str or object Alias for sep. delim_whitespace : bool Specifies whether or not whitespace (e.g. ``' '`` or ``' '``) will be used as the sep. Equivalent to setting ``sep='\s+'``. If this option is set to True, nothing should be passed in for the ``delimiter`` parameter. engine : {{'c', 'python'}} Parser engine to use. The C engine is faster while the python engine is currently more feature-complete. sep : str or object A delimiter provided by the user (str) or a sentinel value, i.e. pandas._libs.lib.no_default. defaults: dict Default values of input parameters. Returns ------- kwds : dict Input parameters with correct values. Raises ------ ValueError : If a delimiter was specified with ``sep`` (or ``delimiter``) and ``delim_whitespace=True``. r_N sep_overridezXSpecified a delimiter with both sep and delim_whitespace=True; you can only specify one.TrrrF)r  no_defaultrA)rr_rrrrZ delim_defaultrYrErErFrs$-    r)rYrcCs<|ddkrdS|d}|tkr0t|}t||S)za Extract concrete csv dialect instance. Returns ------- csv.Dialect or None rN)rUr list_dialects get_dialect_validate_dialect)rYrrErErFrs  r)r_rcr`rdrarb)rrcCs,x&tD]}t||std|dqWdS)zx Validate csv dialect instance. Raises ------ ValueError If incorrect dialect is provided. zInvalid dialect z providedN)MANDATORY_DIALECT_ATTRSrrA)rparamrErErFr <s  r )rrrc Cs|}xtD]}t||}t|}|||}g}||krz||krzd|d|d|d}|dkrp|ddsz|||rtjd |t d d |||<qW|S) a Merge default kwargs in TextFileReader with dialect parameters. Parameters ---------- dialect : csv.Dialect Concrete csv dialect. See csv.Dialect documentation for more details. defaults : dict Keyword arguments passed to TextFileReader. Returns ------- kwds : dict Updated keyword arguments, merged with dialect parameters. zConflicting values for 'z': 'z+' was provided, but the dialect specifies 'z%'. Using the dialect-specified value.r_rFz r)r) rr getattrrrUrrrrr r) rrrYr Z dialect_valrprovidedZ conflict_msgsrDrErErFrJs     rcCs<|dr8|ds|dr&td|dr8tddS)a Check whether skipfooter is compatible with other kwargs in TextFileReader. Parameters ---------- kwds : dict Keyword arguments passed to TextFileReader. Raises ------ ValueError If skipfooter is not compatible with other parameters. rjrQrRz('skipfooter' not supported for iterationrTz''skipfooter' not supported with 'nrows'N)rUrA)rYrErErFr~s   r)r)r]Nr)N)NFFT)F)T)N)r collectionsrrrriorrrrtextwraprtypingrrrr r r r r rrrZnumpyrZpandas._libs.libZ_libsr Zpandas._libs.opsopsr]Zpandas._libs.parsersr\rZpandas._libs.tslibsrZpandas._typingrrrZ pandas.errorsrrrrZpandas.util._decoratorsrZpandas.core.dtypes.castrZpandas.core.dtypes.commonrrrrrr r!r"r#r$r%r&r'r(r)r*Zpandas.core.dtypes.dtypesr+Zpandas.core.dtypes.missingr,Z pandas.corer-r.Zpandas.core.arraysr/Zpandas.core.framer0Zpandas.core.indexes.apir1r2r3r4Zpandas.core.seriesr5Zpandas.core.toolsr6rZpandas.io.commonr7r8r9Zpandas.io.date_convertersr:rr r!Z_doc_read_csv_and_tablerGrMr[ QUOTE_MINIMALrrrrrrr__annotations__rIrformatZ _shared_docsrrrrrWrrVr@rrrrr r r rr~rrrrcrrr,rxrrrFrrrrrrrr r rrrErErErFs  0     H       x6  MB  2IB<0 3 > ,$ , # j%   S  1