PythonFixing
  • Privacy Policy
  • TOS
  • Ask Question
  • Contact Us
  • Home
  • Python
  • Tensorflow
  • Django
  • Flask
  • PyQT
  • Selenium
  • NumPy
  • RegEx

Thursday, August 11, 2022

[FIXED] related to pandas data frame

 August 11, 2022     excel, numpy, pandas, python     No comments   

Issue

CODE :-

from datetime import date
from datetime import timedelta
from nsepy import get_history
import pandas as pd

end1 =date.today()
start1 = end1 - timedelta(days=10)
exp_date1 = date(2022,8,25)
exp_date2 = date(2022,9,29)

stock = ['RELIANCE','HDFCBANK','INFY','ICICIBANK','HDFC','TCS','KOTAKBANK','LT','SBIN','HINDUNILVR','AXISBANK',
     'ITC','BAJFINANCE','BHARTIARTL','ASIANPAINT','HCLTECH','MARUTI','TITAN','BAJAJFINSV','TATAMOTORS',
     'TECHM','SUNPHARMA','TATASTEEL','M&M','WIPRO','ULTRACEMCO','POWERGRID','HINDALCO','NTPC','NESTLEIND',
     'GRASIM','ONGC','JSWSTEEL','HDFCLIFE','INDUSINDBK','SBILIFE','DRREDDY','ADANIPORTS','DIVISLAB','CIPLA',
     'BAJAJ-AUTO','TATACONSUM','UPL','BRITANNIA','BPCL','EICHERMOT','HEROMOTOCO','COALINDIA','SHREECEM','IOC']
for stock in stock:
    stock_jan = get_history(symbol=stock,
                        start=start1,
                        end=end1,
                        futures=True,
                        expiry_date=exp_date1)
    stock_feb = get_history(symbol=stock,
                        start=start1,
                        end=end1,
                        futures=True,
                        expiry_date=exp_date2)
    delivery_per_age = get_history(symbol=stock,
                               start=start1,
                               end=end1)
    symbol_s = get_history(symbol=stock,
                       start=start1,
                       end=end1)
    oi_combined = pd.concat([stock_jan['Change in OI'] + stock_feb['Change in OI']])
    total_oi = pd.concat([stock_jan['Open Interest']+stock_feb['Open Interest']])
    delivery_vol = pd.concat([delivery_per_age['Deliverable Volume']])
    na_me = pd.concat([symbol_s['Symbol']])
    close = pd.concat([delivery_per_age['Close']])
    df = pd.DataFrame(na_me)
    df['TOTAL_OPN_INT'] = total_oi
    df['OI_COMBINED'] = oi_combined
    df['%_CHANGE'] = ((df['OI_COMBINED'] / df['TOTAL_OPN_INT']) * 100).__round__(0)
   
    
    pd.set_option('display.max_columns',8)
    pd.set_option('display.width',200)
    print(df)

PRODUCT:-

              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  RELIANCE       24406250      6664500      27.0
2022-07-27  RELIANCE       30434500      6028250      20.0
2022-07-28  RELIANCE       36177500      5743000      16.0
2022-07-29  RELIANCE       35629250      -548250      -2.0
2022-08-01  RELIANCE       33920750     -1708500      -5.0
2022-08-02  RELIANCE       32738250     -1182500      -4.0
2022-08-03  RELIANCE       32026500      -711750      -2.0
2022-08-04  RELIANCE       32886500       860000       3.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  HDFCBANK       44094050     12837550      29.0
2022-07-27  HDFCBANK       53098100      9004050      17.0
2022-07-28  HDFCBANK       58785650      5687550      10.0
2022-07-29  HDFCBANK       59424200       638550       1.0
2022-08-01  HDFCBANK       60106200       682000       1.0
2022-08-02  HDFCBANK       60987300       881100       1.0
2022-08-03  HDFCBANK       60483500      -503800      -1.0
2022-08-04  HDFCBANK       60819550       336050       1.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26   INFY       27968100     10026900      36.0
2022-07-27   INFY       32902800      4934700      15.0
2022-07-28   INFY       36741900      3839100      10.0
2022-07-29   INFY       36555000      -186900      -1.0
2022-08-01   INFY       36683100       128100       0.0
2022-08-02   INFY       36653700       -29400      -0.0
2022-08-03   INFY       36848700       195000       1.0
2022-08-04   INFY       36459900      -388800      -1.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  ICICIBANK       50990500     10811625      21.0
2022-07-27  ICICIBANK       59917000      8926500      15.0
2022-07-28  ICICIBANK       65434875      5517875       8.0
2022-07-29  ICICIBANK       64421500     -1013375      -2.0
2022-08-01  ICICIBANK       63976000      -445500      -1.0
2022-08-02  ICICIBANK       64975625       999625       2.0
2022-08-03  ICICIBANK       64824375      -151250      -0.0
2022-08-04  ICICIBANK       64097000      -727375      -1.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26   HDFC       14214900      4004400      28.0
2022-07-27   HDFC       16781100      2566200      15.0
2022-07-28   HDFC       21082800      4301700      20.0
2022-07-29   HDFC       21459600       376800       2.0
2022-08-01   HDFC       21417300       -42300      -0.0
2022-08-02   HDFC       21621300       204000       1.0
2022-08-03   HDFC       21690900        69600       0.0
2022-08-04   HDFC       21563100      -127800      -1.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26    TCS        8746050      2746050      31.0
2022-07-27    TCS       10440150      1694100      16.0
2022-07-28    TCS       12167850      1727700      14.0
2022-07-29    TCS       11899800      -268050      -2.0
2022-08-01    TCS       11961300        61500       1.0
2022-08-02    TCS       12141900       180600       1.0
2022-08-03    TCS       12310350       168450       1.0
2022-08-04    TCS       12492900       182550       1.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  KOTAKBANK       10294000      4272400      42.0
2022-07-27  KOTAKBANK       13121600      2827600      22.0
2022-07-28  KOTAKBANK       14876800      1755200      12.0
2022-07-29  KOTAKBANK       14772000      -104800      -1.0
2022-08-01  KOTAKBANK       15180000       408000       3.0
2022-08-02  KOTAKBANK       15558000       378000       2.0
2022-08-03  KOTAKBANK       15645200        87200       1.0
2022-08-04  KOTAKBANK       15792800       147600       1.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26     LT        6851700      1901100      28.0
2022-07-27     LT        8606700      1755000      20.0
2022-07-28     LT        9540300       933600      10.0
2022-07-29     LT        9676200       135900       1.0
2022-08-01     LT        9579600       -96600      -1.0
2022-08-02     LT        9432300      -147300      -2.0
2022-08-03     LT        9510600        78300       1.0
2022-08-04     LT        9499200       -11400      -0.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26   SBIN       30426000     10119000      33.0
2022-07-27   SBIN       43723500     13297500      30.0
2022-07-28   SBIN       48078000      4354500       9.0
2022-07-29   SBIN       45868500     -2209500      -5.0
2022-08-01   SBIN       47425500      1557000       3.0
2022-08-02   SBIN       50124000      2698500       5.0
2022-08-03   SBIN       52092000      1968000       4.0
2022-08-04   SBIN       51882000      -210000      -0.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  HINDUNILVR        6886200      1464900      21.0
2022-07-27  HINDUNILVR        8522700      1636500      19.0
2022-07-28  HINDUNILVR       10300200      1777500      17.0
2022-07-29  HINDUNILVR       10250100       -50100      -0.0
2022-08-01  HINDUNILVR       10237200       -12900      -0.0
2022-08-02  HINDUNILVR       10178700       -58500      -1.0
2022-08-03  HINDUNILVR       10208400        29700       0.0
2022-08-04  HINDUNILVR       10289700        81300       1.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  AXISBANK       38370000     13545600      35.0
2022-07-27  AXISBANK       44377200      6007200      14.0
2022-07-28  AXISBANK       48842400      4465200       9.0
2022-07-29  AXISBANK       48660000      -182400      -0.0
2022-08-01  AXISBANK       48901200       241200       0.0
2022-08-02  AXISBANK       50166000      1264800       3.0
2022-08-03  AXISBANK       50004000      -162000      -0.0
2022-08-04  AXISBANK       50222400       218400       0.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26    ITC       52278400     13782400      26.0
2022-07-27    ITC       66179200     13900800      21.0
2022-07-28    ITC       78844800     12665600      16.0
2022-07-29    ITC       83827200      4982400       6.0
2022-08-01    ITC       85734400      1907200       2.0
2022-08-02    ITC       86812800      1078400       1.0
2022-08-03    ITC       83555200     -3257600      -4.0
2022-08-04    ITC       80704000     -2851200      -4.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  BAJFINANCE        3364500      1196625      36.0
2022-07-27  BAJFINANCE        4470500      1106000      25.0
2022-07-28  BAJFINANCE        4969750       499250      10.0
2022-07-29  BAJFINANCE        4754000      -215750      -5.0
2022-08-01  BAJFINANCE        4698125       -55875      -1.0
2022-08-02  BAJFINANCE        4670750       -27375      -1.0
2022-08-03  BAJFINANCE        4645625       -25125      -1.0
2022-08-04  BAJFINANCE        4619000       -26625      -1.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  BHARTIARTL       31892450     11726800      37.0
2022-07-27  BHARTIARTL       41211950      9319500      23.0
2022-07-28  BHARTIARTL       50717650      9505700      19.0
2022-07-29  BHARTIARTL       52344050      1626400       3.0
2022-08-01  BHARTIARTL       53248450       904400       2.0
2022-08-02  BHARTIARTL       53561950       313500       1.0
2022-08-03  BHARTIARTL       53350100      -211850      -0.0
2022-08-04  BHARTIARTL       53362450        12350       0.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  ASIANPAINT        4498800      1840000      41.0
2022-07-27  ASIANPAINT        5360400       861600      16.0
2022-07-28  ASIANPAINT        5885400       525000       9.0
2022-07-29  ASIANPAINT        5864200       -21200      -0.0
2022-08-01  ASIANPAINT        5812200       -52000      -1.0
2022-08-02  ASIANPAINT        5809800        -2400      -0.0
2022-08-03  ASIANPAINT        5773000       -36800      -1.0
2022-08-04  ASIANPAINT        5824800        51800       1.0
             Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                     
2022-07-26  HCLTECH       16972200      4148900      24.0
2022-07-27  HCLTECH       19371800      2399600      12.0
2022-07-28  HCLTECH       21725200      2353400      11.0
2022-07-29  HCLTECH       21765100        39900       0.0
2022-08-01  HCLTECH       21652400      -112700      -1.0
2022-08-02  HCLTECH       21272300      -380100      -2.0
2022-08-03  HCLTECH       21593600       321300       1.0
2022-08-04  HCLTECH       21654500        60900       0.0
            Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                    
