Python pandas有几千个库函数,你用过几个?(5)

news2024/11/18 17:46:46

上一篇链接:

Python pandas有几千个库函数,你用过几个?(4)_Hann Yang的博客-CSDN博客

12个pandas子模块又包含310个库函数(含类、方法、子模块)

import pandas as pd
funcs = [_ for _ in dir(pd) if not _.startswith('_')]
types = type(pd.DataFrame), type(pd.array), type(pd)
Names = 'Type','Function','Module','Other'
Types = {}
count = 0
 
for f in funcs:
    t = type(eval("pd."+f))
    t = Names[-1 if t not in types else types.index(type(eval("pd."+f)))]
    Types[t] = Types.get(t,[])+[f]
 
for j,n in enumerate(Types['Module'],1):
    print(f"\n{j}:【{n}】")
    fun = [_ for _ in dir(eval('pd.'+n)) if not _.startswith('_')]
    count += len(fun)
    for i,f in enumerate(fun,1):
        print(f'{f:18} ',end='' if i%5 or i==len(fun) else '\n')
    print("\n小计:",len(fun))

print("合计:",count)

1:【api】
extensions         indexers           types              
小计: 3

2:【arrays】
ArrowStringArray   BooleanArray       Categorical        DatetimeArray      FloatingArray      
IntegerArray       IntervalArray      PandasArray        PeriodArray        SparseArray        
StringArray        TimedeltaArray     
小计: 12

3:【compat】
F                  IS64               PY310              PY38               PY39               
PYPY               chainmap           get_lzma_file      import_lzma        is_numpy_dev       
is_platform_arm    is_platform_linux  is_platform_little_endian is_platform_mac    is_platform_windows 
np_array_datetime64_compat np_datetime64_compat np_version_under1p18 np_version_under1p19 np_version_under1p20 
numpy           pa_version_under1p0 pa_version_under2p0 pa_version_under3p0 pa_version_under4p0 
pickle_compat      platform           pyarrow            set_function_name  sys                
warnings           
小计: 31

4:【core】
accessor           aggregation        algorithms         api                apply              
array_algos        arraylike          arrays             base               common             
computation        config_init        construction       describe           dtypes             
flags              frame              generic            groupby            indexers           
indexes            indexing           internals          missing            nanops             
ops                reshape            roperator          series             shared_docs        
sorting            strings            tools              util               window             
小计: 35

5:【errors】
AbstractMethodError AccessorRegistrationWarning DtypeWarning       DuplicateLabelError EmptyDataError    
IntCastingNaNError InvalidIndexError  MergeError         NullFrequencyError NumbaUtilError  
OptionError        OutOfBoundsDatetime OutOfBoundsTimedelta ParserError        ParserWarning    
PerformanceWarning UnsortedIndexError UnsupportedFunctionCall 
小计: 18

6:【io】
api                clipboards         common             date_converters    excel              
feather_format     formats            gbq                html               json               
orc                parquet            parsers            pickle             pytables           
sas                spss               sql                stata              xml                
小计: 20

7:【offsets】
BDay               BMonthBegin        BMonthEnd          BQuarterBegin      BQuarterEnd        
BYearBegin         BYearEnd           BaseOffset         BusinessDay        BusinessHour       
BusinessMonthBegin BusinessMonthEnd   CBMonthBegin       CBMonthEnd        CDay
CustomBusinessDay  CustomBusinessHour CustomBusinessMonthBegin CustomBusinessMonthEnd DateOffset         
Day                Easter             FY5253             FY5253Quarter      Hour               
LastWeekOfMonth    Micro              Milli              Minute             MonthBegin         
MonthEnd           Nano               QuarterBegin       QuarterEnd         Second             
SemiMonthBegin     SemiMonthEnd       Tick               Week               WeekOfMonth        
YearBegin          YearEnd            
小计: 42

8:【pandas】
BooleanDtype       Categorical        CategoricalDtype   CategoricalIndex   DataFrame          
DateOffset         DatetimeIndex      DatetimeTZDtype    ExcelFile          ExcelWriter        
Flags              Float32Dtype       Float64Dtype       Float64Index       Grouper            
HDFStore           Index              IndexSlice         Int16Dtype         Int32Dtype         
Int64Dtype         Int64Index         Int8Dtype          Interval           IntervalDtype      
IntervalIndex      MultiIndex         NA                 NaT                NamedAgg           
Period             PeriodDtype        PeriodIndex        RangeIndex         Series             
SparseDtype        StringDtype        Timedelta          TimedeltaIndex     Timestamp          
UInt16Dtype        UInt32Dtype        UInt64Dtype        UInt64Index        UInt8Dtype         
api                array              arrays             bdate_range        compat             
concat             core               crosstab           cut                date_range         
describe_option    errors             eval               factorize          get_dummies        
get_option         infer_freq         interval_range     io                 isna               
isnull             json_normalize     lreshape           melt               merge              
merge_asof         merge_ordered      notna              notnull            offsets            
option_context     options            pandas             period_range       pivot              
pivot_table        plotting           qcut               read_clipboard     read_csv           
read_excel         read_feather       read_fwf           read_gbq           read_hdf           
read_html          read_json          read_orc           read_parquet       read_pickle        
read_sas           read_spss          read_sql           read_sql_query     read_sql_table     
read_stata         read_table         read_xml           reset_option       set_eng_float_format 
set_option         show_versions      test               testing            timedelta_range    
to_datetime        to_numeric         to_pickle          to_timedelta       tseries            
unique             util               value_counts       wide_to_long       
小计: 119

