idx int64 0 251k | question stringlengths 53 3.53k | target stringlengths 5 1.23k | len_question int64 20 893 | len_target int64 3 238 |
|---|---|---|---|---|
223,000 | def Rect_to_wxRect ( self , fr ) : r = ( fr * self . zoom ) . irect # zoomed IRect return wx . Rect ( r . x0 , r . y0 , r . width , r . height ) | Return a zoomed wx . Rect for given fitz . Rect . | 54 | 15 |
223,001 | def wxRect_to_Rect ( self , wr ) : r = fitz . Rect ( wr . x , wr . y , wr . x + wr . width , wr . y + wr . height ) return r * self . shrink | Return a shrunk fitz . Rect for given wx . Rect . | 51 | 14 |
223,002 | def is_in_free_area ( self , nr , ok = - 1 ) : for i , r in enumerate ( self . link_rects ) : if r . Intersects ( nr ) and i != ok : return False bmrect = wx . Rect ( 0 , 0 , dlg . bitmap . Size [ 0 ] , dlg . bitmap . Size [ 1 ] ) return bmrect . Contains ( nr ) | Determine if rect covers a free area inside the bitmap . | 100 | 14 |
223,003 | def get_linkrect_idx ( self , pos ) : for i , r in enumerate ( self . link_rects ) : if r . Contains ( pos ) : return i return - 1 | Determine if cursor is inside one of the link hot spots . | 43 | 14 |
223,004 | def get_bottomrect_idx ( self , pos ) : for i , r in enumerate ( self . link_bottom_rects ) : if r . Contains ( pos ) : return i return - 1 | Determine if cursor is on bottom right corner of a hot spot . | 45 | 15 |
223,005 | def getTextWords ( page ) : CheckParent ( page ) dl = page . getDisplayList ( ) tp = dl . getTextPage ( ) l = tp . _extractTextWords_AsList ( ) del dl del tp return l | Return the text words as a list with the bbox for each word . | 57 | 15 |
223,006 | def getText ( page , output = "text" ) : CheckParent ( page ) dl = page . getDisplayList ( ) # available output types formats = ( "text" , "html" , "json" , "xml" , "xhtml" , "dict" , "rawdict" ) # choose which of them also include images in the TextPage images = ( 0 , 1 , 1 , 0 , 1 , 1 , 1 ) # controls image inclusion in text page try : f = formats . index ( output . lower ( ) ) except : f = 0 flags = TEXT_PRESERVE_LIGATURES | TEXT_PRESERVE_WHITESPACE if images [ f ] : flags |= TEXT_PRESERVE_IMAGES tp = dl . getTextPage ( flags ) # TextPage with / without images t = tp . _extractText ( f ) del dl del tp return t | Extract a document page s text . | 199 | 8 |
223,007 | def getPagePixmap ( doc , pno , matrix = None , colorspace = csRGB , clip = None , alpha = True ) : return doc [ pno ] . getPixmap ( matrix = matrix , colorspace = colorspace , clip = clip , alpha = alpha ) | Create pixmap of document page by page number . | 61 | 11 |
223,008 | def getToC ( doc , simple = True ) : def recurse ( olItem , liste , lvl ) : '''Recursively follow the outline item chain and record item information in a list.''' while olItem : if olItem . title : title = olItem . title else : title = " " if not olItem . isExternal : if olItem . uri : page = olItem . page + 1 else : page = - 1 else : page = - 1 if not simple : link = getLinkDict ( olItem ) liste . append ( [ lvl , title , page , link ] ) else : liste . append ( [ lvl , title , page ] ) if olItem . down : liste = recurse ( olItem . down , liste , lvl + 1 ) olItem = olItem . next return liste # check if document is open and not encrypted if doc . isClosed : raise ValueError ( "illegal operation on closed document" ) olItem = doc . outline if not olItem : return [ ] lvl = 1 liste = [ ] return recurse ( olItem , liste , lvl ) | Create a table of contents . | 241 | 6 |
223,009 | def updateLink ( page , lnk ) : CheckParent ( page ) annot = getLinkText ( page , lnk ) if annot == "" : raise ValueError ( "link kind not supported" ) page . parent . _updateObject ( lnk [ "xref" ] , annot , page = page ) return | Update a link on the current page . | 69 | 8 |
223,010 | def insertLink ( page , lnk , mark = True ) : CheckParent ( page ) annot = getLinkText ( page , lnk ) if annot == "" : raise ValueError ( "link kind not supported" ) page . _addAnnot_FromString ( [ annot ] ) return | Insert a new link for the current page . | 63 | 9 |
223,011 | def newPage ( doc , pno = - 1 , width = 595 , height = 842 ) : doc . _newPage ( pno , width = width , height = height ) return doc [ pno ] | Create and return a new page object . | 46 | 8 |
223,012 | def insertPage ( doc , pno , text = None , fontsize = 11 , width = 595 , height = 842 , fontname = "helv" , fontfile = None , color = None , ) : page = doc . newPage ( pno = pno , width = width , height = height ) if not bool ( text ) : return 0 rc = page . insertText ( ( 50 , 72 ) , text , fontsize = fontsize , fontname = fontname , fontfile = fontfile , color = color , ) return rc | Create a new PDF page and insert some text . | 117 | 10 |
223,013 | def drawSquiggle ( page , p1 , p2 , breadth = 2 , color = None , dashes = None , width = 1 , roundCap = False , overlay = True , morph = None ) : img = page . newShape ( ) p = img . drawSquiggle ( Point ( p1 ) , Point ( p2 ) , breadth = breadth ) img . finish ( color = color , dashes = dashes , width = width , closePath = False , roundCap = roundCap , morph = morph ) img . commit ( overlay ) return p | Draw a squiggly line from point p1 to point p2 . | 117 | 15 |
223,014 | def drawQuad ( page , quad , color = None , fill = None , dashes = None , width = 1 , roundCap = False , morph = None , overlay = True ) : img = page . newShape ( ) Q = img . drawQuad ( Quad ( quad ) ) img . finish ( color = color , fill = fill , dashes = dashes , width = width , roundCap = roundCap , morph = morph ) img . commit ( overlay ) return Q | Draw a quadrilateral . | 101 | 6 |
223,015 | def drawPolyline ( page , points , color = None , fill = None , dashes = None , width = 1 , morph = None , roundCap = False , overlay = True , closePath = False ) : img = page . newShape ( ) Q = img . drawPolyline ( points ) img . finish ( color = color , fill = fill , dashes = dashes , width = width , roundCap = roundCap , morph = morph , closePath = closePath ) img . commit ( overlay ) return Q | Draw multiple connected line segments . | 109 | 6 |
223,016 | def drawBezier ( page , p1 , p2 , p3 , p4 , color = None , fill = None , dashes = None , width = 1 , morph = None , closePath = False , roundCap = False , overlay = True ) : img = page . newShape ( ) Q = img . drawBezier ( Point ( p1 ) , Point ( p2 ) , Point ( p3 ) , Point ( p4 ) ) img . finish ( color = color , fill = fill , dashes = dashes , width = width , roundCap = roundCap , morph = morph , closePath = closePath ) img . commit ( overlay ) return Q | Draw a general cubic Bezier curve from p1 to p4 using control points p2 and p3 . | 143 | 23 |
223,017 | def getColor ( name ) : try : c = getColorInfoList ( ) [ getColorList ( ) . index ( name . upper ( ) ) ] return ( c [ 1 ] / 255. , c [ 2 ] / 255. , c [ 3 ] / 255. ) except : return ( 1 , 1 , 1 ) | Retrieve RGB color in PDF format by name . | 69 | 10 |
223,018 | def getColorHSV ( name ) : try : x = getColorInfoList ( ) [ getColorList ( ) . index ( name . upper ( ) ) ] except : return ( - 1 , - 1 , - 1 ) r = x [ 1 ] / 255. g = x [ 2 ] / 255. b = x [ 3 ] / 255. cmax = max ( r , g , b ) V = round ( cmax * 100 , 1 ) cmin = min ( r , g , b ) delta = cmax - cmin if delta == 0 : hue = 0 elif cmax == r : hue = 60. * ( ( ( g - b ) / delta ) % 6 ) elif cmax == g : hue = 60. * ( ( ( b - r ) / delta ) + 2 ) else : hue = 60. * ( ( ( r - g ) / delta ) + 4 ) H = int ( round ( hue ) ) if cmax == 0 : sat = 0 else : sat = delta / cmax S = int ( round ( sat * 100 ) ) return ( H , S , V ) | Retrieve the hue saturation value triple of a color name . | 238 | 12 |
223,019 | def horizontal_angle ( C , P ) : S = Point ( P - C ) . unit # unit vector 'C' -> 'P' alfa = math . asin ( abs ( S . y ) ) # absolute angle from horizontal if S . x < 0 : # make arcsin result unique if S . y <= 0 : # bottom-left alfa = - ( math . pi - alfa ) else : # top-left alfa = math . pi - alfa else : if S . y >= 0 : # top-right pass else : # bottom-right alfa = - alfa return alfa | Return the angle to the horizontal for the connection from C to P . This uses the arcus sine function and resolves its inherent ambiguity by looking up in which quadrant vector S = P - C is located . | 130 | 43 |
223,020 | def drawLine ( self , p1 , p2 ) : p1 = Point ( p1 ) p2 = Point ( p2 ) if not ( self . lastPoint == p1 ) : self . draw_cont += "%g %g m\n" % JM_TUPLE ( p1 * self . ipctm ) self . lastPoint = p1 self . updateRect ( p1 ) self . draw_cont += "%g %g l\n" % JM_TUPLE ( p2 * self . ipctm ) self . updateRect ( p2 ) self . lastPoint = p2 return self . lastPoint | Draw a line between two points . | 136 | 7 |
223,021 | def drawPolyline ( self , points ) : for i , p in enumerate ( points ) : if i == 0 : if not ( self . lastPoint == Point ( p ) ) : self . draw_cont += "%g %g m\n" % JM_TUPLE ( Point ( p ) * self . ipctm ) self . lastPoint = Point ( p ) else : self . draw_cont += "%g %g l\n" % JM_TUPLE ( Point ( p ) * self . ipctm ) self . updateRect ( p ) self . lastPoint = Point ( points [ - 1 ] ) return self . lastPoint | Draw several connected line segments . | 140 | 6 |
223,022 | def drawBezier ( self , p1 , p2 , p3 , p4 ) : p1 = Point ( p1 ) p2 = Point ( p2 ) p3 = Point ( p3 ) p4 = Point ( p4 ) if not ( self . lastPoint == p1 ) : self . draw_cont += "%g %g m\n" % JM_TUPLE ( p1 * self . ipctm ) self . draw_cont += "%g %g %g %g %g %g c\n" % JM_TUPLE ( list ( p2 * self . ipctm ) + list ( p3 * self . ipctm ) + list ( p4 * self . ipctm ) ) self . updateRect ( p1 ) self . updateRect ( p2 ) self . updateRect ( p3 ) self . updateRect ( p4 ) self . lastPoint = p4 return self . lastPoint | Draw a standard cubic Bezier curve . | 204 | 9 |
223,023 | def drawOval ( self , tetra ) : if len ( tetra ) != 4 : raise ValueError ( "invalid arg length" ) if hasattr ( tetra [ 0 ] , "__float__" ) : q = Rect ( tetra ) . quad else : q = Quad ( tetra ) mt = q . ul + ( q . ur - q . ul ) * 0.5 mr = q . ur + ( q . lr - q . ur ) * 0.5 mb = q . ll + ( q . lr - q . ll ) * 0.5 ml = q . ul + ( q . ll - q . ul ) * 0.5 if not ( self . lastPoint == ml ) : self . draw_cont += "%g %g m\n" % JM_TUPLE ( ml * self . ipctm ) self . lastPoint = ml self . drawCurve ( ml , q . ll , mb ) self . drawCurve ( mb , q . lr , mr ) self . drawCurve ( mr , q . ur , mt ) self . drawCurve ( mt , q . ul , ml ) self . updateRect ( q . rect ) self . lastPoint = ml return self . lastPoint | Draw an ellipse inside a tetrapod . | 273 | 11 |
223,024 | def drawCurve ( self , p1 , p2 , p3 ) : kappa = 0.55228474983 p1 = Point ( p1 ) p2 = Point ( p2 ) p3 = Point ( p3 ) k1 = p1 + ( p2 - p1 ) * kappa k2 = p3 + ( p2 - p3 ) * kappa return self . drawBezier ( p1 , k1 , k2 , p3 ) | Draw a curve between points using one control point . | 103 | 10 |
223,025 | def drawQuad ( self , quad ) : q = Quad ( quad ) return self . drawPolyline ( [ q . ul , q . ll , q . lr , q . ur , q . ul ] ) | Draw a Quad . | 46 | 4 |
223,026 | def drawZigzag ( self , p1 , p2 , breadth = 2 ) : p1 = Point ( p1 ) p2 = Point ( p2 ) S = p2 - p1 # vector start - end rad = abs ( S ) # distance of points cnt = 4 * int ( round ( rad / ( 4 * breadth ) , 0 ) ) # always take full phases if cnt < 4 : raise ValueError ( "points too close" ) mb = rad / cnt # revised breadth matrix = TOOLS . _hor_matrix ( p1 , p2 ) # normalize line to x-axis i_mat = ~ matrix # get original position points = [ ] # stores edges for i in range ( 1 , cnt ) : if i % 4 == 1 : # point "above" connection p = Point ( i , - 1 ) * mb elif i % 4 == 3 : # point "below" connection p = Point ( i , 1 ) * mb else : # ignore others continue points . append ( p * i_mat ) self . drawPolyline ( [ p1 ] + points + [ p2 ] ) # add start and end points return p2 | Draw a zig - zagged line from p1 to p2 . | 255 | 15 |
223,027 | def drawSquiggle ( self , p1 , p2 , breadth = 2 ) : p1 = Point ( p1 ) p2 = Point ( p2 ) S = p2 - p1 # vector start - end rad = abs ( S ) # distance of points cnt = 4 * int ( round ( rad / ( 4 * breadth ) , 0 ) ) # always take full phases if cnt < 4 : raise ValueError ( "points too close" ) mb = rad / cnt # revised breadth matrix = TOOLS . _hor_matrix ( p1 , p2 ) # normalize line to x-axis i_mat = ~ matrix # get original position k = 2.4142135623765633 # y of drawCurve helper point points = [ ] # stores edges for i in range ( 1 , cnt ) : if i % 4 == 1 : # point "above" connection p = Point ( i , - k ) * mb elif i % 4 == 3 : # point "below" connection p = Point ( i , k ) * mb else : # else on connection line p = Point ( i , 0 ) * mb points . append ( p * i_mat ) points = [ p1 ] + points + [ p2 ] cnt = len ( points ) i = 0 while i + 2 < cnt : self . drawCurve ( points [ i ] , points [ i + 1 ] , points [ i + 2 ] ) i += 2 return p2 | Draw a squiggly line from p1 to p2 . | 320 | 13 |
223,028 | def finish ( self , width = 1 , color = None , fill = None , roundCap = False , dashes = None , even_odd = False , morph = None , closePath = True ) : if self . draw_cont == "" : # treat empty contents as no-op return color_str = ColorCode ( color , "c" ) # ensure proper color string fill_str = ColorCode ( fill , "f" ) # ensure proper fill string if width != 1 : self . draw_cont += "%g w\n" % width if roundCap : self . draw_cont += "%i J %i j\n" % ( roundCap , roundCap ) if dashes is not None and len ( dashes ) > 0 : self . draw_cont += "%s d\n" % dashes if closePath : self . draw_cont += "h\n" self . lastPoint = None if color is not None : self . draw_cont += color_str if fill is not None : self . draw_cont += fill_str if not even_odd : self . draw_cont += "B\n" else : self . draw_cont += "B*\n" else : self . draw_cont += "S\n" if CheckMorph ( morph ) : m1 = Matrix ( 1 , 0 , 0 , 1 , morph [ 0 ] . x + self . x , self . height - morph [ 0 ] . y - self . y ) mat = ~ m1 * morph [ 1 ] * m1 self . draw_cont = "%g %g %g %g %g %g cm\n" % JM_TUPLE ( mat ) + self . draw_cont self . totalcont += "\nq\n" + self . draw_cont + "Q\n" self . draw_cont = "" self . lastPoint = None return | Finish the current drawing segment . | 402 | 6 |
223,029 | def set_float ( self , option , value ) : if not isinstance ( value , float ) : raise TypeError ( "Value must be a float" ) self . options [ option ] = value | Set a float option . | 42 | 5 |
223,030 | def set_integer ( self , option , value ) : try : int_value = int ( value ) except ValueError as err : print ( err . args ) self . options [ option ] = value | Set an integer option . | 42 | 5 |
223,031 | def set_boolean ( self , option , value ) : if not isinstance ( value , bool ) : raise TypeError ( "%s must be a boolean" % option ) self . options [ option ] = str ( value ) . lower ( ) | Set a boolean option . | 52 | 5 |
223,032 | def set_string ( self , option , value ) : if not isinstance ( value , str ) : raise TypeError ( "%s must be a string" % option ) self . options [ option ] = value | Set a string option . | 44 | 5 |
223,033 | def custom_line_color_map ( self , values ) : if not isinstance ( values , list ) : raise TypeError ( "custom_line_color_map must be a list" ) self . options [ "custom_line_color_map" ] = values | Set the custom line color map . | 58 | 7 |
223,034 | def legend ( self , values ) : if not isinstance ( values , list ) : raise TypeError ( "legend must be a list of labels" ) self . options [ "legend" ] = values | Set the legend labels . | 44 | 5 |
223,035 | def markers ( self , values ) : if not isinstance ( values , list ) : raise TypeError ( "Markers must be a list of objects" ) self . options [ "markers" ] = values | Set the markers . | 44 | 4 |
223,036 | def get ( self ) : return { k : v for k , v in list ( self . options . items ( ) ) if k in self . _allowed_graphics } | Get graphics options . | 37 | 4 |
223,037 | def apply_filters ( df , filters ) : idx = pd . Series ( [ True ] * df . shape [ 0 ] ) for k , v in list ( filters . items ( ) ) : if k not in df . columns : continue idx &= ( df [ k ] == v ) return df . loc [ idx ] | Basic filtering for a dataframe . | 73 | 7 |
223,038 | def format_row ( row , bounds , columns ) : for c in columns : if c not in row : continue if "format" in columns [ c ] : row [ c ] = columns [ c ] [ "format" ] % row [ c ] if c in bounds : b = bounds [ c ] row [ c ] = [ b [ "min" ] , row [ b [ "lower" ] ] , row [ b [ "upper" ] ] , b [ "max" ] ] return row | Formats a single row of the dataframe | 106 | 9 |
223,039 | def to_json ( df , columns , confidence = { } ) : records = [ ] display_cols = list ( columns . keys ( ) ) if not display_cols : display_cols = list ( df . columns ) bounds = { } for c in confidence : bounds [ c ] = { "min" : df [ confidence [ c ] [ "lower" ] ] . min ( ) , "max" : df [ confidence [ c ] [ "upper" ] ] . max ( ) , "lower" : confidence [ c ] [ "lower" ] , "upper" : confidence [ c ] [ "upper" ] } labels = { } for c in display_cols : if "label" in columns [ c ] : labels [ c ] = columns [ c ] [ "label" ] else : labels [ c ] = c for i , row in df . iterrows ( ) : row_ = DataTable . format_row ( row , bounds , columns ) records . append ( { labels [ c ] : row_ [ c ] for c in display_cols } ) return { "data" : records , "columns" : [ { "data" : labels [ c ] } for c in display_cols ] } | Transforms dataframe to properly formatted json response | 264 | 9 |
223,040 | def get ( self ) : options = { } for x in [ self . axes , self . graphics , self . layout ] : for k , v in list ( x . get ( ) . items ( ) ) : options [ k ] = v return options | Return axes graphics and layout options . | 53 | 7 |
223,041 | def set_margin ( self , top = 40 , bottom = 30 , left = 50 , right = 10 , buffer_size = 8 ) : self . set_integer ( "top" , top ) self . set_integer ( "bottom" , bottom ) self . set_integer ( "left" , left ) self . set_integer ( "right" , right ) self . set_integer ( "buffer" , buffer_size ) | Set margin of the chart . | 92 | 6 |
223,042 | def set_size ( self , height = 220 , width = 350 , height_threshold = 120 , width_threshold = 160 ) : self . set_integer ( "height" , height ) self . set_integer ( "width" , width ) self . set_integer ( "small_height_threshold" , height_threshold ) self . set_integer ( "small_width_threshold" , width_threshold ) | Set the size of the chart . | 94 | 7 |
223,043 | def get ( self ) : return { k : v for k , v in list ( self . options . items ( ) ) if k in self . _allowed_layout } | Get layout options . | 36 | 4 |
223,044 | def format_props ( props , prop_template = "{{k}} = { {{v}} }" , delim = "\n" ) : vars_ = [ ] props_ = [ ] for k , v in list ( props . items ( ) ) : vars_ . append ( Template ( "var {{k}} = {{v}};" ) . render ( k = k , v = json . dumps ( v ) ) ) props_ . append ( Template ( prop_template ) . render ( k = k , v = k ) ) return "\n" . join ( vars_ ) , delim . join ( props_ ) | Formats props for the React template . | 134 | 8 |
223,045 | def register_layouts ( layouts , app , url = "/api/props/" , brand = "Pyxley" ) : def props ( name ) : if name not in layouts : # cast as list for python3 name = list ( layouts . keys ( ) ) [ 0 ] return jsonify ( { "layouts" : layouts [ name ] [ "layout" ] } ) def apps ( ) : paths = [ ] for i , k in enumerate ( layouts . keys ( ) ) : if i == 0 : paths . append ( { "path" : "/" , "label" : layouts [ k ] . get ( "title" , k ) } ) paths . append ( { "path" : "/" + k , "label" : layouts [ k ] . get ( "title" , k ) } ) return jsonify ( { "brand" : brand , "navlinks" : paths } ) app . add_url_rule ( url + "<string:name>/" , view_func = props ) app . add_url_rule ( url , view_func = apps ) | register UILayout with the flask app | 232 | 9 |
223,046 | def register_route ( self , app ) : if "url" not in self . params [ "options" ] : raise Exception ( "Component does not have a URL property" ) if not hasattr ( self . route_func , "__call__" ) : raise Exception ( "No app route function supplied" ) app . add_url_rule ( self . params [ "options" ] [ "url" ] , self . params [ "options" ] [ "url" ] , self . route_func ) | Register the api route function with the app . | 109 | 9 |
223,047 | def render ( self , path ) : return ReactComponent ( self . layout , self . src_file , self . component_id , props = self . props , static_path = path ) | Render the component to a javascript file . | 40 | 8 |
223,048 | def add_filter ( self , component , filter_group = "pyxley-filter" ) : if getattr ( component , "name" ) != "Filter" : raise Exception ( "Component is not an instance of Filter" ) if filter_group not in self . filters : self . filters [ filter_group ] = [ ] self . filters [ filter_group ] . append ( component ) | Add a filter to the layout . | 84 | 7 |
223,049 | def add_chart ( self , component ) : if getattr ( component , "name" ) != "Chart" : raise Exception ( "Component is not an instance of Chart" ) self . charts . append ( component ) | Add a chart to the layout . | 46 | 7 |
223,050 | def build_props ( self ) : props = { } if self . filters : props [ "filters" ] = { } for grp in self . filters : props [ "filters" ] [ grp ] = [ f . params for f in self . filters [ grp ] ] if self . charts : props [ "charts" ] = [ c . params for c in self . charts ] props [ "type" ] = self . layout return props | Build the props dictionary . | 99 | 5 |
223,051 | def assign_routes ( self , app ) : for grp in self . filters : for f in self . filters [ grp ] : if f . route_func : f . register_route ( app ) for c in self . charts : if c . route_func : c . register_route ( app ) | Register routes with the app . | 68 | 6 |
223,052 | def render_layout ( self , app , path , alias = None ) : self . assign_routes ( app ) return ReactComponent ( self . layout , self . src_file , self . component_id , props = self . build_props ( ) , static_path = path , alias = alias ) | Write to javascript . | 67 | 4 |
223,053 | def default_static_path ( ) : fdir = os . path . dirname ( __file__ ) return os . path . abspath ( os . path . join ( fdir , '../assets/' ) ) | Return the path to the javascript bundle | 47 | 7 |
223,054 | def default_template_path ( ) : fdir = os . path . dirname ( __file__ ) return os . path . abspath ( os . path . join ( fdir , '../assets/' ) ) | Return the path to the index . html | 47 | 8 |
223,055 | def set_xlim ( self , xlim ) : if len ( xlim ) != 2 : raise ValueError ( "xlim must contain two elements" ) if xlim [ 1 ] < xlim [ 0 ] : raise ValueError ( "Min must be less than Max" ) self . options [ "min_x" ] = xlim [ 0 ] self . options [ "max_x" ] = xlim [ 1 ] | Set x - axis limits . | 92 | 6 |
223,056 | def set_ylim ( self , ylim ) : if len ( ylim ) != 2 : raise ValueError ( "ylim must contain two elements" ) if ylim [ 1 ] < ylim [ 0 ] : raise ValueError ( "Min must be less than Max" ) self . options [ "min_y" ] = ylim [ 0 ] self . options [ "max_y" ] = ylim [ 1 ] | Set y - axis limits . | 92 | 6 |
223,057 | def get ( self ) : return { k : v for k , v in list ( self . options . items ( ) ) if k in self . _allowed_axes } | Retrieve options set by user . | 37 | 7 |
223,058 | def line_plot ( df , xypairs , mode , layout = { } , config = _BASE_CONFIG ) : if df . empty : return { "x" : [ ] , "y" : [ ] , "mode" : mode } _data = [ ] for x , y in xypairs : if ( x in df . columns ) and ( y in df . columns ) : _data . append ( { "x" : df [ x ] . values . tolist ( ) , "y" : df [ y ] . values . tolist ( ) , "mode" : mode } ) return { "data" : _data , "layout" : layout , "config" : config } | basic line plot | 152 | 3 |
223,059 | def to_json ( df , values ) : records = [ ] if df . empty : return { "data" : [ ] } sum_ = float ( np . sum ( [ df [ c ] . iloc [ 0 ] for c in values ] ) ) for c in values : records . append ( { "label" : values [ c ] , "value" : "%.2f" % np . around ( df [ c ] . iloc [ 0 ] / sum_ , decimals = 2 ) } ) return { "data" : records } | Format output for the json response . | 118 | 7 |
223,060 | def to_json ( df , state_index , color_index , fills ) : records = { } for i , row in df . iterrows ( ) : records [ row [ state_index ] ] = { "fillKey" : row [ color_index ] } return { "data" : records , "fills" : fills } | Transforms dataframe to json response | 72 | 7 |
223,061 | def error_string ( mqtt_errno ) : if mqtt_errno == MQTT_ERR_SUCCESS : return "No error." elif mqtt_errno == MQTT_ERR_NOMEM : return "Out of memory." elif mqtt_errno == MQTT_ERR_PROTOCOL : return "A network protocol error occurred when communicating with the broker." elif mqtt_errno == MQTT_ERR_INVAL : return "Invalid function arguments provided." elif mqtt_errno == MQTT_ERR_NO_CONN : return "The client is not currently connected." elif mqtt_errno == MQTT_ERR_CONN_REFUSED : return "The connection was refused." elif mqtt_errno == MQTT_ERR_NOT_FOUND : return "Message not found (internal error)." elif mqtt_errno == MQTT_ERR_CONN_LOST : return "The connection was lost." elif mqtt_errno == MQTT_ERR_TLS : return "A TLS error occurred." elif mqtt_errno == MQTT_ERR_PAYLOAD_SIZE : return "Payload too large." elif mqtt_errno == MQTT_ERR_NOT_SUPPORTED : return "This feature is not supported." elif mqtt_errno == MQTT_ERR_AUTH : return "Authorisation failed." elif mqtt_errno == MQTT_ERR_ACL_DENIED : return "Access denied by ACL." elif mqtt_errno == MQTT_ERR_UNKNOWN : return "Unknown error." elif mqtt_errno == MQTT_ERR_ERRNO : return "Error defined by errno." else : return "Unknown error." | Return the error string associated with an mqtt error number . | 440 | 13 |
223,062 | def topic_matches_sub ( sub , topic ) : result = True multilevel_wildcard = False slen = len ( sub ) tlen = len ( topic ) if slen > 0 and tlen > 0 : if ( sub [ 0 ] == '$' and topic [ 0 ] != '$' ) or ( topic [ 0 ] == '$' and sub [ 0 ] != '$' ) : return False spos = 0 tpos = 0 while spos < slen and tpos < tlen : if sub [ spos ] == topic [ tpos ] : if tpos == tlen - 1 : # Check for e.g. foo matching foo/# if spos == slen - 3 and sub [ spos + 1 ] == '/' and sub [ spos + 2 ] == '#' : result = True multilevel_wildcard = True break spos += 1 tpos += 1 if tpos == tlen and spos == slen - 1 and sub [ spos ] == '+' : spos += 1 result = True break else : if sub [ spos ] == '+' : spos += 1 while tpos < tlen and topic [ tpos ] != '/' : tpos += 1 if tpos == tlen and spos == slen : result = True break elif sub [ spos ] == '#' : multilevel_wildcard = True if spos + 1 != slen : result = False break else : result = True break else : result = False break if not multilevel_wildcard and ( tpos < tlen or spos < slen ) : result = False return result | Check whether a topic matches a subscription . | 358 | 8 |
223,063 | def configIAMCredentials ( self , srcAWSAccessKeyID , srcAWSSecretAccessKey , srcAWSSessionToken ) : self . _AWSAccessKeyIDCustomConfig = srcAWSAccessKeyID self . _AWSSecretAccessKeyCustomConfig = srcAWSSecretAccessKey self . _AWSSessionTokenCustomConfig = srcAWSSessionToken | Make custom settings for IAM credentials for websocket connection srcAWSAccessKeyID - AWS IAM access key srcAWSSecretAccessKey - AWS IAM secret key srcAWSSessionToken - AWS Session Token | 83 | 45 |
223,064 | def loop ( self , timeout = 1.0 , max_packets = 1 ) : if timeout < 0.0 : raise ValueError ( 'Invalid timeout.' ) self . _current_out_packet_mutex . acquire ( ) self . _out_packet_mutex . acquire ( ) if self . _current_out_packet is None and len ( self . _out_packet ) > 0 : self . _current_out_packet = self . _out_packet . pop ( 0 ) if self . _current_out_packet : wlist = [ self . socket ( ) ] else : wlist = [ ] self . _out_packet_mutex . release ( ) self . _current_out_packet_mutex . release ( ) # sockpairR is used to break out of select() before the timeout, on a # call to publish() etc. rlist = [ self . socket ( ) , self . _sockpairR ] try : socklist = select . select ( rlist , wlist , [ ] , timeout ) except TypeError as e : # Socket isn't correct type, in likelihood connection is lost return MQTT_ERR_CONN_LOST except ValueError : # Can occur if we just reconnected but rlist/wlist contain a -1 for # some reason. return MQTT_ERR_CONN_LOST except : return MQTT_ERR_UNKNOWN if self . socket ( ) in socklist [ 0 ] : rc = self . loop_read ( max_packets ) if rc or ( self . _ssl is None and self . _sock is None ) : return rc if self . _sockpairR in socklist [ 0 ] : # Stimulate output write even though we didn't ask for it, because # at that point the publish or other command wasn't present. socklist [ 1 ] . insert ( 0 , self . socket ( ) ) # Clear sockpairR - only ever a single byte written. try : self . _sockpairR . recv ( 1 ) except socket . error as err : if err . errno != EAGAIN : raise if self . socket ( ) in socklist [ 1 ] : rc = self . loop_write ( max_packets ) if rc or ( self . _ssl is None and self . _sock is None ) : return rc return self . loop_misc ( ) | Process network events . | 526 | 4 |
223,065 | def publish ( self , topic , payload = None , qos = 0 , retain = False ) : if topic is None or len ( topic ) == 0 : raise ValueError ( 'Invalid topic.' ) if qos < 0 or qos > 2 : raise ValueError ( 'Invalid QoS level.' ) if isinstance ( payload , str ) or isinstance ( payload , bytearray ) : local_payload = payload elif sys . version_info [ 0 ] < 3 and isinstance ( payload , unicode ) : local_payload = payload elif isinstance ( payload , int ) or isinstance ( payload , float ) : local_payload = str ( payload ) elif payload is None : local_payload = None else : raise TypeError ( 'payload must be a string, bytearray, int, float or None.' ) if local_payload is not None and len ( local_payload ) > 268435455 : raise ValueError ( 'Payload too large.' ) if self . _topic_wildcard_len_check ( topic ) != MQTT_ERR_SUCCESS : raise ValueError ( 'Publish topic cannot contain wildcards.' ) local_mid = self . _mid_generate ( ) if qos == 0 : rc = self . _send_publish ( local_mid , topic , local_payload , qos , retain , False ) return ( rc , local_mid ) else : message = MQTTMessage ( ) message . timestamp = time . time ( ) message . mid = local_mid message . topic = topic if local_payload is None or len ( local_payload ) == 0 : message . payload = None else : message . payload = local_payload message . qos = qos message . retain = retain message . dup = False self . _out_message_mutex . acquire ( ) self . _out_messages . append ( message ) if self . _max_inflight_messages == 0 or self . _inflight_messages < self . _max_inflight_messages : self . _inflight_messages = self . _inflight_messages + 1 if qos == 1 : message . state = mqtt_ms_wait_for_puback elif qos == 2 : message . state = mqtt_ms_wait_for_pubrec self . _out_message_mutex . release ( ) rc = self . _send_publish ( message . mid , message . topic , message . payload , message . qos , message . retain , message . dup ) # remove from inflight messages so it will be send after a connection is made if rc is MQTT_ERR_NO_CONN : with self . _out_message_mutex : self . _inflight_messages -= 1 message . state = mqtt_ms_publish return ( rc , local_mid ) else : message . state = mqtt_ms_queued self . _out_message_mutex . release ( ) return ( MQTT_ERR_SUCCESS , local_mid ) | Publish a message on a topic . | 680 | 8 |
223,066 | def username_pw_set ( self , username , password = None ) : self . _username = username . encode ( 'utf-8' ) self . _password = password | Set a username and optionally a password for broker authentication . | 38 | 11 |
223,067 | def disconnect ( self ) : self . _state_mutex . acquire ( ) self . _state = mqtt_cs_disconnecting self . _state_mutex . release ( ) self . _backoffCore . stopStableConnectionTimer ( ) if self . _sock is None and self . _ssl is None : return MQTT_ERR_NO_CONN return self . _send_disconnect ( ) | Disconnect a connected client from the broker . | 94 | 9 |
223,068 | def subscribe ( self , topic , qos = 0 ) : topic_qos_list = None if isinstance ( topic , str ) : if qos < 0 or qos > 2 : raise ValueError ( 'Invalid QoS level.' ) if topic is None or len ( topic ) == 0 : raise ValueError ( 'Invalid topic.' ) topic_qos_list = [ ( topic . encode ( 'utf-8' ) , qos ) ] elif isinstance ( topic , tuple ) : if topic [ 1 ] < 0 or topic [ 1 ] > 2 : raise ValueError ( 'Invalid QoS level.' ) if topic [ 0 ] is None or len ( topic [ 0 ] ) == 0 or not isinstance ( topic [ 0 ] , str ) : raise ValueError ( 'Invalid topic.' ) topic_qos_list = [ ( topic [ 0 ] . encode ( 'utf-8' ) , topic [ 1 ] ) ] elif isinstance ( topic , list ) : topic_qos_list = [ ] for t in topic : if t [ 1 ] < 0 or t [ 1 ] > 2 : raise ValueError ( 'Invalid QoS level.' ) if t [ 0 ] is None or len ( t [ 0 ] ) == 0 or not isinstance ( t [ 0 ] , str ) : raise ValueError ( 'Invalid topic.' ) topic_qos_list . append ( ( t [ 0 ] . encode ( 'utf-8' ) , t [ 1 ] ) ) if topic_qos_list is None : raise ValueError ( "No topic specified, or incorrect topic type." ) if self . _sock is None and self . _ssl is None : return ( MQTT_ERR_NO_CONN , None ) return self . _send_subscribe ( False , topic_qos_list ) | Subscribe the client to one or more topics . | 395 | 9 |
223,069 | def unsubscribe ( self , topic ) : topic_list = None if topic is None : raise ValueError ( 'Invalid topic.' ) if isinstance ( topic , str ) : if len ( topic ) == 0 : raise ValueError ( 'Invalid topic.' ) topic_list = [ topic . encode ( 'utf-8' ) ] elif isinstance ( topic , list ) : topic_list = [ ] for t in topic : if len ( t ) == 0 or not isinstance ( t , str ) : raise ValueError ( 'Invalid topic.' ) topic_list . append ( t . encode ( 'utf-8' ) ) if topic_list is None : raise ValueError ( "No topic specified, or incorrect topic type." ) if self . _sock is None and self . _ssl is None : return ( MQTT_ERR_NO_CONN , None ) return self . _send_unsubscribe ( False , topic_list ) | Unsubscribe the client from one or more topics . | 204 | 11 |
223,070 | def will_set ( self , topic , payload = None , qos = 0 , retain = False ) : if topic is None or len ( topic ) == 0 : raise ValueError ( 'Invalid topic.' ) if qos < 0 or qos > 2 : raise ValueError ( 'Invalid QoS level.' ) if isinstance ( payload , str ) : self . _will_payload = payload . encode ( 'utf-8' ) elif isinstance ( payload , bytearray ) : self . _will_payload = payload elif isinstance ( payload , int ) or isinstance ( payload , float ) : self . _will_payload = str ( payload ) elif payload is None : self . _will_payload = None else : raise TypeError ( 'payload must be a string, bytearray, int, float or None.' ) self . _will = True self . _will_topic = topic . encode ( 'utf-8' ) self . _will_qos = qos self . _will_retain = retain | Set a Will to be sent by the broker in case the client disconnects unexpectedly . | 228 | 17 |
223,071 | def socket ( self ) : if self . _ssl : if self . _useSecuredWebsocket : return self . _ssl . getSSLSocket ( ) else : return self . _ssl else : return self . _sock | Return the socket or ssl object for this client . | 50 | 11 |
223,072 | def createproject ( ) : os . chdir ( build_dir ) if windows_build : command = 'cmake -A {} -DPYTHON_EXECUTABLE:FILEPATH="{}" ../..' . format ( "win32" if bitness == 32 else "x64" , sys . executable ) os . system ( command ) if bitness == 64 : for line in fileinput . input ( "_rhino3dm.vcxproj" , inplace = 1 ) : print ( line . replace ( "WIN32;" , "WIN64;" ) ) for line in fileinput . input ( "opennurbs_static.vcxproj" , inplace = 1 ) : print ( line . replace ( "WIN32;" , "WIN64;" ) ) #os.system("cmake --build . --config Release --target _rhino3dm") else : rv = os . system ( "cmake -DPYTHON_EXECUTABLE:FILEPATH={} ../.." . format ( sys . executable ) ) if int ( rv ) > 0 : sys . exit ( 1 ) | compile for the platform we are running on | 245 | 9 |
223,073 | def add_passthru ( self , prefix ) : if _has_unicode ( prefix ) : prefix = _clean_unicode ( prefix ) self . passthru_prefixes += ( prefix , ) | Register a URL prefix to passthru any non - matching mock requests to . | 45 | 16 |
223,074 | def _install ( archive_filename , install_args = ( ) ) : with archive_context ( archive_filename ) : # installing log . warn ( 'Installing Setuptools' ) if not _python_cmd ( 'setup.py' , 'install' , * install_args ) : log . warn ( 'Something went wrong during the installation.' ) log . warn ( 'See the error message above.' ) # exitcode will be 2 return 2 | Install Setuptools . | 96 | 5 |
223,075 | def _build_egg ( egg , archive_filename , to_dir ) : with archive_context ( archive_filename ) : # building an egg log . warn ( 'Building a Setuptools egg in %s' , to_dir ) _python_cmd ( 'setup.py' , '-q' , 'bdist_egg' , '--dist-dir' , to_dir ) # returning the result log . warn ( egg ) if not os . path . exists ( egg ) : raise IOError ( 'Could not build the egg.' ) | Build Setuptools egg . | 118 | 6 |
223,076 | def _do_download ( version , download_base , to_dir , download_delay ) : py_desig = 'py{sys.version_info[0]}.{sys.version_info[1]}' . format ( sys = sys ) tp = 'setuptools-{version}-{py_desig}.egg' egg = os . path . join ( to_dir , tp . format ( * * locals ( ) ) ) if not os . path . exists ( egg ) : archive = download_setuptools ( version , download_base , to_dir , download_delay ) _build_egg ( egg , archive , to_dir ) sys . path . insert ( 0 , egg ) # Remove previously-imported pkg_resources if present (see # https://bitbucket.org/pypa/setuptools/pull-request/7/ for details). if 'pkg_resources' in sys . modules : _unload_pkg_resources ( ) import setuptools setuptools . bootstrap_install_from = egg | Download Setuptools . | 231 | 5 |
223,077 | def use_setuptools ( version = DEFAULT_VERSION , download_base = DEFAULT_URL , to_dir = DEFAULT_SAVE_DIR , download_delay = 15 ) : to_dir = os . path . abspath ( to_dir ) # prior to importing, capture the module state for # representative modules. rep_modules = 'pkg_resources' , 'setuptools' imported = set ( sys . modules ) . intersection ( rep_modules ) try : import pkg_resources pkg_resources . require ( "setuptools>=" + version ) # a suitable version is already installed return except ImportError : # pkg_resources not available; setuptools is not installed; download pass except pkg_resources . DistributionNotFound : # no version of setuptools was found; allow download pass except pkg_resources . VersionConflict as VC_err : if imported : _conflict_bail ( VC_err , version ) # otherwise, unload pkg_resources to allow the downloaded version to # take precedence. del pkg_resources _unload_pkg_resources ( ) return _do_download ( version , download_base , to_dir , download_delay ) | Ensure that a setuptools version is installed . | 259 | 11 |
223,078 | def _conflict_bail ( VC_err , version ) : conflict_tmpl = textwrap . dedent ( """ The required version of setuptools (>={version}) is not available, and can't be installed while this script is running. Please install a more recent version first, using 'easy_install -U setuptools'. (Currently using {VC_err.args[0]!r}) """ ) msg = conflict_tmpl . format ( * * locals ( ) ) sys . stderr . write ( msg ) sys . exit ( 2 ) | Setuptools was imported prior to invocation so it is unsafe to unload it . Bail out . | 120 | 21 |
223,079 | def download_file_insecure ( url , target ) : src = urlopen ( url ) try : # Read all the data in one block. data = src . read ( ) finally : src . close ( ) # Write all the data in one block to avoid creating a partial file. with open ( target , "wb" ) as dst : dst . write ( data ) | Use Python to download the file without connection authentication . | 78 | 10 |
223,080 | def _download_args ( options ) : return dict ( version = options . version , download_base = options . download_base , downloader_factory = options . downloader_factory , to_dir = options . to_dir , ) | Return args for download_setuptools function from cmdline args . | 53 | 14 |
223,081 | def main ( ) : options = _parse_args ( ) archive = download_setuptools ( * * _download_args ( options ) ) return _install ( archive , _build_install_args ( options ) ) | Install or upgrade setuptools and EasyInstall . | 47 | 10 |
223,082 | def registerContract ( self , contract ) : if contract . m_exchange == "" : return """ if contract not in self.contracts.values(): contract_tuple = self.contract_to_tuple(contract) self.createContract(contract_tuple) if self.tickerId(contract) not in self.contracts.keys(): contract_tuple = self.contract_to_tuple(contract) self.createContract(contract_tuple) """ if self . getConId ( contract ) == 0 : contract_tuple = self . contract_to_tuple ( contract ) self . createContract ( contract_tuple ) | used for when callback receives a contract that isn t found in local database | 141 | 14 |
223,083 | def handleErrorEvents ( self , msg ) : # https://www.interactivebrokers.com/en/software/api/apiguide/tables/api_message_codes.htm if msg . errorCode is not None and msg . errorCode != - 1 and msg . errorCode not in dataTypes [ "BENIGN_ERROR_CODES" ] : log = True # log disconnect errors only once if msg . errorCode in dataTypes [ "DISCONNECT_ERROR_CODES" ] : log = False if msg . errorCode not in self . connection_tracking [ "errors" ] : self . connection_tracking [ "errors" ] . append ( msg . errorCode ) log = True if log : self . log . error ( "[#%s] %s" % ( msg . errorCode , msg . errorMsg ) ) self . ibCallback ( caller = "handleError" , msg = msg ) | logs error messages | 201 | 4 |
223,084 | def handleServerEvents ( self , msg ) : self . log . debug ( 'MSG %s' , msg ) self . handleConnectionState ( msg ) if msg . typeName == "error" : self . handleErrorEvents ( msg ) elif msg . typeName == dataTypes [ "MSG_CURRENT_TIME" ] : if self . time < msg . time : self . time = msg . time elif ( msg . typeName == dataTypes [ "MSG_TYPE_MKT_DEPTH" ] or msg . typeName == dataTypes [ "MSG_TYPE_MKT_DEPTH_L2" ] ) : self . handleMarketDepth ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_TICK_STRING" ] : self . handleTickString ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_TICK_PRICE" ] : self . handleTickPrice ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_TICK_GENERIC" ] : self . handleTickGeneric ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_TICK_SIZE" ] : self . handleTickSize ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_TICK_OPTION" ] : self . handleTickOptionComputation ( msg ) elif ( msg . typeName == dataTypes [ "MSG_TYPE_OPEN_ORDER" ] or msg . typeName == dataTypes [ "MSG_TYPE_OPEN_ORDER_END" ] or msg . typeName == dataTypes [ "MSG_TYPE_ORDER_STATUS" ] ) : self . handleOrders ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_HISTORICAL_DATA" ] : self . handleHistoricalData ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_ACCOUNT_UPDATES" ] : self . handleAccount ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_PORTFOLIO_UPDATES" ] : self . handlePortfolio ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_POSITION" ] : self . handlePosition ( msg ) elif msg . typeName == dataTypes [ "MSG_TYPE_NEXT_ORDER_ID" ] : self . handleNextValidId ( msg . orderId ) elif msg . typeName == dataTypes [ "MSG_CONNECTION_CLOSED" ] : self . handleConnectionClosed ( msg ) # elif msg.typeName == dataTypes["MSG_TYPE_MANAGED_ACCOUNTS"]: # self.accountCode = msg.accountsList elif msg . typeName == dataTypes [ "MSG_COMMISSION_REPORT" ] : self . commission = msg . commissionReport . m_commission elif msg . typeName == dataTypes [ "MSG_CONTRACT_DETAILS" ] : self . handleContractDetails ( msg , end = False ) elif msg . typeName == dataTypes [ "MSG_CONTRACT_DETAILS_END" ] : self . handleContractDetails ( msg , end = True ) elif msg . typeName == dataTypes [ "MSG_TICK_SNAPSHOT_END" ] : self . ibCallback ( caller = "handleTickSnapshotEnd" , msg = msg ) else : # log handler msg self . log_msg ( "server" , msg ) | dispatch msg to the right handler | 804 | 7 |
223,085 | def handleContractDetails ( self , msg , end = False ) : if end : # mark as downloaded self . _contract_details [ msg . reqId ] [ 'downloaded' ] = True # move details from temp to permanent collector self . contract_details [ msg . reqId ] = self . _contract_details [ msg . reqId ] del self . _contract_details [ msg . reqId ] # adjust fields if multi contract if len ( self . contract_details [ msg . reqId ] [ "contracts" ] ) > 1 : self . contract_details [ msg . reqId ] [ "m_contractMonth" ] = "" # m_summary should hold closest expiration expirations = self . getExpirations ( self . contracts [ msg . reqId ] , expired = 0 ) contract = self . contract_details [ msg . reqId ] [ "contracts" ] [ - len ( expirations ) ] self . contract_details [ msg . reqId ] [ "m_summary" ] = vars ( contract ) else : self . contract_details [ msg . reqId ] [ "m_summary" ] = vars ( self . contract_details [ msg . reqId ] [ "contracts" ] [ 0 ] ) # update local db with correct contractString for tid in self . contract_details : oldString = self . tickerIds [ tid ] newString = self . contractString ( self . contract_details [ tid ] [ "contracts" ] [ 0 ] ) if len ( self . contract_details [ msg . reqId ] [ "contracts" ] ) > 1 : self . tickerIds [ tid ] = newString if newString != oldString : if oldString in self . _portfolios : self . _portfolios [ newString ] = self . _portfolios [ oldString ] if oldString in self . _positions : self . _positions [ newString ] = self . _positions [ oldString ] # fire callback self . ibCallback ( caller = "handleContractDetailsEnd" , msg = msg ) # exit return # continue... # collect data on all contract details # (including those with multiple expiry/strike/sides) details = vars ( msg . contractDetails ) contract = details [ "m_summary" ] if msg . reqId in self . _contract_details : details [ 'contracts' ] = self . _contract_details [ msg . reqId ] [ "contracts" ] else : details [ 'contracts' ] = [ ] details [ 'contracts' ] . append ( contract ) details [ 'downloaded' ] = False self . _contract_details [ msg . reqId ] = details # add details to local symbol list if contract . m_localSymbol not in self . localSymbolExpiry : self . localSymbolExpiry [ contract . m_localSymbol ] = details [ "m_contractMonth" ] # add contract's multiple expiry/strike/sides to class collectors contractString = self . contractString ( contract ) tickerId = self . tickerId ( contractString ) self . contracts [ tickerId ] = contract # continue if this is a "multi" contract if tickerId == msg . reqId : self . _contract_details [ msg . reqId ] [ "m_summary" ] = vars ( contract ) else : # print("+++", tickerId, contractString) self . contract_details [ tickerId ] = details . copy ( ) self . contract_details [ tickerId ] [ "m_summary" ] = vars ( contract ) self . contract_details [ tickerId ] [ "contracts" ] = [ contract ] # fire callback self . ibCallback ( caller = "handleContractDetails" , msg = msg ) | handles contractDetails and contractDetailsEnd | 816 | 8 |
223,086 | def handlePosition ( self , msg ) : # log handler msg self . log_msg ( "position" , msg ) # contract identifier contract_tuple = self . contract_to_tuple ( msg . contract ) contractString = self . contractString ( contract_tuple ) # try creating the contract self . registerContract ( msg . contract ) # new account? if msg . account not in self . _positions . keys ( ) : self . _positions [ msg . account ] = { } # if msg.pos != 0 or contractString in self.contracts.keys(): self . _positions [ msg . account ] [ contractString ] = { "symbol" : contractString , "position" : int ( msg . pos ) , "avgCost" : float ( msg . avgCost ) , "account" : msg . account } # fire callback self . ibCallback ( caller = "handlePosition" , msg = msg ) | handle positions changes | 200 | 3 |
223,087 | def handlePortfolio ( self , msg ) : # log handler msg self . log_msg ( "portfolio" , msg ) # contract identifier contract_tuple = self . contract_to_tuple ( msg . contract ) contractString = self . contractString ( contract_tuple ) # try creating the contract self . registerContract ( msg . contract ) # new account? if msg . accountName not in self . _portfolios . keys ( ) : self . _portfolios [ msg . accountName ] = { } self . _portfolios [ msg . accountName ] [ contractString ] = { "symbol" : contractString , "position" : int ( msg . position ) , "marketPrice" : float ( msg . marketPrice ) , "marketValue" : float ( msg . marketValue ) , "averageCost" : float ( msg . averageCost ) , "unrealizedPNL" : float ( msg . unrealizedPNL ) , "realizedPNL" : float ( msg . realizedPNL ) , "totalPNL" : float ( msg . realizedPNL ) + float ( msg . unrealizedPNL ) , "account" : msg . accountName } # fire callback self . ibCallback ( caller = "handlePortfolio" , msg = msg ) | handle portfolio updates | 273 | 3 |
223,088 | def handleOrders ( self , msg ) : """ It is possible that orderStatus() may return duplicate messages. It is essential that you filter the message accordingly. """ # log handler msg self . log_msg ( "order" , msg ) # get server time self . getServerTime ( ) time . sleep ( 0.001 ) # we need to handle mutiple events for the same order status duplicateMessage = False # open order if msg . typeName == dataTypes [ "MSG_TYPE_OPEN_ORDER" ] : # contract identifier contractString = self . contractString ( msg . contract ) order_account = "" if msg . orderId in self . orders and self . orders [ msg . orderId ] [ "status" ] == "SENT" : order_account = self . orders [ msg . orderId ] [ "account" ] try : del self . orders [ msg . orderId ] except Exception : pass if msg . orderId in self . orders : duplicateMessage = True else : self . orders [ msg . orderId ] = { "id" : msg . orderId , "symbol" : contractString , "contract" : msg . contract , "order" : msg . order , "status" : "OPENED" , "reason" : None , "avgFillPrice" : 0. , "parentId" : 0 , "time" : datetime . fromtimestamp ( int ( self . time ) ) , "account" : order_account } self . _assgin_order_to_account ( self . orders [ msg . orderId ] ) # order status elif msg . typeName == dataTypes [ "MSG_TYPE_ORDER_STATUS" ] : if msg . orderId in self . orders and self . orders [ msg . orderId ] [ 'status' ] == msg . status . upper ( ) : duplicateMessage = True else : # remove cancelled orphan orders # if "CANCELLED" in msg.status.upper() and msg.parentId not in self.orders.keys(): # try: del self.orders[msg.orderId] # except Exception: pass # # otherwise, update order status # else: self . orders [ msg . orderId ] [ 'status' ] = msg . status . upper ( ) self . orders [ msg . orderId ] [ 'reason' ] = msg . whyHeld self . orders [ msg . orderId ] [ 'avgFillPrice' ] = float ( msg . avgFillPrice ) self . orders [ msg . orderId ] [ 'parentId' ] = int ( msg . parentId ) self . orders [ msg . orderId ] [ 'time' ] = datetime . fromtimestamp ( int ( self . time ) ) # remove from orders? # if msg.status.upper() == 'CANCELLED': # del self.orders[msg.orderId] # fire callback if duplicateMessage is False : # group orders by symbol self . symbol_orders = self . group_orders ( "symbol" ) self . ibCallback ( caller = "handleOrders" , msg = msg ) | handle order open & status | 664 | 5 |
223,089 | def createTriggerableTrailingStop ( self , symbol , quantity = 1 , triggerPrice = 0 , trailPercent = 100. , trailAmount = 0. , parentId = 0 , stopOrderId = None , * * kwargs ) : ticksize = self . contractDetails ( symbol ) [ "m_minTick" ] self . triggerableTrailingStops [ symbol ] = { "parentId" : parentId , "stopOrderId" : stopOrderId , "triggerPrice" : triggerPrice , "trailAmount" : abs ( trailAmount ) , "trailPercent" : abs ( trailPercent ) , "quantity" : quantity , "ticksize" : ticksize } return self . triggerableTrailingStops [ symbol ] | adds order to triggerable list | 161 | 7 |
223,090 | def registerTrailingStop ( self , tickerId , orderId = 0 , quantity = 1 , lastPrice = 0 , trailPercent = 100. , trailAmount = 0. , parentId = 0 , * * kwargs ) : ticksize = self . contractDetails ( tickerId ) [ "m_minTick" ] trailingStop = self . trailingStops [ tickerId ] = { "orderId" : orderId , "parentId" : parentId , "lastPrice" : lastPrice , "trailAmount" : trailAmount , "trailPercent" : trailPercent , "quantity" : quantity , "ticksize" : ticksize } return trailingStop | adds trailing stop to monitor list | 147 | 7 |
223,091 | def modifyStopOrder ( self , orderId , parentId , newStop , quantity , transmit = True , account = None ) : if orderId in self . orders . keys ( ) : order = self . createStopOrder ( quantity = quantity , parentId = parentId , stop = newStop , trail = False , transmit = transmit , account = account ) return self . placeOrder ( self . orders [ orderId ] [ 'contract' ] , order , orderId ) return None | modify stop order | 100 | 4 |
223,092 | def handleTrailingStops ( self , tickerId ) : # existing? if tickerId not in self . trailingStops . keys ( ) : return None # continue trailingStop = self . trailingStops [ tickerId ] price = self . marketData [ tickerId ] [ 'last' ] [ 0 ] symbol = self . tickerSymbol ( tickerId ) # contract = self.contracts[tickerId] # contractString = self.contractString(contract) # filled / no positions? if ( self . _positions [ symbol ] == 0 ) | ( self . orders [ trailingStop [ 'orderId' ] ] [ 'status' ] == "FILLED" ) : del self . trailingStops [ tickerId ] return None # continue... newStop = trailingStop [ 'lastPrice' ] ticksize = trailingStop [ 'ticksize' ] # long if ( trailingStop [ 'quantity' ] < 0 ) & ( trailingStop [ 'lastPrice' ] < price ) : if abs ( trailingStop [ 'trailAmount' ] ) >= 0 : newStop = price - abs ( trailingStop [ 'trailAmount' ] ) elif trailingStop [ 'trailPercent' ] >= 0 : newStop = price - ( price * ( abs ( trailingStop [ 'trailPercent' ] ) / 100 ) ) # short elif ( trailingStop [ 'quantity' ] > 0 ) & ( trailingStop [ 'lastPrice' ] > price ) : if abs ( trailingStop [ 'trailAmount' ] ) >= 0 : newStop = price + abs ( trailingStop [ 'trailAmount' ] ) elif trailingStop [ 'trailPercent' ] >= 0 : newStop = price + ( price * ( abs ( trailingStop [ 'trailPercent' ] ) / 100 ) ) # valid newStop newStop = self . roundClosestValid ( newStop , ticksize ) # print("\n\n", trailingStop['lastPrice'], newStop, price, "\n\n") # no change? if newStop == trailingStop [ 'lastPrice' ] : return None # submit order trailingStopOrderId = self . modifyStopOrder ( orderId = trailingStop [ 'orderId' ] , parentId = trailingStop [ 'parentId' ] , newStop = newStop , quantity = trailingStop [ 'quantity' ] ) if trailingStopOrderId : self . trailingStops [ tickerId ] [ 'lastPrice' ] = price return trailingStopOrderId | software - based trailing stop | 543 | 5 |
223,093 | def triggerTrailingStops ( self , tickerId ) : # print('.') # test symbol = self . tickerSymbol ( tickerId ) price = self . marketData [ tickerId ] [ 'last' ] [ 0 ] # contract = self.contracts[tickerId] if symbol in self . triggerableTrailingStops . keys ( ) : pendingOrder = self . triggerableTrailingStops [ symbol ] parentId = pendingOrder [ "parentId" ] stopOrderId = pendingOrder [ "stopOrderId" ] triggerPrice = pendingOrder [ "triggerPrice" ] trailAmount = pendingOrder [ "trailAmount" ] trailPercent = pendingOrder [ "trailPercent" ] quantity = pendingOrder [ "quantity" ] ticksize = pendingOrder [ "ticksize" ] # print(">>>>>>>", pendingOrder) # print(">>>>>>>", parentId) # print(">>>>>>>", self.orders) # abort if parentId not in self . orders . keys ( ) : # print("DELETING") del self . triggerableTrailingStops [ symbol ] return None else : if self . orders [ parentId ] [ "status" ] != "FILLED" : return None # print("\n\n", quantity, triggerPrice, price, "\n\n") # create the order if ( ( quantity > 0 ) & ( triggerPrice >= price ) ) | ( ( quantity < 0 ) & ( triggerPrice <= price ) ) : newStop = price if trailAmount > 0 : if quantity > 0 : newStop += trailAmount else : newStop -= trailAmount elif trailPercent > 0 : if quantity > 0 : newStop += price * ( trailPercent / 100 ) else : newStop -= price * ( trailPercent / 100 ) else : del self . triggerableTrailingStops [ symbol ] return 0 # print("------", stopOrderId , parentId, newStop , quantity, "------") # use valid newStop newStop = self . roundClosestValid ( newStop , ticksize ) trailingStopOrderId = self . modifyStopOrder ( orderId = stopOrderId , parentId = parentId , newStop = newStop , quantity = quantity ) if trailingStopOrderId : # print(">>> TRAILING STOP") del self . triggerableTrailingStops [ symbol ] # register trailing stop tickerId = self . tickerId ( symbol ) self . registerTrailingStop ( tickerId = tickerId , parentId = parentId , orderId = stopOrderId , lastPrice = price , trailAmount = trailAmount , trailPercent = trailPercent , quantity = quantity , ticksize = ticksize ) return trailingStopOrderId return None | trigger waiting trailing stops | 579 | 4 |
223,094 | def tickerId ( self , contract_identifier ) : # contract passed instead of symbol? symbol = contract_identifier if isinstance ( symbol , Contract ) : symbol = self . contractString ( symbol ) for tickerId in self . tickerIds : if symbol == self . tickerIds [ tickerId ] : return tickerId else : tickerId = len ( self . tickerIds ) self . tickerIds [ tickerId ] = symbol return tickerId | returns the tickerId for the symbol or sets one if it doesn t exits | 107 | 17 |
223,095 | def createTargetOrder ( self , quantity , parentId = 0 , target = 0. , orderType = None , transmit = True , group = None , tif = "DAY" , rth = False , account = None ) : order = self . createOrder ( quantity , price = target , transmit = transmit , orderType = dataTypes [ "ORDER_TYPE_LIMIT" ] if orderType == None else orderType , ocaGroup = group , parentId = parentId , rth = rth , tif = tif , account = account ) return order | Creates TARGET order | 122 | 5 |
223,096 | def createStopOrder ( self , quantity , parentId = 0 , stop = 0. , trail = None , transmit = True , group = None , stop_limit = False , rth = False , tif = "DAY" , account = None ) : if trail : if trail == "percent" : order = self . createOrder ( quantity , trailingPercent = stop , transmit = transmit , orderType = dataTypes [ "ORDER_TYPE_TRAIL_STOP" ] , ocaGroup = group , parentId = parentId , rth = rth , tif = tif , account = account ) else : order = self . createOrder ( quantity , trailStopPrice = stop , stop = stop , transmit = transmit , orderType = dataTypes [ "ORDER_TYPE_TRAIL_STOP" ] , ocaGroup = group , parentId = parentId , rth = rth , tif = tif , account = account ) else : order = self . createOrder ( quantity , stop = stop , price = stop if stop_limit else 0. , transmit = transmit , orderType = dataTypes [ "ORDER_TYPE_STOP_LIMIT" ] if stop_limit else dataTypes [ "ORDER_TYPE_STOP" ] , ocaGroup = group , parentId = parentId , rth = rth , tif = tif , account = account ) return order | Creates STOP order | 304 | 4 |
223,097 | def createTrailingStopOrder ( self , contract , quantity , parentId = 0 , trailPercent = 100. , group = None , triggerPrice = None , account = None ) : if parentId not in self . orders : raise ValueError ( "Order #" + str ( parentId ) + " doesn't exist or wasn't submitted" ) order = self . createStopOrder ( quantity , stop = trailPercent , transmit = True , trail = True , # ocaGroup = group parentId = parentId , account = account ) self . requestOrderIds ( ) return self . placeOrder ( contract , order , self . orderId + 1 ) | convert hard stop order to trailing stop order | 136 | 9 |
223,098 | def placeOrder ( self , contract , order , orderId = None , account = None ) : # get latest order id before submitting an order self . requestOrderIds ( ) # continue... useOrderId = self . orderId if orderId == None else orderId if account : order . m_account = account self . ibConn . placeOrder ( useOrderId , contract , order ) account_key = order . m_account self . orders [ useOrderId ] = { "id" : useOrderId , "symbol" : self . contractString ( contract ) , "contract" : contract , "status" : "SENT" , "reason" : None , "avgFillPrice" : 0. , "parentId" : 0 , "time" : datetime . fromtimestamp ( int ( self . time ) ) , "account" : None } if hasattr ( order , "m_account" ) : self . orders [ useOrderId ] [ "account" ] = order . m_account # return order id return useOrderId | Place order on IB TWS | 225 | 6 |
223,099 | def cancelOrder ( self , orderId ) : self . ibConn . cancelOrder ( orderId ) # update order id for next time self . requestOrderIds ( ) return orderId | cancel order on IB TWS | 39 | 7 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.