2022-07-26  MARUTI        2804400      1075200      38.0
2022-07-27  MARUTI        3538900       734500      21.0
2022-07-28  MARUTI        3836200       297300       8.0
2022-07-29  MARUTI        3983700       147500       4.0
2022-08-01  MARUTI        3996700        13000       0.0
2022-08-02  MARUTI        4102600       105900       3.0
2022-08-03  MARUTI        3949400      -153200      -4.0
2022-08-04  MARUTI        3952000         2600       0.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26  TITAN        3439875      1219125      35.0
2022-07-27  TITAN        4491000      1051125      23.0
2022-07-28  TITAN        5237625       746625      14.0
2022-07-29  TITAN        5311875        74250       1.0
2022-08-01  TITAN        5392875        81000       2.0
2022-08-02  TITAN        5452500        59625       1.0
2022-08-03  TITAN        5470500        18000       0.0
2022-08-04  TITAN        5572125       101625       2.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  BAJAJFINSV         616100       193350      31.0
2022-07-27  BAJAJFINSV         776000       159900      21.0
2022-07-28  BAJAJFINSV         868250        92250      11.0
2022-07-29  BAJAJFINSV         816100       -52150      -6.0
2022-08-01  BAJAJFINSV         785600       -30500      -4.0
2022-08-02  BAJAJFINSV         788650         3050       0.0
2022-08-03  BAJAJFINSV         772850       -15800      -2.0
2022-08-04  BAJAJFINSV         746550       -26300      -4.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  TATAMOTORS       38274075     12728100      33.0
2022-07-27  TATAMOTORS       52608150     14334075      27.0
2022-07-28  TATAMOTORS       70717050     18108900      26.0
2022-07-29  TATAMOTORS       69433125     -1283925      -2.0
2022-08-01  TATAMOTORS       70537500      1104375       2.0
2022-08-02  TATAMOTORS       69673950      -863550      -1.0
2022-08-03  TATAMOTORS       67837125     -1836825      -3.0
2022-08-04  TATAMOTORS       67834275        -2850      -0.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26  TECHM       14919000      4667400      31.0
2022-07-27  TECHM       18929400      4010400      21.0
2022-07-28  TECHM       22117800      3188400      14.0
2022-07-29  TECHM       22616400       498600       2.0
2022-08-01  TECHM       22501800      -114600      -1.0
2022-08-02  TECHM       22698600       196800       1.0
2022-08-03  TECHM       22839600       141000       1.0
2022-08-04  TECHM       22904400        64800       0.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  SUNPHARMA        7263200      3342500      46.0
2022-07-27  SUNPHARMA       14949900      7686700      51.0
2022-07-28  SUNPHARMA       18085200      3135300      17.0
2022-07-29  SUNPHARMA       20848100      2762900      13.0
2022-08-01  SUNPHARMA       20908300        60200       0.0
2022-08-02  SUNPHARMA       20686400      -221900      -1.0
2022-08-03  SUNPHARMA       21007000       320600       2.0
2022-08-04  SUNPHARMA       21337400       330400       2.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  TATASTEEL       15523550      5135700      33.0
2022-07-27  TATASTEEL       20983950      5460400      26.0
2022-07-28  TATASTEEL      247078000    226094050      92.0
2022-07-29  TATASTEEL      239398250     -7679750      -3.0
2022-08-01  TATASTEEL      248765250      9367000       4.0
2022-08-02  TATASTEEL      243975500     -4789750      -2.0
2022-08-03  TATASTEEL      241000500     -2975000      -1.0
2022-08-04  TATASTEEL      240758250      -242250      -0.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26    M&M        8032500      2580200      32.0
2022-07-27    M&M       10152100      2119600      21.0
2022-07-28    M&M       10845100       693000       6.0
2022-07-29    M&M       11348400       503300       4.0
2022-08-01    M&M       11429600        81200       1.0
2022-08-02    M&M       11151000      -278600      -2.0
2022-08-03    M&M       11196500        45500       0.0
2022-08-04    M&M       11816700       620200       5.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26  WIPRO       29145000      9058000      31.0
2022-07-27  WIPRO       38028000      8883000      23.0
2022-07-28  WIPRO       44330000      6302000      14.0
2022-07-29  WIPRO       44173000      -157000      -0.0
2022-08-01  WIPRO       43964000      -209000      -0.0
2022-08-02  WIPRO       42742000     -1222000      -3.0
2022-08-03  WIPRO       41634000     -1108000      -3.0
2022-08-04  WIPRO       39661000     -1973000      -5.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  ULTRACEMCO        1822300       469300      26.0
2022-07-27  ULTRACEMCO        2157000       334700      16.0
2022-07-28  ULTRACEMCO        2222100        65100       3.0
2022-07-29  ULTRACEMCO        2168600       -53500      -2.0
2022-08-01  ULTRACEMCO        2078700       -89900      -4.0
2022-08-02  ULTRACEMCO        2094200        15500       1.0
2022-08-03  ULTRACEMCO        2036500       -57700      -3.0
2022-08-04  ULTRACEMCO        2013200       -23300      -1.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  POWERGRID       41042700     16669800      41.0
2022-07-27  POWERGRID       47209500      6166800      13.0
2022-07-28  POWERGRID       49596300      2386800       5.0
2022-07-29  POWERGRID       51262200      1665900       3.0
2022-08-01  POWERGRID       51135300      -126900      -0.0
2022-08-02  POWERGRID       49148100     -1987200      -4.0
2022-08-03  POWERGRID       45613800     -3534300      -8.0
2022-08-04  POWERGRID       44012700     -1601100      -4.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  HINDALCO       19059750      6948800      36.0
2022-07-27  HINDALCO       24745425      5685675      23.0
2022-07-28  HINDALCO       30913775      6168350      20.0
2022-07-29  HINDALCO       30877225       -36550      -0.0
2022-08-01  HINDALCO       28327325     -2549900      -9.0
2022-08-02  HINDALCO       26728800     -1598525      -6.0
2022-08-03  HINDALCO       26794375        65575       0.0
2022-08-04  HINDALCO       27211475       417100       2.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26   NTPC       46358100     20565600      44.0
2022-07-27   NTPC       54326700      7968600      15.0
2022-07-28   NTPC       62933700      8607000      14.0
2022-07-29   NTPC       67641900      4708200       7.0
2022-08-01   NTPC       67225800      -416100      -1.0
2022-08-02   NTPC       67282800        57000       0.0
2022-08-03   NTPC       66353700      -929100      -1.0
2022-08-04   NTPC       62244000     -4109700      -7.0
               Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                       
2022-07-26  NESTLEIND         256560       139920      55.0
2022-07-27  NESTLEIND         345520        88960      26.0
2022-07-28  NESTLEIND         395240        49720      13.0
2022-07-29  NESTLEIND         396520         1280       0.0
2022-08-01  NESTLEIND         388440        -8080      -2.0
2022-08-02  NESTLEIND         389280          840       0.0
2022-08-03  NESTLEIND         390400         1120       0.0
2022-08-04  NESTLEIND         392600         2200       1.0
            Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                    
2022-07-26  GRASIM       10256200      2748350      27.0
2022-07-27  GRASIM       11433725      1177525      10.0
2022-07-28  GRASIM       11896850       463125       4.0
2022-07-29  GRASIM       11830350       -66500      -1.0
2022-08-01  GRASIM       11571000      -259350      -2.0
2022-08-02  GRASIM       11541075       -29925      -0.0
2022-08-03  GRASIM       11362475      -178600      -2.0
2022-08-04  GRASIM       11183400      -179075      -2.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26   ONGC       39350850     11992750      30.0
2022-07-27   ONGC       46153800      6802950      15.0
2022-07-28   ONGC       45957450      -196350      -0.0
2022-07-29   ONGC       45052700      -904750      -2.0
2022-08-01   ONGC       45480050       427350       1.0
2022-08-02   ONGC       46061400       581350       1.0
2022-08-03   ONGC       48263600      2202200       5.0
2022-08-04   ONGC       47682250      -581350      -1.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  JSWSTEEL       41593500      9583650      23.0
2022-07-27  JSWSTEEL       45940500      4347000       9.0
2022-07-28  JSWSTEEL       46996200      1055700       2.0
2022-07-29  JSWSTEEL       45624600     -1371600      -3.0
2022-08-01  JSWSTEEL       45524700       -99900      -0.0
2022-08-02  JSWSTEEL       45318150      -206550      -0.0
2022-08-03  JSWSTEEL       45300600       -17550      -0.0
2022-08-04  JSWSTEEL       45576000       275400       1.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  HDFCLIFE       18042200      4721200      26.0
2022-07-27  HDFCLIFE       24107600      6065400      25.0
2022-07-28  HDFCLIFE       30991400      6883800      22.0
2022-07-29  HDFCLIFE       32433500      1442100       4.0
2022-08-01  HDFCLIFE       32698600       265100       1.0
2022-08-02  HDFCLIFE       32905400       206800       1.0
2022-08-03  HDFCLIFE       33080300       174900       1.0
2022-08-04  HDFCLIFE       33061600       -18700      -0.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  INDUSINDBK       22698000      4559400      20.0
2022-07-27  INDUSINDBK       25984800      3286800      13.0
2022-07-28  INDUSINDBK       27224100      1239300       5.0
2022-07-29  INDUSINDBK       26694000      -530100      -2.0
2022-08-01  INDUSINDBK       25869600      -824400      -3.0
2022-08-02  INDUSINDBK       26315100       445500       2.0
2022-08-03  INDUSINDBK       26329500        14400       0.0
2022-08-04  INDUSINDBK       26091000      -238500      -1.0
             Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                     
2022-07-26  SBILIFE        3927000      1581000      40.0
2022-07-27  SBILIFE        5461500      1534500      28.0
2022-07-28  SBILIFE        6110250       648750      11.0
2022-07-29  SBILIFE        7089000       978750      14.0
2022-08-01  SBILIFE        6964500      -124500      -2.0
2022-08-02  SBILIFE        6978750        14250       0.0
2022-08-03  SBILIFE        6897750       -81000      -1.0
2022-08-04  SBILIFE        6791250      -106500      -2.0
             Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                     
2022-07-26  DRREDDY        1435000       704375      49.0
2022-07-27  DRREDDY        1753125       318125      18.0
2022-07-28  DRREDDY        2011375       258250      13.0
2022-07-29  DRREDDY        2667250       655875      25.0
2022-08-01  DRREDDY        2681625        14375       1.0
2022-08-02  DRREDDY        2735625        54000       2.0
2022-08-03  DRREDDY        2735000         -625      -0.0
2022-08-04  DRREDDY        2580000      -155000      -6.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  ADANIPORTS       66928750      7380000      11.0
2022-07-27  ADANIPORTS       73210000      6281250       9.0
2022-07-28  ADANIPORTS       76423750      3213750       4.0
2022-07-29  ADANIPORTS       76556250       132500       0.0
2022-08-01  ADANIPORTS       76650000        93750       0.0
2022-08-02  ADANIPORTS       76297500      -352500      -0.0
2022-08-03  ADANIPORTS       75886250      -411250      -1.0
2022-08-04  ADANIPORTS       75835000       -51250      -0.0
              Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                      