9:【plotting】
PlotAccessor       andrews_curves     autocorrelation_plot bootstrap_plot     boxplot
boxplot_frame      boxplot_frame_groupby deregister_matplotlib_converters hist_frame         hist_series
lag_plot           parallel_coordinates plot_params        radviz             register_matplotlib_converters 
scatter_matrix     table              
小计: 17

10:【testing】
assert_extension_array_equal assert_frame_equal assert_index_equal assert_series_equal 
小计: 4

11:【tseries】
api                frequencies        offsets            
小计: 3

12:【util】
Appender           Substitution       cache_readonly     hash_array         hash_pandas_object 
version            
小计: 6
合计: 310

其中第8个pandas就是主模块:

>>> dir(pd)==dir(pd.pandas)
True

对第4个子模块core再扩展一下:

import pandas as pd
funcs = [_ for _ in dir(pd.core) if not _.startswith('_')]
types = type(pd.DataFrame), type(pd.array), type(pd)
Names = 'Type','Function','Module','Other'
Types = {}
count = 0
 
for f in funcs:
    t = type(eval("pd.core."+f))
    t = Names[-1 if t not in types else types.index(type(eval("pd.core."+f)))]
    Types[t] = Types.get(t,[])+[f]
 
for j,n in enumerate(Types['Module'],1):
    print(f"\n{j}:【{n}】")
    fun = [_ for _ in dir(eval('pd.core.'+n)) if not _.startswith('_')]
    count += len(fun)
    for i,f in enumerate(fun,1):
        print(f'{f:18} ',end='' if i%5 or i==len(fun) else '\n')
    print("\n小计:",len(fun))

 又翻出1299个:

1:【accessor】
CachedAccessor     DirNamesMixin      PandasDelegate     annotations        delegate_names     
doc                register_dataframe_accessor register_index_accessor register_series_accessor warnings           
小计: 10

2:【aggregation】
ABCSeries          AggFuncType        Any                Callable           DefaultDict        
FrameOrSeries      Hashable           Index              Iterable           Sequence           
SpecificationError TYPE_CHECKING      annotations        com                defaultdict        
is_dict_like       is_list_like       is_multi_agg_with_relabel maybe_mangle_lambdas normalize_keyword_aggregation 
partial            reconstruct_func   relabel_result     validate_func_kwargs 
小计: 24

3:【algorithms】
ABCDatetimeArray   ABCExtensionArray  ABCIndex           ABCMultiIndex      ABCRangeIndex      
ABCSeries          ABCTimedeltaArray  AnyArrayLike       ArrayLike          DtypeObj           
FrameOrSeriesUnion PandasDtype        Scalar             SelectN            SelectNFrame       
SelectNSeries      TYPE_CHECKING      Union              algos              annotations        
cast        checked_add_with_arr construct_1d_object_array_from_listlike dedent        diff 
doc                duplicated         ensure_float64     ensure_object      ensure_platform_int 
ensure_wrapped_if_datetimelike extract_array      factorize          factorize_array    final
get_data_algo      htable             iNaT               infer_dtype_from_array is_array_like      
is_bool_dtype      is_categorical_dtype is_complex_dtype   is_datetime64_dtype is_extension_array_dtype 
is_float_dtype     is_integer         is_integer_dtype   is_list_like       is_numeric_dtype   
is_object_dtype    is_scalar          is_timedelta64_dtype isin               isna               
lib                mode               na_value_for_dtype needs_i8_conversion np                 
operator           pandas_dtype       pd_array           quantile           rank               
safe_sort          sanitize_to_nanoseconds searchsorted       take               take_nd            
union_with_duplicates unique             unique1d           validate_indices   value_counts       
value_counts_arraylike warn               
小计: 77

4:【api】
BooleanDtype       Categorical        CategoricalDtype   CategoricalIndex   DataFrame          
DateOffset         DatetimeIndex      DatetimeTZDtype    Flags              Float32Dtype       
Float64Dtype       Float64Index       Grouper            Index              IndexSlice         
Int16Dtype         Int32Dtype         Int64Dtype         Int64Index         Int8Dtype          
Interval           IntervalDtype      IntervalIndex      MultiIndex         NA                 
NaT                NamedAgg           Period             PeriodDtype        PeriodIndex        
RangeIndex         Series             StringDtype        Timedelta          TimedeltaIndex     
Timestamp          UInt16Dtype        UInt32Dtype        UInt64Dtype        UInt64Index        
UInt8Dtype         array              bdate_range        date_range         factorize          
interval_range     isna               isnull             notna              notnull            
period_range       set_eng_float_format timedelta_range    to_datetime        to_numeric 
to_timedelta       unique             value_counts       
小计: 58

5:【apply】
ABCDataFrame       ABCNDFrame         ABCSeries          AggFuncType        AggFuncTypeBase    
AggFuncTypeDict    AggObjType         Any                Apply              Axis               
DataError          Dict               FrameApply         FrameColumnApply   FrameOrSeries      
FrameOrSeriesUnion FrameRowApply      GroupByApply       Hashable           Iterator 
List           NDFrameApply       ResType            ResamplerWindowApply SelectionMixin
SeriesApply        SpecificationError TYPE_CHECKING      abc                annotations        
cache_readonly     cast               com                create_series_with_explicit_dtype ensure_wrapped_if_datetimelike 
frame_apply        inspect            is_dict_like       is_extension_array_dtype is_list_like       
is_nested_object   is_sequence        lib                np                 option_context     
pd_array           safe_sort          warnings           
小计: 48

6:【array_algos】
masked_reductions  putmask            quantile           replace            take               
transforms         
小计: 6

7:【arraylike】
Any                OpsMixin           array_ufunc        extract_array      lib                
maybe_dispatch_ufunc_to_dunder_op np                 operator           roperator          unpack_zerodim_and_defer 
warnings           
小计: 11

8:【arrays】
ArrowStringArray   BaseMaskedArray    BooleanArray       Categorical        DatetimeArray
ExtensionArray     ExtensionOpsMixin  ExtensionScalarOpsMixin FloatingArray      IntegerArray       
IntervalArray      PandasArray        PeriodArray        SparseArray        StringArray        
TimedeltaArray     base               boolean            categorical        datetimelike       
datetimes          floating           integer            interval           masked             
numeric            numpy_             period             period_array       sparse             
string_            string_arrow       timedeltas         
小计: 33

9:【base】
ABCDataFrame       ABCIndex           ABCSeries          AbstractMethodError Any                
ArrayLike          DataError          DirNamesMixin      Dtype              DtypeObj           
ExtensionArray     FrameOrSeries      Generic            Hashable           IndexLabel         
IndexOpsMixin      NoNewAttributesMixin OpsMixin           PYPY           PandasObject 
SelectionMixin     Shape              SpecificationError TYPE_CHECKING      TypeVar            
algorithms         annotations        cache_readonly     cast               create_series_with_explicit_dtype 
doc                duplicated         final              is_categorical_dtype is_dict_like       
is_extension_array_dtype is_object_dtype    is_scalar          isna               lib                
nanops             np                 nv                 remove_na_arraylike textwrap           
unique1d           value_counts       
小计: 47

10:【common】
ABCExtensionArray  ABCIndex           ABCSeries          Any                AnyArrayLike       
Callable           Collection         Iterable           Iterator           NpDtype            
Scalar             SettingWithCopyError SettingWithCopyWarning T                  TYPE_CHECKING      
abc                all_none           all_not_none       annotations        any_none           
any_not_none       apply_if_callable  asarray_tuplesafe  builtins           cast               
cast_scalar_indexer consensus_name_attr construct_1d_object_array_from_listlike contextlib         convert_to_list_like 
count_not_none     defaultdict        flatten            get_callable_name  get_cython_func    
get_rename_function index_labels_to_array inspect            is_array_like      is_bool_dtype
is_bool_indexer    is_builtin_func    is_extension_array_dtype is_full_slice      is_integer
is_null_slice      is_true_slices     isna               iterable_not_string lib                
maybe_iterable_to_list maybe_make_list    not_none         np         np_version_under1p18 
partial            pipe               random_state       require_length_match standardize_mapping 
temp_setattr       warnings           
小计: 62

11:【computation】
align              api                check              common             engines            
eval               expr               expressions        ops                parsing            
pytables           scope              
小计: 12