2022-07-26  DIVISLAB        1836000       766200      42.0
2022-07-27  DIVISLAB        2267700       431700      19.0
2022-07-28  DIVISLAB        2399550       131850       5.0
2022-07-29  DIVISLAB        2419350        19800       1.0
2022-08-01  DIVISLAB        2467800        48450       2.0
2022-08-02  DIVISLAB        2503950        36150       1.0
2022-08-03  DIVISLAB        2511900         7950       0.0
2022-08-04  DIVISLAB        2540700        28800       1.0
           Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                   
2022-07-26  CIPLA        4988750      3086850      62.0
2022-07-27  CIPLA        6264050      1275300      20.0
2022-07-28  CIPLA        8102900      1838850      23.0
2022-07-29  CIPLA        9441900      1339000      14.0
2022-08-01  CIPLA        9381450       -60450      -1.0
2022-08-02  CIPLA        9222850      -158600      -2.0
2022-08-03  CIPLA        8828300      -394550      -4.0
2022-08-04  CIPLA        8856250        27950       0.0
                Symbol  TOTAL_OPN_INT  OI_COMBINED  %_CHANGE
Date                                                        
2022-07-26  BAJAJ-AUTO        1353000       413500      31.0
2022-07-27  BAJAJ-AUTO        1749000       396000      23.0
2022-07-28  BAJAJ-AUTO        1951500       202500      10.0
2022-07-29  BAJAJ-AUTO        1852250       -99250      -5.0
2022-08-01  BAJAJ-AUTO        1924000        71750       4.0
2022-08-02  BAJAJ-AUTO        1961500        37500       2.0
2022-08-03  BAJAJ-AUTO        1940000       -21500      -1.0
2022-08-04  BAJAJ-AUTO        1964250        24250       1.0

               

I have created a screener which shows stocks data of Indian markets. after running the code the product which getting to me is shown above. in this product how can I add a condition that is [ the stocks should have positive %_CHANGE(column name) for at least previous 4 to 5 days in a row and suddenly if product shows negative %_CHANGE then only that stock name should occur after running the code.] In my code all positive and negative data is showing so how can I eliminate this and get the stocks which follows my criteria.
So please tell me the code to solve the problem. I have shared my code and product. Thank you.


Solution

A few lines of code are sufficient to check the condition and add the stock's symbol.

# ... your code before the loop

target_stocks = []

for stock in stock:
    
    # ... your code in the loop

    print(df)
    
    # check condition
    cond_loc = ((df.loc[df.index[-5:-1], '%_CHANGE'].agg(min) > 0) |(df.loc[df.index[-6:-1], '%_CHANGE'].agg(min) > 0)) & (df.loc[df.index[-1], '%_CHANGE'] < 0) 
    if(cond_loc):
        target_stocks.append(df['Symbol'][0])

However, please note that your condition is rather restrictive. Often, the list of target_stocks will remain empty (such as today). An elementary explanation based on some probability theory provides an intuition why that is.

Assume that a stock moves up or down with ~50% probability (this assumption is fairly realistic, btw.) Then, for example, 4 consecutive up-movements followed by a single down-movement has a chance of 0.5^(4+1)=0.03125=3.125% assuming stochastic independence between the movements (another very realistic assumption w.r.t. stock price movements). That probability is about a mere 3%. The chance that not a single of your 13 (initially provided) stocks displays this behavior is, therefore (0.0312)^13, approximately 66% and quite likely. Lowering the number of days with up-movement to 2 provides only a single stock for today's data, namely INFY.

For the bigger dataset of 50 stocks, this chance shrinks to around 20% though - in theory. Since stock price movements usually display a positive correlation (due to an overlap in industries/markets etc.) it will be more likely to observe comovement - if the overall market conditions are conducive.



Answered By - 7shoe
  • Share This:  
  •  Facebook
  •  Twitter
  •  Google+
  •  Stumble
  •  Digg
This Answer collected from stackoverflow and tested by PythonFixing community admins, is licensed under cc by-sa 2.5 , cc by-sa 3.0 and cc by-sa 4.0
Newer Post Older Post Home

0 comments:

Post a Comment

Note: Only a member of this blog may post a comment.