12:【config_init】
cf                 chained_assignment colheader_justify_doc data_manager_doc   float_format_doc   
is_bool            is_callable        is_instance_factory is_int             is_nonnegative_int 
is_one_of_factory  is_terminal        is_text            max_cols           max_colwidth_doc   
os      parquet_engine_doc pc_ambiguous_as_wide_doc pc_chop_threshold_doc pc_colspace_doc
pc_east_asian_width_doc pc_expand_repr_doc pc_html_border_doc pc_html_use_mathjax_doc pc_large_repr_doc  
pc_latex_escape    pc_latex_longtable pc_latex_multicolumn pc_latex_multicolumn_format pc_latex_multirow  
pc_latex_repr_doc  pc_max_categories_doc pc_max_cols_doc    pc_max_info_cols_doc pc_max_info_rows_doc 
pc_max_rows_doc    pc_max_seq_items   pc_memory_usage_doc pc_min_rows_doc    pc_multi_sparse_doc 
pc_nb_repr_h_doc   pc_pprint_nest_depth pc_precision_doc   pc_show_dimensions_doc pc_table_schema_doc 
pc_width_doc       plotting_backend_doc reader_engine_doc  register_converter_cb register_converter_doc 
register_plotting_backend_cb sql_engine_doc     string_storage_doc styler_max_elements styler_sparse_columns_doc 
styler_sparse_index_doc table_schema_cb    tc_sim_interactive_doc use_bottleneck_cb  use_bottleneck_doc 
use_inf_as_na_cb   use_inf_as_na_doc  use_inf_as_null_doc use_numba_cb       use_numba_doc      
use_numexpr_cb     use_numexpr_doc    warnings           writer_engine_doc  
小计: 69

13:【construction】
ABCExtensionArray  ABCIndex    ABCPandasArray     ABCRangeIndex      ABCSeries
Any            AnyArrayLike       ArrayLike          DatetimeTZDtype    Dtype              
DtypeObj           ExtensionDtype     IntCastingNaNError Sequence       TYPE_CHECKING
annotations        array              cast               com                construct_1d_arraylike_from_scalar 
construct_1d_object_array_from_listlike create_series_with_explicit_dtype ensure_wrapped_if_datetimelike extract_array      is_datetime64_ns_dtype 
is_empty_data      is_extension_array_dtype is_float_dtype     is_integer_dtype   is_list_like
is_object_dtype    is_timedelta64_ns_dtype isna               lib                ma                 
maybe_cast_to_datetime maybe_cast_to_integer_array maybe_convert_platform maybe_infer_to_datetimelike maybe_upcast       
np                 range_to_ndarray   registry           sanitize_array     sanitize_masked_array 
sanitize_to_nanoseconds warnings           
小计: 47

14:【describe】
ABC                Callable           DataFrameDescriber FrameOrSeries      FrameOrSeriesUnion 
Hashable           NDFrameDescriberAbstract Sequence           SeriesDescriber    TYPE_CHECKING      
Timestamp          abstractmethod     annotations        cast               concat             
describe_categorical_1d describe_ndframe   describe_numeric_1d describe_timestamp_1d describe_timestamp_as_categorical_1d 
format_percentiles is_bool_dtype      is_datetime64_any_dtype is_numeric_dtype   is_timedelta64_dtype 
np                 refine_percentiles reorder_columns    select_describe_func validate_percentile 
warnings           
小计: 31

15:【dtypes】
api                base               cast               common             concat             
dtypes             generic            inference          missing            
小计: 9

16:【flags】
Flags              weakref            
小计: 2

17:【frame】
AggFuncType        Any                AnyArrayLike       AnyStr             Appender           
ArrayLike          ArrayManager       Axes               Axis               BaseInfo           
BlockManager       CachedAccessor     Callable           CategoricalIndex   ColspaceArgType
CompressionOptions DataFrame          DataFrameInfo      DatetimeArray      DatetimeIndex
Dtype              ExtensionArray     ExtensionDtype     FilePathOrBuffer   FillnaOptions      
FloatFormatType    FormattersType     FrameOrSeriesUnion Frequency         Hashable 
IO                 Index              IndexKeyFunc       IndexLabel         Iterable           
Iterator           Level              MultiIndex         NDFrame            NpDtype            
OpsMixin           PeriodIndex        PythonFuncType     Renamer            Scalar             
Sequence           Series             SparseFrameAccessor StorageOptions     StringIO           
Substitution       Suffixes           TYPE_CHECKING      TimedeltaArray     ValueKeyFunc       
abc                algorithms         annotations        arrays_to_mgr      cast               
check_bool_indexer check_key_length   collections        com                console            
construct_1d_arraylike_from_scalar construct_2d_arraylike_from_scalar convert_to_index_sliceable dataclasses_to_dicts datetime           
dedent        deprecate_kwarg    deprecate_nonkeyword_arguments dict_to_mgr      doc
duplicated      ensure_index       ensure_index_from_sequences ensure_platform_int extract_array
find_common_type   fmt                functools          generic            get_group_index    
get_handle         get_option         ibase              import_optional_dependency infer_dtype_from_object 
infer_dtype_from_scalar invalidate_string_dtypes is_1d_only_ea_dtype is_1d_only_ea_obj  is_bool_dtype      
is_dataclass       is_datetime64_any_dtype is_dict_like       is_dtype_equal     is_extension_array_dtype 
is_float           is_float_dtype     is_hashable        is_integer         is_integer_dtype   
is_iterator        is_list_like       is_object_dtype    is_scalar          is_sequence        
isna               itertools          lexsort_indexer    lib                libalgos           
ma                 maybe_box_native   maybe_downcast_to_dtype maybe_droplevels   melt
mgr_to_mgr         mmap               nanops             nargsort           ndarray_to_mgr     
nested_data_to_arrays no_default         notna              np                 nv                 
ops                overload           pandas             pandas_dtype       properties         
rec_array_to_mgr   reconstruct_func   relabel_result     reorder_arrays     rewrite_axis_style_signature 
sanitize_array     sanitize_masked_array take_2d_multi      to_arrays      treat_as_nested
validate_axis_style_args validate_bool_kwarg validate_numeric_casting validate_percentile warnings
小计: 150

18:【generic】
ABCDataFrame       ABCSeries          AbstractMethodError Any                AnyStr             
ArrayManager       Axis               BlockManager       Callable           CompressionOptions 
DataFrameFormatter DataFrameRenderer  DatetimeIndex      Dtype              DtypeArg  
DtypeObj           Expanding          ExponentialMovingWindow ExtensionArray     FilePathOrBuffer   
Flags              FrameOrSeries      Hashable           Index              IndexKeyFunc       
IndexLabel         InvalidIndexError  JSONSerializable   Level              Manager            
Mapping            MultiIndex         NDFrame            NpDtype            PandasObject       
Period             PeriodIndex        RangeIndex         Renamer            Rolling            
Sequence        SingleArrayManager StorageOptions     T       TYPE_CHECKING
Tick           TimedeltaConvertibleTypes Timestamp       TimestampConvertibleTypes ValueKeyFunc
Window             algos              align_method_FRAME annotations        arraylike          
bool_t             cast               collections        com                concat             
config             create_series_with_explicit_dtype describe_ndframe   doc                ensure_index       
ensure_object      ensure_platform_int ensure_str         extract_array      final              
find_valid_index   fmt                functools          gc                 get_indexer_indexer 
ibase              import_optional_dependency indexing           is_bool            is_bool_dtype      
is_datetime64_any_dtype is_datetime64tz_dtype is_dict_like       is_dtype_equal     is_extension_array_dtype 
is_float           is_hashable        is_list_like       is_nested_list_like is_number          
is_numeric_dtype   is_object_dtype    is_re_compilable   is_scalar   is_timedelta64_dtype
isna               json               lib                mgr_to_mgr         missing            
nanops             notna              np                 nv                 operator           
overload           pandas_dtype       pickle             pprint_thing       re                 
rewrite_axis_style_signature timedelta          to_offset          validate_ascending validate_bool_kwarg 
validate_fillna_kwargs warnings           weakref            
小计: 118

19:【groupby】
DataFrameGroupBy   GroupBy            Grouper            NamedAgg           SeriesGroupBy      
base               categorical        generic            groupby            grouper            
numba_             ops                
小计: 12

20:【indexers】
ABCIndex           ABCSeries          Any                AnyArrayLike       ArrayLike          
TYPE_CHECKING      annotations        check_array_indexer check_key_length   check_setitem_lengths 
deprecate_ndim_indexing is_array_like      is_bool_dtype      is_empty_indexer   is_exact_shape_match 
is_extension_array_dtype is_integer         is_integer_dtype   is_list_like       is_list_like_indexer 
is_scalar_indexer  is_valid_positional_slice length_of_indexer  maybe_convert_indices np
unpack_1tuple      validate_indices   warnings           
小计: 28

21:【indexes】
accessors          api                base               category           datetimelike       
datetimes          extension          frozen             interval           multi              
numeric            period             range              timedeltas         
小计: 14

22:【indexing】
ABCDataFrame       ABCSeries          AbstractMethodError Any                CategoricalIndex   
Hashable           Index              IndexSlice         IndexingError      IndexingMixin      
IntervalIndex      InvalidIndexError  MultiIndex         NDFrameIndexerBase Sequence           
TYPE_CHECKING      algos              annotations        check_array_indexer check_bool_indexer 
com                concat_compat      convert_from_missing_indexer_tuple convert_missing_indexer convert_to_index_sliceable 
doc                ensure_index       extract_array      infer_fill_value   is_array_like      
is_bool_dtype      is_empty_indexer   is_exact_shape_match is_hashable        is_integer
is_iterator        is_label_like      is_list_like       is_list_like_indexer is_nested_tuple    
is_numeric_dtype   is_object_dtype    is_scalar          is_sequence        isna               
item_from_zerodim  length_of_indexer  maybe_convert_ix   need_slice         needs_i8_conversion 
np                 pd_array           suppress           warnings           
小计: 54