Popular Posts

  • [FIXED] Notebook Validation Failed | Jupyter
    Issue A frustrating and persistent error keeps popping up on my Jupyter Notebook: The sav...
  • [FIXED] Selenium driver.Url vs. driver.Navigate().GoToUrl()
    Issue Which is the preferred method to open a Url (and are there any differences behind th...
  • [FIXED] Mocking signals function in unit test
    Issue I'm using Django version 4.2.6. I have a file, signals.py , that includes a pre...
  • [FIXED] TypeError: "value" parameter must be a scalar, dict or Series, but you passed a "Index"
    Issue df = df['Consequence Number'].fillna("CLS" + df.index.astype(str))...
  • [FIXED] How can I fix the metaclass conflict in django-rest-framework Serializer
    Issue I've written the following code in django and DRF: class ServiceModelMetaClass(...
  • [FIXED] How to remove stop phrases/stop ngrams (multi-word strings) using pandas/sklearn?
    Issue I want to prevent certain phrases for creeping into my models. For example, I want t...
  • [FIXED] Colab notebook opens browser tabs automatically
    Issue I have a colab notebook with code that opens multiple new tabs in the browser: from...
  • [FIXED] optuna parameter tuning for tweedie - Input contains infinity or a value too large for dtype('float32') error
    Issue I am trying to tune a XGBRegressor model and I am getting below error only when I tr...
  • [FIXED] Azure pipeline not finding Selenium tests
    Issue I am trying to set up an Azure pipeline which will run a Selenium test suite. The su...
  • [FIXED] Full page screenshot with Selenium Chrome driver in Python
    Issue AI insists that for Selenium 4 or later to take the full page screenshot with webdri...

Labels

.doc .htaccess .ico .net .net-core .net-interactive 2-satisfiability 2captcha 2d 32bit-64bit 3d 3d-convolution 3gp 4d 7zip 960.gs a-star aar abc abort abseil absl-py absolute-value abstract-base-class abstract-class abstract-methods abstract-syntax-tree abstractuser accelerate accelerate-framework accelerometer accent-sensitive access-denied access-token accessibility accessor accounting accumulate accuracy acronym across action activation-function active-directory activestate adaboost adam adb add addition adjacency-list adjacency-matrix admin adobe adobe-analytics adpcm advanced-indexing aes aesthetics affinetransform agent agent-based-modeling aggregate aggregate-functions aggregation aggregation-framework aio aio-mysql aiogram aiohttp aioinflux aiopg aioredis aiortc aiosmtpd airbnb-js-styleguide airbrake airflow airflow-2.x aix ajax albumentations alembic alert algebra algorand algorithm algorithmic-trading alias alignment allennlp allure alpaca alpha alpha-transparency alpha-vantage alphabet alphablending alphanumeric alpine alpine-linux alpr als alsa alt altair amazon amazon-app-runner amazon-athena amazon-aurora amazon-cloudformation amazon-cloudfront amazon-cloudwatch amazon-dynamodb amazon-ec2 amazon-ecs amazon-efs amazon-elastic-beanstalk amazon-elb amazon-emr amazon-iam amazon-lightsail amazon-linux amazon-linux-2 amazon-neptune amazon-quicksight amazon-rds amazon-redshift amazon-route53 amazon-s3 amazon-sagemaker amazon-ses amazon-simple-email-service amazon-sns amazon-sqs amazon-textract amazon-vpc amazon-web-services amd amd-gpu ameritrade ampps anaconda anaconda3 analysis analytics anchor and-operator android android-binder android-gradle-plugin android-management-api android-studio android-uiautomator android-webview angle angular angular-test angularjs animated-gif animation anki annotate annotations anomaly-detection anova anpr ansi-escape ansible ansible-awx ansible-inventory ansible-playbook antialiasing antiforgerytoken antlr antlr4 any anytree apache apache-airflow apache-arrow apache-beam apache-kafka apache-poi apache-spark apache-spark-sql apache-superset apache-tika apache-zookeeper apache2 apache2.4 apachebench api api-design apiflask apollo app-store app.yaml append appium appium-android appium-ios appium-java appkit apple-m1 apple-silicon applitools apply apscheduler apt-get arabic arcade arcgis architecture archive archlinux arcmap arcpy arduino arduino-esp32 area arff argmax argparse args arguments argv ariadne-graphql arima arm armv7 array-broadcasting array-filter array-flip array-indexing arraylist arrays arrows article artifactory artificial-intelligence ascii asdf asgi ashot asp.net asp.net-core asp.net-core-2.1 asp.net-core-signalr aspect-ratio aspose.words assert assertion assertraises assign assignment-problem astronomy astropy async-await async-iterator asynccallback asynchronous asyncpg asyncpraw asyncsocket asyncssh asynctest atata atlassian-python-api atom-editor atomic attachment attention-model attributeerror attributes attribution auc audio audio-processing audio-recording audio-streaming audiosegment audit-logging auth0 authentication authlib authorization auto-keras auto-py-to-exe auto-sklearn autobahn autocomplete autocorrelation autodiff autoencoder autofield autofill autoformatting autograd autohotkey autoit-c#-wrapper autoload automated-tests automatic-differentiation automatic-license-plate-recognition automatic-mixed-precision automatic-ref-counting automation automation-testing automl autonumeric.js autopep8 autoregressive-models autosave autoscaling autosuggest autotest average average-precision avro avx awk aws-amplify aws-api-gateway aws-appsync aws-cdk aws-cli aws-cloud9 aws-codebuild aws-emr-studio aws-fargate aws-glue aws-lambda aws-lambda-layers aws-load-balancer aws-sam aws-secrets-manager aws-step-functions axes axios axis axis-labels axvline azure azure-active-directory azure-ad-msal azure-aks azure-appservice azure-blob-storage azure-cognitive-services azure-databricks azure-deployment azure-devops azure-devops-rest-api azure-eventhub azure-file-share azure-function-app azure-functions azure-keyvault azure-machine-learning-service azure-machine-learning-studio azure-pipelines azure-python-sdk azure-sentinel azure-sql-database azure-storage-files azure-synapse azure-table-storage azure-virtual-machine azure-web-app-service azure-webapps azureml back-testing back4app backbone.js backend background background-color background-image background-process background-task backport backpropagation backslash backspace bad-request bandwidth-throttling bar-chart bar3d barcode barracuda bart base base-class base64 baseline bash basic-authentication basis batch-file batch-normalization batch-processing batchsize bayesian bayesian-deep-learning bayessearchcv bazel bcrypt bdd beautifulsoup beeware benchmarking bert-language-model best-buy-api best-fit-curve beta-distribution bezier bias-neuron bibliography bidirectional big-o bigcommerce bigdata bigtable bin binance binance-api-client binance-smart-chain binary binary-data binary-matrix binary-operators binary-reproducibility binary-search binary-tree binaryfiles bind binderhub binding bing-translator-api binning bins bioinformatics biometrics biopython bipartite bisect bisection bit bit-manipulation bitbake bitbucket bitbucket-pipelines bitmap bitwise-operators bitwise-or blank-line blas blender blessed bleu blit blob block block-cipher blockchain blocking blogs bloomberg blpapi bluetooth bluetooth-lowenergy bluez blur bodo bokeh bokehjs boolean boolean-expression boolean-logic boolean-operations boost boost-python boosting bootstrap-4 bootstrap-5 bootstrap-cards bootstrap5-modal bootstrapping border boto boto3 botocore botorch bots bottle boundaries bounding-box box box2d boxplot bpython brackets brave brave-browser breadth-first-search break breakpoints broadcast broken-pipe brotli browser browser-automation browser-cookie3 browser-tab browsermob browsermob-proxy browserstack bs4 bubble-chart bubble-sort bucket buffer bufferedreader bugzilla build build-automation builder building-github-actions buildout buildozer buildpack built-in built-in-types bulk-load butterworth button bypass byte bytearray bytebuffer bytecode bytesio c c# c++ c++11 c++14 cab caching caddy cadquery caffe cairo calculated-columns calculated-field calculation calculator calendar callable callable-object callback calling-convention camera camera-calibration can-bus cancellation candlestick-chart canny-operator canopy cantera canvas cap capacitor capacity-planning capitalization capitalize capl capslock captcha capture capybara carousel carriage-return cartesian cartesian-product cartopy casadi casbin cascade-classifier cascadingdropdown case-insensitive case-sensitive cassandra cassandra-3.0 cassandra-python-driver casting catboost categorical-data categories catplot cbind cbir cc ccxt cd cdf cdo-climate ceil celery celery-task celerybeat celeryd cell centering centos centos6.5 centos7 centos8 certificate cgan cgi cgi-bin cgns chaco chain chained chained-assignment chainer chaining change-password channel channels chaquopy char character character-encoding character-properties chararray chart.js charts chat chatbot chatgpt-api chatterbot check-constraints checkbox checked checkout checkpointing cheetah chemistry cheroot cherrypy chess chi-squared child-process children choropleth chromadb chrome-for-testing chrome-options chrome-profile chrome-web-driver chrome-web-store chromebook chromium chromium-embedded chunks circleci circular-dependency circular-reference cjk ckan ckeditor clang class class-attributes class-method classification classname cleaned-data click clickable client client-server clip clipboard clock closest-points closures cloud cloud-foundry cloudflare cluster-analysis cluster-computing cmake cmath cmd cmp cntk coap code-completion code-coverage code-documentation code-folding code-formatting code-generation code-injection code-inspection code-snippets codec codeception codemirror coderunner coding-efficiency coding-style coefficients cohen-kappa coin-flipping coingecko coinmarketcap collaborative-filtering collation collatz collections collectstatic collision collision-detection color-channel color-codes color-coding color-conversion color-depth color-mapping color-palette color-scheme color-space colorbar colormap colors column-major-order columnsorting combinations combinatorics combobox comma command command-line command-line-arguments command-line-interface command-prompt comments communicate communication compare comparison comparison-operators compatibility compilation compiler-errors compiler-flags compiler-optimization complex-numbers complexity-theory composite-primary-key composition compound-assignment compression computation-graph computational-geometry compute-shader computer-science computer-vision concat concatenation conceptual concurrency concurrent-processing concurrent.futures conda conditional conditional-formatting conditional-operator conditional-statements confidence-interval config configparser configuration configuration-files configure confirmation confusion-matrix connect connect-four connected-components connection connection-pooling connection-refused connection-string connexion console constraint-validation constraints construct constructor consumer contact-form containers contains content-management-system content-security-policy content-type contenteditable contextmanager contextmenu contiguous contingency continuous-deployment continuous-integration contour contourf contrast control-flow controller controls conv-neural-network conv1d convenience-methods conventions converters convex-hull convolution conways-game-of-life cookiecutter cookiecutter-django cookies coordinate coordinate-systems coordinate-transformation coordinates copy copy-paste copying core core-audio coredump coreml coremltools coroutine corpus correlation cors cosine-similarity couchdb count counter countif counting country countvectorizer covariance covariance-matrix coverage.py cp-sat cpanel cppflow cprofile cpu cpu-cache cpu-usage cpython cqlengine crash crawler4j crawlera crc crc32 create-react-app create-table create-view credentials crf crfsuite cron cron-task crop cross-correlation cross-domain cross-entropy cross-match cross-platform cross-validation crossover crosstab cryptocurrency cryptofeed cryptography crystal-reports cs50 csrf csrf-protection csrf-token css css-selectors csv csvwriter ctc ctf ctypes cube cubic cubic-spline cucumber cucumber-java cucumber-junit cucumber-jvm cucumber-serenity cuda cuda-gdb cudf cudnn cumsum cumulative-frequency cumulative-sum cupy curio curl currency curses cursor cursor-position curve curve-fitting custom-backend custom-tags custom-training custom-widgets customization customtkinter cv2 cve cx-freeze cx-oracle cycle cyclic cypher cypress cyrillic cython d d3.js daphne darkmode darknet dart dash-bootstrap-components dashboard dask dask-dataframe dask-distributed data-analysis data-augmentation data-cleaning data-conversion data-dictionary data-engineering data-extraction data-fitting data-generation data-import data-ingestion data-manipulation data-migration data-mining data-modeling data-munging data-partitioning data-pipeline data-preprocessing data-processing data-recovery data-science data-science-experience data-stream data-structures data-transform data-uri data-visualization data-warehouse data-wrangling data.table database database-backups database-connection database-cursor database-design database-indexes database-migration database-normalization databricks databricks-community-edition datadog dataformat dataframe datagrid dataloader datalore datanitro dataparallel dataprovider datareader dataset datashader dataspell datastax-python-driver datatable datatable-buttons datatables date date-arithmetic date-math date-range datefield dateformatter datepicker datetime datetime-comparison datetime-conversion datetime-format datetimeindex datetimeoffset db2 dbeaver dbn dbscan dbus dct ddp debian debian-bookworm debian-buster debugging debugpy decibel decimal decision-tree declarative decode decoder decoding decompiling decomposition deconvolution decorator decrement deedle deep-copy deep-learning deep-residual-networks deepface deeplab deeplearning4j default default-parameters defaultdict deferred definition del delayed-execution delegates delete-file delete-row deletelater delimiter delta-lake dendrogram dense-rank densenet densevariational density-plot dependencies dependency-injection dependency-management depends deploying deployment deprecated deprecation-warning depth-first-search dereference derivative descartes deserialization design-decisions design-patterns designer designmode desiredcapabilities desktop desktop-application desmos detach detailview detection detectron determinants development-environment devops dfply dgl diacritics diagonal diagram dialog dialogflow-es dice dictionary dictionary-comprehension dictionary-missing dictvectorizer diff difference differential-equations differentiation difflib diffsharp digit digital-ocean digital-ocean-spaces digital-signature digits dill dimension dimensionality-reduction dimensions dir directed-acyclic-graphs directory directx discogs-api disconnect discord discord.py discord.py-rewrite discrete discretization disjoint-sets disk disparity-mapping dispatcher displacy display displot distance distinct distinct-values distortion distributed distributed-computing distributed-system distributed-training distribution distutils ditto divide divide-by-zero divider division dj-rest-auth django django-1.10 django-1.11 django-1.2 django-1.4 django-1.5 django-1.6 django-1.7 django-1.8 django-1.9 django-2.0 django-2.2 django-3.0 django-3.1 django-3.2 django-4.0 django-admin django-admin-actions django-admin-filters django-admin-tools django-aggregation django-allauth django-annotate django-apps django-auditlog django-auth-models django-authentication django-cache django-caching django-celery django-celery-beat django-channels django-class-based-views django-cms django-commands django-comments django-context django-contrib django-cors-headers django-crispy-forms django-cron django-csrf django-custom-manager django-custom-user django-database django-database-functions django-datatable django-debug-toolbar django-deployment django-email django-environ django-extensions django-file-upload django-filter django-filters django-fixtures django-forms django-fsm django-generic-relations django-generic-views django-graphql-jwt django-guardian django-haystack django-i18n django-imagekit django-import-export django-inheritance django-invitations django-jsonfield django-login django-mailer django-manage.py django-management-command django-managers django-media django-messages django-middleware django-migrations django-model-field django-models django-mssql django-multiselectfield django-mysql django-ninja django-oauth django-oauth-toolkit django-orm django-oscar django-pagination django-parler django-permissions django-pipeline django-postgresql django-pyodbc-azure django-q django-queryset django-redis django-related-manager django-request django-rest-auth django-rest-framework django-rest-framework-jwt django-rest-framework-simplejwt django-rest-viewsets django-rq django-rules django-saml2-auth django-select-related django-serializer django-ses django-sessions django-settings django-shell django-signals django-silk django-simple-history django-smart-selects django-socialauth django-static django-staticfiles django-storage django-swagger django-tables2 django-tagging django-taggit django-template-filters django-templates django-tenants django-testing django-tests django-timezone django-unittest django-uploads django-url-reverse django-urls django-users django-validation django-views django-viewsets django-widget django-widget-tweaks django-wsgi djl djongo djoser dlib dll dllimport dns dock docker docker-buildkit docker-compose docker-multi-stage-build docker-run docker-selenium docker-volume dockerfile docstring doctest document documentation documentation-generation docx dollar-sign dom dom-events domain-data-modelling domain-driven-design domxpath donut-chart dot-product dotenv dotted-line double-click double-quotes downcast download downloadfile downsampling dpi dplyr dqn drag drag-and-drop drake draw drawing drf-queryset drf-spectacular drf-yasg driver drop drop-down-menu drop-duplicates drop-table dropbox dropbox-api dropdown dropdownbox dropout dropzone.js dry dst dtw dtype duckdb dummy-variable dump dumpdata duplicates duration dynamic dynamic-function dynamic-html dynamic-import dynamic-programming dynamic-routing dynamic-typing dynamic-url dynamically-generated e-commerce e2e-testing eager eager-execution eager-loading early-stopping easy-install easyocr ebay-api ebextensions ecdf ecdsa ecgi eclipse eclipse-ditto eclipse-plugin economics eda edge-detection edge-tpu edges edit editing editor edmx efficientnet eigen eigenvalue eigenvector einops einsum elastalert elasticnet elasticsearch elasticsearch-dsl elasticsearch-dsl-py elasticsearch-painless elasticsearch-py electron element elementtree elementwise-operations eli5 elmo emacs email email-attachments email-spam email-validation email-verification embed embedded embedding emit eml emoji encapsulation encode encoder encoder-decoder encoding encryption end-to-end ends-with energy ensemble-learning enter enterprise-architect enthought entry-point enumerate enumeration enums envelope environment environment-modules environment-variables envoyproxy eof epoch epoll eps equality equality-operator equals equation equation-solving era5 errno error-handling error-logging error-messaging errorbar es6-modules escaping esp32 esp8266 espeak esri ethereum euclidean-distance eval evaluation evdev event-driven event-handling event-listener event-log event-loop eventbrite eventfilter eventlet eventplot events exact-match exasol excel except exception exception-handling exchange-server exchangelib exchangewebservices exclude-constraint exe exec execfile executable execute execute-script executemany execution execution-time exif exit exit-code expand expect expected-condition explicit explode exploratory-data-analysis explorer expo expo-av exponent exponential export export-to-csv export-to-excel export-to-pdf exporter expression extend extentreports extract f-string f# f#-interactive f2py fabric face-detection face-recognition facebook facebook-graph-api facebook-login facebook-messenger facebook-messenger-bot facebook-php-webdriver facebook-prophet facet facet-grid facilities factorial factory factory-boy failed-installation faker false-positive fancyimpute fast-ai fasta fastapi fastcgi faster-rcnn fastparquet fasttext faust favicon fb-hydra fbs feather feature-engineering feature-extraction feature-scaling feature-selection federated federated-learning fedora feedparser fetch fetch-api ffi ffill ffmpeg ffmpeg-python fft fibonacci fiddler field fieldlist fiftyone fig figsize figure file file-browser file-comparison file-conversion file-encodings file-format file-handling file-io file-not-found file-processing file-read file-recovery file-transfer file-upload file-writing filefield filenames filenotfounderror filenotfoundexception filepath filesystems fill fillna filter filtering finance find find-replace findall findelement finder fine-tuning fipy firebase firebase-cloud-messaging firebase-storage firefox firefox-addon firefox-addon-webextensions firefox-developer-tools firefox-driver firefox-headless firefox-profile firewall fix-protocol fixtures flac flags flake8 flasgger flask flask-admin flask-appbuilder flask-babel flask-bootstrap flask-caching flask-cli flask-cors flask-dance flask-extensions flask-httpauth flask-jwt-extended flask-limiter flask-login flask-mail flask-marshmallow flask-migrate flask-mongoengine flask-mysql flask-oauthlib flask-pymongo flask-restful flask-restless flask-restplus flask-restx flask-script flask-security flask-session flask-smorest flask-socketio flask-sockets flask-sqlalchemy flask-table flask-uploads flask-user flask-wtforms flat-file flatten flet flexbox flir float32 floating floating-accuracy floating-point flood-fill floor flops flopy flow-project flower flowlayout fluentwait flush flutter flutter-dependencies flutter-test flutter-web flutterwave focus folium font-size fonts for-else for-in-loop for-loop foreach forecasting foreign-keys foreman form-submit format format-string formatting forms formset fortran forward foursquare fractals fractions frame frames frameworks free freecad freetds freetype freeze frequency frequency-distribution frontend frontpage ftp ftplib full-text-search fullscreen func function function-call function-declaration function-definition function-object function-parameter function-templates functional-api functional-programming functional-testing functions-framework functools future future-warning fuzzy fuzzy-comparison fuzzy-logic fuzzy-search fuzzywuzzy gae-module game-development game-engine game-loop game-physics gamma-distribution gantt-chart garbage-collection gated-recurrent-unit gateway gather gaussian gaussian-mixture-model gaussian-process gbm gcc gcloud gcp-ai-platform-notebook gcp-load-balancer gcs gdal gdb geckodriver gekko generate generative generative-adversarial-network generative-art generator generator-expression generic-collections generics genetic-algorithm genetic-programming genetics genfromtxt genome gensim geo geoalchemy geocode geocoder geocoding geodjango geographic-distance geohashing geojson geolocation geometry geometry-surface geopackage geopandas geoplot geopy geospatial geostatistics geoviews gesture-recognition get get-request getattr getattribute getelementbyid getelementsbyclassname getenv getproperty getter-setter gettext gevent gevent-socketio gff gfortran ggplot2 gherkin ghost.py ghostscript gif gil gimp ginput gis git git-bash git-commit git-log git-merge-conflict git-pull githooks github github-actions github-pages github3.py gitignore gitlab gitlab-ci gitlab-ci-runner gitpod gitpython gitversion glib glibc glm glmnet glob global global-variables globals glove glpk glsl glumpy glyph gmail gmail-api gml gmm gnome-keyring-daemon gnu-screen gnuplot gnuwin32 go go-gin gobject goodness-of-fit google-ads-api google-ai-platform google-analytics-api google-api google-api-python-client google-app-engine google-app-engine-python google-apps-script google-authentication google-bigquery google-calendar-api google-chrome google-chrome-devtools google-chrome-extension google-chrome-headless google-cloud-ai-platform-pipelines google-cloud-automl google-cloud-bigtable google-cloud-build google-cloud-colab-enterprise google-cloud-dataflow google-cloud-datalab google-cloud-dataproc google-cloud-datastore google-cloud-firestore google-cloud-functions google-cloud-load-balancer google-cloud-ml google-cloud-platform google-cloud-pubsub google-cloud-pubsub-emulator google-cloud-run google-cloud-scheduler google-cloud-shell google-cloud-source-repos google-cloud-spanner google-cloud-sql google-cloud-storage google-cloud-tpu google-cloud-trace google-cloud-vertex-ai google-cloud-vision google-colaboratory google-compute-engine google-crawlers google-dl-platform google-docs-api google-drive-api google-earth google-earth-engine google-font-api google-generativeai google-login google-maps google-maps-api-3 google-maps-markers google-meet google-mlkit google-news google-oauth google-pagespeed-insights-api google-play google-scholar google-search google-search-api google-secret-manager google-sheets google-sheets-api google-shopping google-slides-api google-speech-to-text-api google-text-to-speech google-translate google-translation-api google-trends google-vision google-visualization gpflow gpib gpiozero gps gpt gpt-2 gpt-3 gpu gpytorch graalpy graalpython graalvm gradient gradient-descent gradienttape gradle grafana grammar graph graph-algorithm graph-coloring graph-drawing graph-neural-network graph-theory graph-visualization graphene-django graphene-python graphframes graphics graphing graphlab graphql graphviz grasshopper grayscale greatest-common-divisor greatest-n-per-group gremlin gremlinpython grep grib grid grid-layout grid-search gridlines gridsearchcv groovy group group-by group-concat grouped-bar-chart grouping groupingby grpc grpc-python gru gspread gssapi gstreamer gtags gtk gtk2 gtk3 gtk4 gtts guava gui-testing gunicorn gurobi gzip h2o h3 h5py hacker-news-api hadoop hadoop-streaming half-precision-float handle handler har hasattr hash hashable hashicorp-vault hashlib hashmap haversine haystack hcaptcha hdbscan hdf hdf5 hdfs header headless headless-browser healpy health-check health-monitoring heapq heatmap hebrew heightmap helium helper heroku heroku-postgres hessian-matrix heuristics hex hidden hidden-field hide hierarchical hierarchical-clustering hierarchy highcharts higher higher-order-functions highlight hilbert-curve hinge-loss histogram histogram2d history histplot hive hmac holoviews holoviz holoviz-panel homebrew homebrew-cask homography hook horizontal-line horovod hosting hosts hot-reload hotkeys houghcircles hover href html html-content-extraction html-email html-lists html-parser html-parsing html-select html-table html-tableextract html-tbody html5-audio html5-video html5lib htmlparse htmlsession htmlunit htmlunit-driver htmx http http-authentication http-caching http-error http-headers http-live-streaming http-post http-proxy http-status-code-403 http-status-code-404 http-status-code-413 http-status-codes http.client http2 httplib httplib2 httprequest httpresponse https httpx huggingface huggingface-datasets huggingface-tokenizers huggingface-trainer huggingface-transformers hung hybrid hydra hydra-python hydration hydrogen hyperas hyperbolic-function hypercorn hyperlink hyperopt hyperparameters hypothesis-test ibis ibm-cloud icalendar icloud icloud-api icons iconv ide identification identifier identity idioms idp iedriverserver if-statement iframe igmp ignore igraph ihaskell iis iis-7 ijulia-notebook image image-augmentation image-classification image-compression image-file image-masking image-preprocessing image-processing image-quality image-recognition image-registration image-resizing image-rotation image-segmentation image-size image-text image-thresholding image-upload image-uploading imagedecoder imagedownload imagefield imagefilter imagegrab imagehash imagekit imageloader imagemagick imagenet imaging imap-tools imaplib imbalanced-data imblearn imdb img2pdf imghdr imgur immutability immutable-collections impersonation imperva implementation implication implicit implicitwait import import-from-csv importerror imputation imshow in-clause in-memory in-memory-database in-place include include-path include-what-you-use inclusion increment indentation index-error indexing indices inequality inference infinite infinite-loop infinite-scroll infinity influxdb information-visualization infrastructure-as-code ingress-controller inheritance ini init initialization initialization-vector inline inline-formset inlines innerhtml inotify inotifywait inplace-editing input insert insertion insets inspect instagram install-requires installation instance instance-method instance-methods instanceof instantiation int integer integer-arithmetic integer-division integral intel intel-mkl intellij-idea intellisense interaction interactive interactive-brokers interface internal-server-error internationalization internet-explorer interpolation interpreted-language interpreter interrupt intersection intervals introspection inverse inversion invert invoice io io-redirection ioerror ionic-v1 ios iot ip ip-address ipdb iphone iptables ipv6 ipycanvas ipycytoscape ipynb ipython ipython-magic ipython-notebook ipython-parallel ipywidgets iqr iris-dataset ironpython ironwebscraper isin isinstance iso iso8601 isolation-forest isomorphism isort isosurface items iterable iterable-unpacking iteration iterator iterm itertools itertools-groupby itk jar jasmine java java-8 java.util.logging javascript javascript-injection javascriptexecutor jax jaydebeapi jdbc jemdoc jenkins jenkins-agent jenkins-cli jenkins-pipeline jenkins-plugins jes jestjs jetbrains-ide jinja2 jira jira-rest-api jit jmeter jmeter-plugins joblib join jointplot jpeg jpype jq jquery jquery-animate jquery-events jquery-select2 json json-deserialization json-normalize json-web-signature jsonb jsonfield jsonify jsonlines jsonparser jsonpath-ng jsonresponse jsonschema julia julia-dataframe julia-plots juniper junit junit-jupiter junit4 junit5 jupyter jupyter-console jupyter-contrib-nbextensions jupyter-irkernel jupyter-kernel jupyter-kernel-gateway jupyter-lab jupyter-nbclassic jupyter-notebook jupyterbook jupyterdash jupyterhub justify jvm jwk jwt jwt-auth jython k-fold k-means kafka-consumer-api kaggle kalman-filter kappa kazoo kbar kdb kdeplot kdtree kedro keep-alive keras keras-2 keras-layer keras-tuner kernel kernel-density kernel-methods key key-bindings key-generator key-value keyboard keyboard-events keyboard-shortcuts keyboardinterrupt keycloak keyerror keyevent keypress keyword keyword-argument kickstarter kill kite kivy kivy-language kivymd kml knapsack-problem knitr knn kornia kotlin kql kqlmagic kriging kronecker-product ktor kubectl kubeflow kubeflow-pipelines kubernetes kubernetes-health-check kubernetes-helm kubernetes-networkpolicy label label-encoding labelimg labeling labels labview lag lambda lambdify lan langchain language-design language-lawyer language-model languagetool lapack laravel laravel-dusk large-data large-data-volumes large-files large-language-model lasso-regression last-occurrence latex latitude-longitude layer layout lazy-evaluation lazy-initialization lazy-loading lazyframe lcg lcm ld lda ldap ldap3 ldapauth ldd leaderboard leading-zero leaflet learning-rate least-squares left-join legacy-code legend legend-properties lets-encrypt letter lf lib libc libgpiod libmysqlclient libpcap libpqxx libraries libreoffice libreoffice-calc librosa libstdc++ libsvm libtorch libtorrent libtorrent-rasterbar lidar lifelines ligature lightening lightgbm likert limit line line-breaks line-endings line-plot line-profiler linear-algebra linear-discriminant linear-equation linear-gradients linear-programming linear-regression linearmodels linechart linefeed lines linestyle linewidth linked-list linkedin linkedin-api linker-errors linspace lint linux linux-mint list list-comprehension listbox listboxitem listdir listview literals live livy llama llama-cpp-python llm lmdb lmfit load load-csv load-testing loaddata loader loading local local-variables locale localhost localization localstack localtime locked locked-files locking locust loess log-likelihood log4j logarithm logging logic logical-operators login login-page login-required logistic-regression logitech logos logout loguru lombok long-integer long-polling longitudinal lookup lookup-tables loops loss loss-function low-level low-memory lowercase lowpass-filter lstm lstm-stateful lua lucene ludwig lxml lxml.html m m2m m3u m3u8 macbookpro macbookpro-touch-bar machine-learning machine-learning-model machine-translation macos macos-big-sur macos-catalina macos-monterey macos-ventura macports macros magenta magento magic-command magic-function magic-methods magnitude mahalanobis mailgun main make-scorer makefile makemigrations malloc mamba manage.py manifest.json manim manjaro manpage many-to-many many-to-one manytomanyfield map map-projections mapbox mapping mapreduce maps margins mariadb markdown marker markers markup marquee marshmallow marytts mask mask-rcnn masked-array masking mastodon-py mat mat-file match matching matchtemplate material-design math math-mode mathcad mathematical-expressions mathematical-optimization mathjax matlab matplotlib matplotlib-3d matplotlib-animation matplotlib-basemap matplotlib-gridspec matplotlib-venn matplotlib-widget matrix matrix-factorization matrix-indexing matrix-inverse matrix-multiplication maven maven-dependency max max-pooling maya mayavi mayavi.mlab mdi mean mean-shift mean-square-error mechanicalsoup mechanize media media-player median mediapipe mediarecorder medical-imaging meego melt membership memcached memoization memory memory-efficient memory-leaks memory-management memory-profiling menu menubar meraki-api merge mermaid mersenne-twister mesa mesh message message-passing message-queue messagebox meta metaclass metadata metal metamask metaprogramming metatrader5 meter method-call method-chaining method-resolution-order methods metpy metrics microcontroller microk8s micropython microservices microsoft-edge microsoft-graph-api microsoft-teams middleware midi migrate migrating migration milliseconds milter mime mime-types min minesweeper mini-batch mini-forge miniconda minimax minimization minimize minimum mininet minio minizinc mismatch missing-data mixed-integer-programming mixins mixture-model mjpeg mkdir ml ml.net mle mlflow mlmodel mlops mlp mmap mnist mo-cap mobile mobile-development mobile-website mobilenet mocking mockito mod-rewrite mod-security mod-wsgi modal-dialog mode model model-fitting model-view-controller modeladmin modelform modelica models modelsummary modin modular-arithmetic modularity module modulenotfounderror modulo mojibake momentum mongodb mongodb-query mongoengine monkeypatching montecarlo monthcalendar morphing mosquitto motion motion-blur moto mount mouse mouse-cursor mouseclick-event mouseevent mousehover mouseover mousewheel moviepy moving-average mozilla mp4 mpi mpi4py mplcursors mpld3 mplfinance mplot3d mpmath mqtt mru ms-access ms-word msbuild mse mss mstest mu multi-dimensional-scaling multi-gpu multi-index multi-level multi-table multi-tenant multiclass-classification multicollinearity multidimensional-array multihead-attention multilabel-classification multiline multinomial multipage multipartform-data multiple-axes multiple-columns multiple-conditions multiple-databases multiple-inheritance multiple-instances multiple-value multipleselection multiplication multiprocess multiprocessing multiset multitasking multithreading multivariate-testing multivariate-time-series music-notation music21 musicxml mutable mutation mutex mutual-information mwaa mxnet mxnet-gluon mybinder mypy mypyc mysql mysql-connector mysql-connector-python mysql-python mysqli n-dimensional n-gram n-queens na naivebayes named-entity-recognition named-parameters namedtuple nameerror nameko namespaces naming-conventions nan nanobind nas nats.io natural-language-processing natural-logarithm navigation navigator nba-api nbconvert nbformat nbgrader nco ndb ndimage nearest-neighbor negative-number neo4j neos-server neptune nest-asyncio nested nested-for-loop nested-function nested-json nested-lists nested-loops netcat netcdf netcdf4 netgraph netlify netmiko network-analysis network-drive network-programming networking networkx neural-network neuraxle neuroscience new-window newline newrow newspaper3k newtons-method next next.js nextcord nextsibling nginx nginx-reverse-proxy ngrok nifti nightwatch nightwatch.js ninja nixos nlp nltk nltk-trainer nmap noaa node-centrality node-http-proxy node-sass node.js nodes noise noise-reduction nominatim non-ascii-characters non-linear-regression nonblocking nonetype nonlinear-functions nonlinear-optimization norm normal-distribution normalization normalize nose nosql nosuchelementexception notation notimplementedexception notnull nox np np.argsort npm nse ntlm ntlm-authentication nuitka nuke null nullable numba number-formatting number-systems numbers numeric numerical numerical-analysis numerical-integration numerical-methods numpy numpy-dtype numpy-einsum numpy-indexed numpy-indexing numpy-memmap numpy-ndarray numpy-random numpy-slicing numpy-stl numpy-ufunc nunit nuxt.js nv12-nv21 nvcc nvidia nvidia-docker nvidia-jetson nvidia-jetson-nano nyckel oaep oauth oauth-2.0 oauth2-toolkit obex object object-detection object-detection-api object-slicing object-tracking objectmapper obspy ocr ocrmypdf oct2py octave odata odbc ode odeint odm odoo odoo-13 odoo-15 odoo-16 office-automation office365 offline offset ohlc on-duplicate-key onclick one-class-classification one-hot-encoding one-liner one-time-password one-to-many one-to-one onedrive online-machine-learning onnx onnxruntime oom oop opc-ua open-telemetry open-telemetry-collector open3d openai openai-api openai-gym openai-whisper openair openalpr openapi openapi-generator opencl opencv opencv-python opencv3.0 opencv3.1 opengl opengl-compat openid openid-connect openlayers openlayers-6 openmdao openmodelica openmp openpgp openpyxl openshift openshift-nextgen openslide openssl openstreetmap openvino openvpn operating-system operationalerror operator-overloading operator-precedence operators opml optbinning opticalflow optimization optimizer-hints option-type optional-arguments optional-parameters options optuna or-tools oracle oraclelinux orange orange-pi orbital-mechanics ord order-of-execution ordered-map ordereddict ordereddictionary orders ordinal ordinal-classification orm orthogonal os.path os.system os.walk osc oserror osmnx osx-elcapitan osx-snow-leopard otree out-of-memory outer-join outerhtml outliers outlook output output-formatting overfitting-underfitting overflow overhead overlap overlay overloading overriding oversampling overwrite p-value package package-managers packageinstaller packages packaging packing padding paddle-paddle pafy page-factory page-transition pageloadstrategy pageloadtimeout pageobjects pager pagination paginator paho paint paintevent pairplot pairwise pairwise-distance palantir-foundry palette palindrome pandas pandas-apply pandas-bokeh pandas-datareader pandas-explode pandas-groupby pandas-loc pandas-melt pandas-merge pandas-profiling pandas-resample pandas-rolling pandas-settingwithcopy-warning pandas-styles pandas.dataframe.to-gbq pandas.excelwriter pandera pane panel panel-data panel-pyviz papermill parallel-coordinates parallel-processing parallel-python parallelism-amdahl parameter-passing parameterization parameterized parameters parametrize parametrized-testing paramiko paraview parent-child parentheses parquet parsehub parsing partial partial-application partial-ordering partitioning pascals-triangle pass-by-reference passenger password-generator password-protection passwords paste patch path path-finding pathlib patsy pattern-matching pattern-recognition pause payload payment payment-gateway paypal pbkdf2 pca pcap pdb pde pdf pdf-extraction pdf-generation pdf-scraping pdf.js pdf417 pdfkit pdflatex pdfminer pdfpages pdfplumber pearson-correlation peek peewee pep pep8 percentage percentile perceptron perfecto perforce performance performance-testing period periodic-task periodicity perl permanent permission-denied permissions permutation permute perplexity persistence petl pexpect pgadmin pgadmin-4 pgmpy pgp phantomjs phash phonon photo php php-8 phpunit phusion physics pi picamera picker picking pickle pie-chart piecewise piexif pika pillow ping pint pip pipe pipeline pipenv pipenv-install pisa pivot pivot-table pixel pixmap placeholder plaid playsound playwright playwright-python plot plot-annotations plot-grid plotly plotly-dash plotly-express plotly-python plotly.js plotnine plugins pluralize pluto.jl pm2 pmdarima pmml png po pocketsphinx poetry point point-clouds pointers poisson poker polar-coordinates polar-plot polipo polling polyfactory polygon polymer polymorphism polynomial-approximations polynomial-math polynomials pom.xml ponyorm pool popen poppler populate population popup popupwindow port port-number port-scanning port80 portable-applications portainer portaudio portfolio portforwarding porting pos-tagger pose-estimation position positional-argument positioning post post-processing postgis postgres-14 postgresql postgresql-9.1 postgresql-9.3 postman power-law powerbi powerpc powerpoint powershell pprint praw pre-commit pre-commit.com pre-trained-model precision precision-recall predicate predict prediction predix prefect prefetch prefix preprocessor preserve prettify pretty-print price primary-key prime-factoring primes primitive print-preview printf printing priority-queue privacy private private-key private-members probability probability-density probability-distribution process process-pool processbuilder processing producer-consumer product production production-environment profile profiler profiling program-entry-point programming-languages progress progress-bar progressive-web-apps project project-gutenberg project-reactor projectile projection projects-and-solutions promise prompt prompt-toolkit properties protected proto protocol-buffers protocols protractor proxies proxmox proxy proxy-object proxypass pruning pseudocode psutil psychopy psycopg2 psycopg3 ptpython ptvs ptx publish-subscribe pubnub pulp punctuation puppeteer put pwd pwntools py-langchain py-shiny py-telegram-bot-api py2app py2exe py2neo pyarrow pyathena pyaudio pyautogui pyav pybind11 pyc pycaffe pycairo pycall pycaret pycharm pycocotools pycodestyle pycord pycrypto pycuda pydantic pydantic-v2 pydash pydev pydicom pydictionary pydoc pydot pydotplus pydrive pydroid pydub pyenv pyenv-virtualenv pyexcel pyfakefs pyfftw pyfilesystem pyflakes pyfpdf pygad pygal pygame pygame-surface pyglet pygments pygobject pygraphviz pygrib pygtk pyimagej pyinstaller pyjwt pykafka pykde pylance pylatex pylint pylons pymel pymongo pymongo-3.x pymoo pymssql pymupdf pymysql pynco pynetdicom pynput pynsist pyodbc pyodide pyomo pyopencl pyopengl pyopenssl pyoxidizer pypdf pypdf2 pypi pypi-regex pyppeteer pyproj pyproject.toml pypsa pypy pyq pyqgis pyqt pyqt4 pyqt5 pyqt6 pyqtchart pyqtgraph pyquery pyramid pyrcc pyrebase pyrfc pyright pyrogram pyscreeze pyscript pyserial pysftp pyshp pyside pyside2 pyside6 pysimplegui pysnmp pysolr pyspark pyspark-dataframes pyspark-sql pyspice pyspider pyspin pysqlite pystan pytesser pytest pytest-aiohttp pytest-asyncio pytest-django pytest-fixtures pytest-html pytest-mock pytest-qt pythagorean python python-2.2 python-2.4 python-2.5 python-2.6 python-2.7 python-2.x python-2to3 python-3.10 python-3.11 python-3.12 python-3.2 python-3.3 python-3.4 python-3.5 python-3.6 python-3.7 python-3.8 python-3.9 python-3.x python-aiofiles python-anyio python-appium python-asyncio python-attrs python-babel python-black python-c-api python-can python-chess python-class python-click python-cmd python-collections python-contextvars python-dataclasses python-datamodel python-datetime python-dateutil python-decorators python-django-storages python-docker python-docx python-dotenv python-embedding python-extensions python-ggplot python-holidays python-huey python-hypothesis python-idle python-imageio python-imaging-library python-import python-importlib python-install python-interactive python-internals python-itertools python-jira python-jsons python-jsonschema python-keyring python-ldap python-logging python-magic python-manylinux python-mock python-mode python-moderngl python-module python-mss python-multiprocessing python-multithreading python-newspaper python-nonlocal python-object python-oracledb python-os python-packaging python-pdfkit python-pdfreader python-phonenumber python-pika python-pipelines python-playsound python-poetry python-polars python-pptx python-re python-regex python-requests python-requests-html python-sip python-social-auth python-socketio python-sockets python-sounddevice python-sphinx python-sql python-telegram-bot python-tesseract python-textfsm python-textprocessing python-traitlets python-trio python-turtle python-twitter python-typing python-unicode python-unittest python-unittest.mock python-venv python-watchdog python-webbrowser python-wheel python-xarray python-zip python-zipfile python.net pythonanywhere pythoninterpreter pythonpath pythonw pythonxy pythran pytorch pytorch-dataloader pytorch-datapipe pytorch-distributions pytorch-forecasting pytorch-geometric pytorch-lightning pytorch3d pyttsx pyttsx3 pytube pytumblr pytz pyuic pyuno pyvirtualdisplay pyvis pyvisa pyvista pyviz pywin32 pywinauto pyxll pyzmq q q-lang qa qabstractbutton qabstractitemmodel qabstractitemview qabstractlistmodel qabstractslider qabstracttablemodel qaction qaf qapplication qasync qaxwidget qbuffer qbuttongroup qcalendarwidget qchart qcheckbox qclipboard qcolordialog qcombobox qcompleter qdatastream qdate qdatetime qdial qdialog qdir qdockwidget qdoublespinbox qeventloop qfile qfiledialog qfilesystemmodel qframe qgis qgraphicseffect qgraphicsitem qgraphicsitemgroup qgraphicslineitem qgraphicspathitem qgraphicspixmapitem qgraphicsrectitem qgraphicsscene qgraphicstextitem qgraphicsview qgridlayout qgroupbox qheaderview qicon qimage qinputdialog qiodevice qiskit qitemdelegate qitemselectionmodel qkeyevent qlabel qlayout qliksense qlineedit qlistview qlistwidget qlistwidgetitem qmainwindow qmdiarea qmediaplayer qmenu qmenubar qmessagebox qml qmodelindex qmouseevent qmovie qnetworkaccessmanager qnetworkreply qobject qopenglwidget qpainter qpainterpath qpdf qpixmap qplaintextedit qprinter qprintpreviewdialog qprocess qprogressbar qprogressdialog qpropertyanimation qpushbutton qr-code qr-decomposition qradiobutton qresource qrunnable qscrollarea qsettings qshortcut qsignalmapper qsizegrip qsizepolicy qslider qsortfilterproxymodel qspinbox qsplashscreen qsplitter qsqldatabase qsqlquerymodel qsqlrelationaltablemodel qsqltablemodel qstackedwidget qstandarditem qstandarditemmodel qstatusbar qstring qstyle qstyleditemdelegate qsystemtrayicon qt qt-creator qt-designer qt-linguist qt-quick qt-resource qt-signals qt3d qt4 qt5 qt6 qt6.4.1 qtabbar qtableview qtablewidget qtablewidgetitem qtabwidget qtcharts qtconcurrent qtconsole qtcore qtcpserver qtcpsocket qtdbus qtextbrowser qtextcursor qtextedit qtgui qthread qtimer qtmultimedia qtnetwork qtoolbar qtoolbutton qtplugin qtquick2 qtquickcontrols2 qtreeview qtreewidget qtreewidgetitem qtremoteobjects qtserialport qtsql qtstylesheets qttest qtvirtualkeyboard qtwebchannel qtwebengine qtwebkit qtwebview qtwidgets quad qualified quandl quantile quantile-regression quantitative-finance quantization quantization-aware-training quantlib quantlib-swig quart quartile quarto quaternions qudpsocket querying queryselector questdb question-answering queue quickfix quicksort quotes quoting qurl qvalidator qvariant qvariantanimation qvboxlayout qvideowidget qvtkwidget qwebelement qwebengine qwebenginepage qwebengineview qwebkit qwebpage qwebview qwidget qwidgetaction qwizard qwizardpage r r-markdown rabbitmq rabbitmqctl race-condition radar-chart radial radians radio-button radio-group radix ragged-tensors rainmeter raise raku ram ramdisk random random-data random-forest random-sample random-seed random-walk range range-map rank ranking ranking-functions ransac rapidfuzz rapids rasa rasa-nlu rasa-sdk raspberry-pi raspberry-pi3 raspberry-pi4 raspbian raster rasterio rasterizing rate-limiting raw-input rawstring ray ray-tune raytracing razorpay rbac rbm rcc rclone rdd rdkit rdp rds re react-native react-query react-redux react-router react-select reactivex reactjs reactor read-eval-print-loop read-write read.csv readfile readimage readline readlines readonly readr real-time real-time-updates recaptcha recarray recommendation-engine recommender-systems reconnect recording recover recovery rectangles recurrent-neural-network recursion recursive-datastructures redaction reddit redhat redirect redis redis-server redisearch redmine reduce redundancy redux refactoring reference referrer refinitiv-eikon-api reflection reform refresh regedit regex regex-group regex-lookarounds regex-negation regex-recursion regexp-replace regional registration registry regression regsvr32 reindex reinforcement-learning relational-database relationship relative-import relative-locators relative-path relative-url reload relplot relu remote-access remote-debugging remote-server remotewebdriver removing-whitespace rename render renderer rendering repeat repl.it replace replaceall replicate replit report reporting reportlab repr representation reproducible-research request request-promise request-timed-out requirements.txt resampling rescale reset reshape resize resnet resources response responsive-design rest rest-assured restapi restart restful-authentication restriction restructuredtext resuming-training reticulate retina-display retinanet retrieval-augmented-generation retrofit retry-logic return return-type return-value reusability reveal.js reverse reverse-engineering reverse-proxy revitpythonshell rfc822 rfe rgb rgba rhel rhel6 rich richtext rise rllib rm rna-seq roberta roberta-language-model roboflow robot robotframework robots.txt roc rocket rodeo roi roles rolling-computation ros rose-diagram rose-plot rosetta-2 rospy rotation rotational-matrices rouge rounding routes routing row row-major-order row-number rowdeleting rows rpa rpath rpy2 rq rqt rsa rselenium rspec rspec-rails rss rstudio rtf rtl-sdr ruamel.yaml rubiks-cube ruby ruby-on-rails ruby-on-rails-3 rubymine ruff rules run-length-encoding runge-kutta running-count runpy runtime runtime-error runumap rust rust-cargo rust-crates rust-polars rvest rx-py safari safaridriver safety-critical sage saleor salesforce salesforce-lightning samesite saml-2.0 sample sampling sandbox sanic sap-gui sap-iq sar sarsa sas sass sass-loader satchmo save savefig saving-data sax saxon saxon-c scala scalar scale scaling scanning scanpy scapy scatter scatter-matrix scatter-plot scatter3d schedule scheduled-tasks scheduler scheduling scientific-computing scientific-notation scikit-build scikit-image scikit-learn scikit-learn-pipeline scikit-optimize scikit-survival scikits scilab scipy scipy-optimize scipy-optimize-minimize scipy-spatial scipy.ndimage scipy.stats scope scoring scrape scraper scrapinghub scrapy scrapy-item scrapy-middleware scrapy-pipeline scrapy-playwright scrapy-request scrapy-selenium scrapy-settings scrapy-shell scrapy-signal scrapy-spider scrapy-splash scrapyd screen screen-capture screen-resolution screen-scraping screenshot script script-tag scripting scroll scroll-lock scrollbar scrypt sdk seaborn seaborn-0.12.x search search-engine search-tree searchbar secret-key security sed seed seek segmentation-fault select select-for-update selection selector selenide selenium selenium-chromedriver selenium-edgedriver selenium-extent-report selenium-firefoxdriver selenium-grid selenium-grid2 selenium-ide selenium-iedriver selenium-java selenium-jupiter selenium-rc selenium-ruby selenium-server selenium-shutterbug selenium-webdriver selenium-webdriver-python selenium4 seleniumbase seleniummanager seleniumwire self self-attention self-healing self-supervised-learning semantic-segmentation semaphore sendgrid sendgrid-api-v3 sendkeys sendmessage sensors sentence-similarity sentence-transformers sentiment-analysis sentry seo seq2seq sequence sequence-generators sequence-to-sequence sequencematcher sequential sequentialfeatureselector serenity-bdd serenity-platform serial-port serialization series serve server server-side-rendering service service-accounts serviceconnection serving session session-cookies session-timeout session-variables set setattr setscripttimeout settings setup.py setuptools seurat sftp sgd sgdclassifier sh sha sha1 shader shadow shadow-dom shadow-root shadowing shady-dom shallow-copy shap shapefile shapely shapes share shared-libraries shared-memory sharepoint sharing shebang shell shiboken2 shift shlex shodan shopify shopify-api shopify-app shopware short-circuiting shortcut shortcuts shortest-path shorthand show shuffle shutdown shutil siamese-network siblings side-effects sieve-of-eratosthenes sigmoid sign signal-handling signal-processing signals signals-slots signature silent-installer similarity simplehttpserver simpleitk simplejson simpletransformers simplify simulation sine-wave single-dispatch single-page-application single-sign-on singleton singly-linked-list site-packages sitemap six size skip skl2onnx sklearn-pandas sklearn2pmml skopt skorch sktime skyfield slack slack-api slack-bolt slack-commands sleep slice slide slider sliding-tile-puzzle sliding-window slot slowdown slug slurm smart-open smoothing smote smtp smtp-auth smtplib snakemake snowflake-cloud-data-platform snowflake-connector snowpark soap social-networking socket.io sockets socketserver soffice softmax software-distribution software-quality software-update solana solana-py solid-principles solidity solver som sonarlint sonarlint-eclipse sorl-thumbnail sortedcontainers sorteddictionary sortedlist sorting soundfile sox space spaces spacing spacy spacy-3 spark-dataframe spark-koalas spark-streaming spark-structured-streaming sparql sparqlwrapper sparse-matrix sparsecategoricalcrossentropy spatial spatial-interpolation specflow special-characters spectrogram spectron speech-recognition speech-synthesis spherical-coordinate spiral splash-js-render splash-screen spline split splunk spoonacular spotify spotipy spring spring-boot spring-boot-test sprite spyder sql sql-delete sql-injection sql-order-by sql-returning sql-server sql-server-2008-r2 sql-server-2016 sql-update sql-view sqlalchemy sqlalchemy-access sqlalchemy-migrate sqlcipher sqldatatypes sqlite sqlite-shell sqlite3-python sqlmap sqlmodel sqrt square-root squarify squid src ssh ssh-keys ssh-tunnel sshfs ssim ssl ssl-certificate ssms stable-baselines stable-diffusion stack stack-overflow stack-trace stacked stacked-bar-chart stacked-chart stackedbarseries staledataexception staleelementreferenceexception stan standard-deviation standard-error standard-library standardization standardized stanford-nlp stanza starlette stars startswith starttls startup stata state-dict state-management static static-analysis static-files static-html static-libraries static-linking static-methods static-site statistics statistics-bootstrap statsmodels status statusbar stderr stdin stdout steam steam-web-api stellargraph stem-plot stimulusjs stl stochastic-gradient stock stop-words storage stored-procedures storemagic strava strawberry-graphql stream streaming streamlit streamwriter stretch strftime stride strikethrough string string-concatenation string-conversion string-decoding string-formatting string-interning string-matching string-operations string-to-datetime string.format stringify stringio strip stripe-payments strptime strsplit struct structure structured-array styleframe stylegan styles stylesheet styling subclass subclassing subdirectory subdomain subfigure sublimerepl sublimetext sublimetext2 sublimetext3 sublist submatrix submit subplot subprocess subsampling subscript subset substitution substr substring subtitle subtraction sudo sudoku suffix suffix-tree sum summarization summary sumproduct super superclass supervised-learning supervisord suppress suppress-warnings suppression suptitle surface survival-analysis svc svd sveltekit svg svg-rect svm swagger swagger-ui swap swarmplot swift swig sybase symbolic-math symlink sympy synchronization synchronous synology syntax syntax-error syntax-highlighting sys sys.path syslog system system-design system-properties system-shutdown system-tray systemcolors systemd systray t-test ta-lib tab-completion tabbed tableau-api tableofcontents tableview tablib tabs tabular tabulate tabulator tags tail-call-optimization tail-recursion tailwind-css takesscreenshot tamil tar tarfile task tastypie tcl tcmalloc tcp tcpserver tdd teardown tech-chat-ml technical-indicator tei telebot telegram telegram-api telegram-bot telegram-webhook telepot telethon telnetlib telnetlib3 temp tempdata tempdir temperature template-matching templates templatetag templating temporary-files tensor tensor-indexing tensorboard tensorboardx tensordot tensorflow tensorflow-agents tensorflow-c++ tensorflow-datasets tensorflow-decision-forests tensorflow-estimator tensorflow-federated tensorflow-gpu tensorflow-hub tensorflow-lite tensorflow-model-garden tensorflow-probability tensorflow-quantum tensorflow-serving tensorflow-slim tensorflow-transform tensorflow.js tensorflow1.15 tensorflow2 tensorflow2.0 tensorflow2.x tensorflowjs-converter tensorly tensorrt term-document-matrix termcolor terminal terminate terminology termux ternary ternary-operator terraform tess4j tesseract test-data test-reporting testautomationfx testbook testcase testcontainers testflight testing testng testng-dataprovider tetrahedra tex text text-based text-classification text-coloring text-cursor text-editor text-extraction text-files text-mining text-parsing text-processing text-recognition text-to-speech text-widget textarea textblob textbox textmate textures tf-agent tf-idf tf.data.dataset tf.keras tf2onnx tfidfvectorizer tflearn tflite tfrecord tfs tfsbuild tfx theano themes thonny thread-safety threadpool threadpoolexecutor three.js threshold throttling thumbnails tibble tic-tac-toe ticker tidyverse tiff tika-python tika-server tiktok time time-complexity time-series timedelta timeit timeline timeout timeouterror timeoutexception timer timestamp timezone timezone-offset timing tinymce tinyml titanium-web-proxy title titlebar tk tk-toolkit tkinter tkinter-button tkinter-canvas tkinter-entry tkinter-label tkinter-layout tkinter-menu tkinter-text tkintermapview toad toarray toast toggle token tokenize toolbar toolbox toolkit tooltip top-n topic-modeling toplevel topography topology tor tor-browser-bundle torch torchaudio torchdata torchscript torchserve torchtext torchvision tornado tornado-motor tortoise-orm tostring touchscreen tox tpu tqdm traceback tracking trading trailing trailing-slash train-test-split training-data traits transactional-database transactions transcription transfer-learning transform transformation transformer transformer-model translate translation transparency transparent transpose traversal travis-ci trax tray trayicon tree tree-traversal treemodel treeview trendline triangulation trigonometry trim trimesh tripadvisor triplet tritonserver truetype truncate trusted try-catch try-except tsne ttk ttkbootstrap ttkwidgets tty tukey tumblr tuples turtle-graphics tweepy tweets twilio twilio-video twint twinx twiny twisted twisted.internet twitter twitter-bootstrap twitter-bootstrap-3 twitter-oauth twitter-search twitterapi-python txt type-annotation type-conversion type-hinting typecasting-operator typechecking typeclass typeerror typeguards types typescript typing u8darts ubuntu ubuntu-12.04 ubuntu-14.04 ubuntu-16.04 ubuntu-18.04 ubuntu-20.04 ubuntu-22.04 udp ui-automation ui-testing uic uid uncertainty undefined undefined-variable undetected-chromedriver undirected-graph unet-neural-network unhandled-exception unicode unicode-literals unicode-string uniform uniform-distribution uninstallation union union-types unique unique-constraint unit-conversion unit-testing units-of-measurement unity-game-engine unity3d unity3d-unet unix unix-timestamp unixodbc unpack unpivot unreachable-code unset unsigned-integer unsupervised-learning unzip update-by-query updates updating upgrade upload uppercase upsert urdu url url-for url-parameters url-parsing url-rewriting url-routing urlencode urlfetch urllib urllib2 urllib3 urlopen urlparse urlsplit ursina usb user-account-control user-agent user-controls user-defined-functions user-experience user-input user-interaction user-interface user-permissions user-warning usergroups utc utf-8 uuid uvicorn uvloop uwsgi vader vaex vagrant validation validationerror valueerror vao var variable-assignment variable-length variables variadic-functions variance vb.net vba vcf-vcard vcftools vector vector-graphics vectorization vedo vega vega-lite vehicle-routing venn-diagram verbose verbosity vercel verify version vertex-buffer vertica vertical-scrolling vgg-net vhosts vi video video-capture video-editing video-processing video-streaming view viewbox viewmodel-savedstate vim vine violin-plot vips virtual virtual-environment virtual-machine virtualbox virtualenv virtualenv-commands virtualenvwrapper virtualfilesystem virus visa vision vision-transformer vispy visual-c++ visual-studio visual-studio-2013 visual-studio-2015 visual-studio-2017-build-tools visual-studio-code visual-studio-debugging visualization vite vite-reactjs vitis-ai vivaldi vlad-vector vlookup vmware vnc-viewer vocabulary voila volatility volume voronoi vpc vps vpython vram vscode-code-runner vscode-debugger vscode-extensions vscode-keybinding vscode-python vscode-restclient vscode-settings vstack vtk vtk-9.1.0 vue-pdf vue.js vuejs2 vuejs3 vuetify.js vuex4 w3m waffle-chart wagtail wagtail-admin wagtail-apiv2 wagtail-streamfield wait waitress walrus-operator wand wandb warnings watchdog watermark watir watir-webdriver wav wave wayland weak-references weasyprint weather web web-api-testing web-application-firewall web-applications web-crawler web-deployment web-developer-toolbar web-development-server web-frameworks web-hosting web-inspector web-scraping web-scraping-language web-services web-testing web2py web3 web3js web3py webargs webautomation webbot webcam webdriver webdriver-io webdriver-manager webdriver-w3c-spec webdrivermanager-java webdrivermanager-python webdriverwait webforms webhooks webkit webkit2 webmock webpack webpack-5 webpage-screenshot webproxy webrequest webscarab webserver websocket webstorm webusb webview weekend weibull weighted weighted-average weighted-graph weka werkzeug wfastcgi wget whatsapp where where-clause while-loop whitenoise whitespace whois whoosh wide-format-data widget width wiki wikipedia wikipedia-api wildcard win32com win32gui win32serviceutil winapi winapp winappdriver window window-functions window-handles window-managers window-resize windows windows-10 windows-11 windows-7 windows-7-x64 windows-8 windows-8.1 windows-authentication windows-console windows-server-2012 windows-server-2016 windows-server-2019 windows-services windows-subsystem-for-linux windows-task-scheduler windows-xp windowserror windowsphotogallery windrose winforms winpcap winreg wireshark with-statement wizard wkhtmltopdf wlst wmf wolfram-mathematica wolframalpha woocommerce word-boundary word-cloud word-count word-embedding word-wrap word2vec wordnet wordpress words workflow working-directory wpf wrapper write writefile writer wsgi wsl-2 wtforms wtforms-json wuapi wxpython wxwidgets x-axis x11-forwarding x264 xampp xbrl xcode xdgutils xelatex xeus-cling xeus-python xgbclassifier xgboost xgbregressor xilinx xliff xlookup xlrd xls xlsx xlsxwriter xlwings xlwt xml xml-parsing xml.etree xmlhttprequest xmltocsv xor xpath xpath-1.0 xpath-2.0 xpu xrange xrp xsd xslt xss xticks xunit xvfb xyz yagmail yahoo yahoo-finance yahoo-mail yaml yattag yaxis yellow-pages yellowbrick yfinance yield yield-from yocto yolo yolov5 yolov8 youtube youtube-api youtube-data-api youtube-dl yticks yum z-order z-score z3 z3py zalenium zappa zarr zeep zelle-graphics zero zero-padding zeromq zillow zip zipfile zipline zipstream zlib zoho zooming zsh zxing zyte

Copyright © PythonFixing