23:【internals】
ArrayManager       Block              BlockManager       DataManager        DatetimeTZBlock    
ExtensionBlock     NumericBlock       ObjectBlock        SingleArrayManager SingleBlockManager 
SingleDataManager  api                array_manager      base               blocks             
concat             concatenate_managers construction       create_block_manager_from_arrays create_block_manager_from_blocks 
make_block         managers           ops                
小计: 23

24:【missing】
Any                ArrayLike          Axis               F                  NP_METHODS         
SP_METHODS         TYPE_CHECKING      algos              annotations        cast               
check_value_size   clean_fill_method  clean_interp_method clean_reindex_fill_method find_valid_index   
get_fill_func      import_optional_dependency infer_dtype_from   interpolate_1d     interpolate_2d     
interpolate_2d_with_fill interpolate_array_2d is_array_like      is_numeric_v_string_like is_valid_na_for_dtype 
isna               lib                mask_missing       na_value_for_dtype needs_i8_conversion 
np                 partial            wraps              
小计: 33

25:【nanops】
Any                ArrayLike          Dtype              DtypeObj           F                  
NaT                NaTType            PeriodDtype        Scalar             Shape              
Timedelta          annotations        bn                 bottleneck_switch  cast               
check_below_min_count disallow           extract_array      functools          get_corr_func      
get_dtype          get_empty_reduction_result get_option         iNaT               import_optional_dependency 
is_any_int_dtype   is_bool_dtype      is_complex         is_datetime64_any_dtype is_float
is_float_dtype     is_integer         is_integer_dtype   is_numeric_dtype   is_object_dtype    
is_scalar          is_timedelta64_dtype isna               itertools          lib                
make_nancomp       na_accum_func      na_value_for_dtype nanall             nanany             
nanargmax          nanargmin          nancorr            nancov             naneq              
nange              nangt              nankurt            nanle              nanlt              
nanmax             nanmean            nanmedian          nanmin             nanne              
nanpercentile      nanprod            nansem             nanskew            nanstd             
nansum             nanvar             needs_i8_conversion notna              np                 
np_percentile_argname operator        pandas_dtype       set_use_bottleneck warnings
小计: 75

26:【ops】
ABCDataFrame       ABCSeries          ARITHMETIC_BINOPS  Appender           COMPARISON_BINOPS  
Level              TYPE_CHECKING      add_flex_arithmetic_methods algorithms         align_method_FRAME 
align_method_SERIES annotations        arithmetic_op      array_ops          common             
comp_method_OBJECT_ARRAY comparison_op      dispatch           docstrings         fill_binop         
flex_arith_method_FRAME flex_comp_method_FRAME flex_method_SERIES frame_arith_method_with_reindex get_array_op       
get_op_result_name invalid            invalid_comparison is_array_like      is_list_like       
isna               kleene_and         kleene_or          kleene_xor         logical_op         
make_flex_doc      mask_ops           maybe_dispatch_ufunc_to_dunder_op maybe_prepare_scalar_for_op methods            
missing            np                 operator           radd               rand_              
rdiv               rdivmod            rfloordiv          rmod               rmul               
roperator          ror_               rpow               rsub               rtruediv           
rxor               should_reindex_frame_op unpack_zerodim_and_defer warnings           
小计: 59

27:【reshape】
api                concat             melt               merge              pivot              
reshape            tile               util               
小计: 8

28:【roperator】
operator           radd               rand_              rdiv               rdivmod            
rfloordiv          rmod               rmul               ror_               rpow               
rsub               rtruediv           rxor               
小计: 13

29:【series】
ABCDataFrame       AggFuncType        Any                Appender           ArrayLike          
Axis               CachedAccessor     Callable           CategoricalAccessor CategoricalIndex   
CombinedDatetimelikeProperties DatetimeIndex      Dtype              DtypeObj           ExtensionArray     
FillnaOptions      Float64Index       FrameOrSeriesUnion Hashable           IO                 
Index              IndexKeyFunc       InvalidIndexError  Iterable           MultiIndex         
NDFrame            NpDtype            PeriodIndex        Sequence           Series             
SeriesApply        SingleArrayManager SingleBlockManager SingleManager      SparseAccessor     
StorageOptions     StringIO           StringMethods      Substitution       TYPE_CHECKING      
TimedeltaIndex     Union              ValueKeyFunc       algorithms         annotations        
base               cast               check_bool_indexer com                convert_dtypes     
create_series_with_explicit_dtype dedent             deprecate_ndim_indexing deprecate_nonkeyword_arguments doc                
ensure_index       ensure_key_mapped  ensure_platform_int ensure_wrapped_if_datetimelike extract_array      
fmt                generic            get_option         get_terminal_size  ibase              
is_bool            is_dict_like       is_empty_data      is_hashable        is_integer         
is_iterator        is_list_like       is_object_dtype    is_scalar          isna               
lib                maybe_box_native   maybe_cast_pointwise_result missing            na_value_for_dtype 
nanops             nargsort           no_default         notna              np                 
nv                 ops                overload           pandas             pandas_dtype       
properties         remove_na_arraylike reshape            sanitize_array     to_datetime        
tslibs             unpack_1tuple      validate_all_hashable validate_bool_kwarg validate_numeric_casting 
validate_percentile warnings           weakref            
小计: 103

30:【shared_docs】
annotations        
小计: 1

31:【sorting】
ABCMultiIndex      ABCRangeIndex      Callable           DefaultDict        IndexKeyFunc       
Iterable           Sequence           Shape              TYPE_CHECKING      algos              
annotations        compress_group_index decons_group_index decons_obs_group_ids defaultdict 
ensure_int64       ensure_key_mapped  ensure_platform_int extract_array      get_compressed_ids 
get_flattened_list get_group_index    get_group_index_sorter get_indexer_dict   get_indexer_indexer 
hashtable    indexer_from_factorized is_extension_array_dtype is_int64_overflow_possible isna
lexsort_indexer    lib         nargminmax         nargsort           np
unique_label_indices 
小计: 36

32:【strings】
BaseStringArrayMethods StringMethods      accessor           base        object_array 
小计: 5

33:【tools】
datetimes          numeric            timedeltas         times              
小计: 4

34:【util】
hashing            numba_             
小计: 2

35:【window】
Expanding          ExpandingGroupby   ExponentialMovingWindow ExponentialMovingWindowGroupby Rolling            
RollingGroupby     Window             common             doc                ewm                
expanding          indexers           numba_             online             rolling            
小计: 15
合计: 1299

待续......

下一篇链接:

https://hannyang.blog.csdn.net/article/details/128431737

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/112858.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

【C与数据结构】——寒假提高每日练习Day1

一共16日的练习,分为选择题与编程题,涵盖了C语言所学以及数据结构的重点,以及一些秋招、春招面试的高频考点,难度会随着天数而上升。 (建议在电脑客户端进行,将鼠标选中被遮挡的地方,即可看到解…

aws codepipeline创建跨账户的cicd

参考资料 Building a Cross-account CI/CD Pipeline Create a pipeline in CodePipeline that uses resources from another AWS account 通常来说,我们会将代码和pipeline配置不同的账户中,在codepipeline的source阶段指定为另一个账号的codecommit仓…

将扩散模型应用到文本领域

前言 扩散模型在文生图领域可谓是大显身手,效果棒棒~ 每当一个idea有效之时,便会有更多相关的研究跟进尝试,今天就给大家介绍一篇将扩散模型应用到文本生成领域的工作,这也是一篇比较新的paper,其中还用到了…

LCS+LIS最长公共上升子序列

LIS LCS AcWing 272. 最长公共上升子序列 没优化的代码 优化解释在代码注释中优化解释在代码注释中优化解释在代码注释中 #include<iostream> #include<cstring> #include<algorithm>using namespace std;const int N 3e3 10;int a[N], b[N], f[N][N];i…

开启浏览器sourcemap调试生产环境代码

开启浏览器sourcemap调试生产环境代码 Source Map介绍 在做网站性能优化的时候&#xff0c;我们经常会做js和css代码压缩。但是压缩之 后的代码在调试的时候就会异常困难。source map就是解决问题的一种解决方案 浏览器Source Map 浏览器可以设置开启或者关闭SourceMap&…

78. 子集

78. 子集 给你一个整数数组 nums &#xff0c;数组中的元素 互不相同 。返回该数组所有可能的子集&#xff08;幂集&#xff09;。 解集 不能 包含重复的子集。你可以按 任意顺序 返回解集。 示例 1&#xff1a; 输入&#xff1a;nums [1,2,3] 输出&#xff1a;[[],[1],[2]…

14【SpringMVC的拦截器】

文章目录一、拦截器1.1 拦截器与过滤器1.2 拦截器的应用1.2.1 HandlerInterceptor接口1.2.2 拦截器的拦截规则1.3 搭建工程测试拦截器1.3.1 测试SpringMVC拦截器1.3.2 SprinMVC拦截器注意事项1.4 HandlerMethod类1.5 多个拦截器的执行顺序一、拦截器 1.1 拦截器与过滤器 过滤…

第6章 el-menu刷新保持当前菜单选项与角色页面

1重构&#xff1a;src\components\AdminLayoutComponen.vue(el-menu刷新保持当前菜单选项) <template> <el-container> <!-- 侧边栏 &#xff0c;"<div class"aside">标签可被删除&#xff0c;为了下拉条控件样式保存了该标签"-->…

maven的插件(命令)install介绍

maven的插件&#xff08;命令&#xff09;install介绍背景关于构建时使用的maven命令installmaven其他插件/命令的使用背景 今天在引入SpringCloudAlibaba时&#xff0c;pom.xml中的dependency报错了 到本地仓库去验证 验证无误&#xff0c;找原因 现象&#xff1a; 在maven…

Flink-状态编程(按键分区状态、算子状态、广播状态、持久化与状态后端)

9 状态编程 9.1 概述 9.1.1 状态 所谓的状态&#xff0c;最常见的就是之前到达的数据&#xff0c;或者由之前数据计算出的某个结果 继承富函数类的函数类就可以获取运行时上下文&#xff0c;也就可以自定义状态&#xff0c;例如process中的ProcessFunction&#xff0c;CoPr…

HTML+CSS+svg绘制精美彩色闪灯圣诞树,HTML+CSS+Js实时新年时间倒数倒计时(附源代码)

HTMLCSSsvg绘制精美彩色闪灯圣诞树&#xff0c; HTMLCSSJs实时新年时间倒数倒计时(附源代码) 本篇目录 一、前言 二、主要功能 三、效果展示 四、编码实现步骤 五、资源下载 六、完整源代码&#xff0c;也可下载打包代码&#xff08;我设的是免费&#xff09; 一、前言…

【Vue】三、Vue.js的常用选项

后端程序员的vue学习之路一、选项 / 数据1、data2、computed3、 methods4、computed 与 methods的区别5、watch二、选项 / DOMeltemplate三、选项 / 生命周期钩子1、生命周期钩子有如下这些&#xff1a;2、流程图2、练习代码四、选项 / 资源1、filters2、directives3、componen…

大半夜睡不着,聊一下在小外包公司工作一年后的感想吧

我不知道当年怎么想的&#xff0c;能在一个外包公司一干就是6年&#xff0c;后来终于跳出来了&#xff0c;现在的公司虽然不是什么大厂吧&#xff0c;但至少是个正经的互联网企业&#xff0c;待遇也不错。 其实很多地方的朋友都有提到外包公司的一些弊端&#xff1a; 1.工期短…

自己动手实现一个轮播图组件

1. 轮播图原理 轮播图的原理可以总结为两点&#xff1a; 定位的运用定时器的运用 轮播图的每一张图横向依次排列。在最外层还有一个父级盒子&#xff0c;它的宽度刚好是一张图片的宽度&#xff0c;第一张图没有设置隐藏超出部分&#xff0c;第二张图隐藏了超出部分。 当我们…

河道非法采砂识别系统 yolov5

河道非法采砂识别系统通过yolov5网络架构深度学习技术对河道非法采砂行为进行实时分析检测&#xff0c;如yolov5架构模型发现现场违规采砂&#xff0c;则立即抓拍回传后台。YOLO算法- YOLO算法是一种基于回归的算法&#xff0c;它不是选择图像中有趣的部分&#xff0c;而是预测…

世界杯已开赛,哪些看球设备让你觉得身临其境?

笔者在父亲的影响下&#xff0c;从1994年美国世界杯开始接触足球&#xff0c;因为当时 CCTV5 对拥有着小世界杯之称的意甲转播&#xff0c;成为了一名意大利足球队的忠实拥趸&#xff0c;一直到现在。 四年一次的世界杯也成了我从不错过的足球盛宴。2002年日韩世界杯和2006年德…

Unity使用飞书在线表格做配置表

团队使用飞书进行项目管理&#xff0c;使用在线表格进行配置表的编写&#xff0c;而飞书也提供了在线表格操作的Api&#xff0c;这样我们可以直接在Unity中同步云端表格数据 飞书配置 首先需要进入飞书开发者后台创建应用https://open.feishu.cn/app 创建应用后记录AppId和Ap…

CAJ转pdf在线网址

知网下载论文格式为CAJ&#xff0c;不想下载它的阅读器&#xff0c;网上找了一下转pdf的网站&#xff0c;记录一下&#xff1a; 1.Caj2Pdf在线 https://caj.bookcodes.cn/ 2.speedpdf-CAJ转PDF https://speedpdf.cn/zh-cn/convert/caj-to-pdf?chbaiducp

Android---ViewPager

目录 一、ViewPager 缓存页面与预加载 缓存页面 预加载 预加载带来的问题 解决(性能优化) 二、ViewPager 懒加载机制 ViewPager源码 ViewPager 是怎么展示出来的 Populate FragmentPagerAdapter 三、ViewPager 与 ViewPager2 的差异 一、ViewPager 缓存页面与预加载 …

为什么企业要注重数据安全?六大优势分析

数据加密是将数据从可读格式转换为编码格式。两种最常见的加密方法是对称加密和非对称加密。这些名称是指是否使用相同的密钥进行加密和解密&#xff1a; ●对称加密密钥&#xff1a;这也称为私钥加密。用于编码的密钥与用于解码的密钥相同&#xff0c;使其最适合个人用户和封…