_id stringlengths 2 7 | title stringlengths 1 88 | partition stringclasses 3
values | text stringlengths 31 13.1k | language stringclasses 1
value | meta_information dict |
|---|---|---|---|---|---|
q259900 | NodeBot.relmoveto | validation | def relmoveto(self, x, y):
'''Move relatively to the last point.'''
if self._path is | python | {
"resource": ""
} |
q259901 | NodeBot.rellineto | validation | def rellineto(self, x, y):
'''Draw a line using relative coordinates.'''
if self._path is None:
raise ShoebotError(_("No current | python | {
"resource": ""
} |
q259902 | NodeBot.relcurveto | validation | def relcurveto(self, h1x, h1y, h2x, h2y, x, y):
'''Draws a curve relatively to the last point.
'''
if self._path is None:
| python | {
"resource": ""
} |
q259903 | NodeBot.transform | validation | def transform(self, mode=None):
'''
Set the current transform mode.
:param mode: CENTER or CORNER'''
| python | {
"resource": ""
} |
q259904 | NodeBot.scale | validation | def scale(self, x=1, y=None):
'''
Set a scale at which to draw objects.
1.0 draws objects at their natural size
:param x: Scale on the horizontal plane
| python | {
"resource": ""
} |
q259905 | NodeBot.nostroke | validation | def nostroke(self):
''' Stop applying strokes to new paths.
:return: stroke color before nostroke was called.
'''
| python | {
"resource": ""
} |
q259906 | NodeBot.strokewidth | validation | def strokewidth(self, w=None):
'''Set the stroke width.
:param w: Stroke width.
:return: If no width was specified | python | {
"resource": ""
} |
q259907 | NodeBot.font | validation | def font(self, fontpath=None, fontsize=None):
'''Set the font to be used with new text instances.
:param fontpath: path to truetype or opentype font.
:param fontsize: size of font
:return: current current fontpath (if fontpath param not set)
Accepts TrueType and OpenType files. Depends on FreeType being
installed.'''
| python | {
"resource": ""
} |
q259908 | NodeBot.fontsize | validation | def fontsize(self, fontsize=None):
'''
Set or return size of current font.
:param fontsize: Size of font.
| python | {
"resource": ""
} |
q259909 | NodeBot.text | validation | def text(self, txt, x, y, width=None, height=1000000, outline=False, draw=True, **kwargs):
'''
Draws a string of text according to current font settings.
:param txt: Text to output
:param x: x-coordinate of the top left corner
:param y: y-coordinate of the top left corner
:param width: text width
| python | {
"resource": ""
} |
q259910 | NodeBot.textheight | validation | def textheight(self, txt, width=None):
'''Returns the height of a string of text according to the current
font settings.
:param txt: string to measure
| python | {
"resource": ""
} |
q259911 | graph_background | validation | def graph_background(s):
""" Graph background color.
"""
if s.background == None:
s._ctx.background(None)
else:
s._ctx.background(s.background)
if s.depth:
try:
clr = colors.color(s.background).darker(0.2)
p = s._ctx.rect(0, 0, s._ctx.WIDTH, s._ctx.HEIGHT, draw=False)
| python | {
"resource": ""
} |
q259912 | node | validation | def node(s, node, alpha=1.0):
""" Visualization of a default node.
"""
if s.depth:
try: colors.shadow(dx=5, dy=5, blur=10, alpha=0.5*alpha)
except: pass
s._ctx.nofill()
s._ctx.nostroke()
if s.fill:
s._ctx.fill(
s.fill.r,
s.fill.g,
s.fill.b,
s.fill.a * alpha
)
if s.stroke: | python | {
"resource": ""
} |
q259913 | node_label | validation | def node_label(s, node, alpha=1.0):
""" Visualization of a node's id.
"""
if s.text:
#s._ctx.lineheight(1)
s._ctx.font(s.font)
s._ctx.fontsize(s.fontsize)
s._ctx.nostroke()
s._ctx.fill(
s.text.r,
s.text.g,
s.text.b,
s.text.a * alpha
)
# Cache an outlined label text and translate it.
# This enhances the speed and avoids wiggling text.
try: p = node._textpath
except:
txt = node.label
try: txt = unicode(txt)
except:
try: txt = txt.decode("utf-8")
except:
pass
# Abbreviation.
#root = node.graph.root
#if txt != root and txt[-len(root):] == root:
# txt = txt[:len(txt)-len(root)]+root[0]+"."
| python | {
"resource": ""
} |
q259914 | edges | validation | def edges(s, edges, alpha=1.0, weighted=False, directed=False):
""" Visualization of the edges in a network.
"""
p = s._ctx.BezierPath()
if directed and s.stroke:
pd = s._ctx.BezierPath()
if weighted and s.fill:
pw = [s._ctx.BezierPath() for i in range(11)]
# Draw the edges in a single BezierPath for speed.
# Weighted edges are divided into ten BezierPaths,
# depending on their weight rounded between 0 and 10.
if len(edges) == 0: return
for e in edges:
try: s2 = e.node1.graph.styles[e.node1.style]
except: s2 = s
if s2.edge:
s2.edge(s2, p, e, alpha)
if directed and s.stroke:
s2.edge_arrow(s2, pd, e, radius=10)
if weighted and s.fill:
s2.edge(s2, pw[int(e.weight*10)], e, alpha)
s._ctx.autoclosepath(False)
s._ctx.nofill()
s._ctx.nostroke()
# All weighted edges use the default fill.
if weighted and s.fill:
r = e.node1.__class__(None).r
s._ctx.stroke(
s.fill.r,
s.fill.g,
s.fill.b,
s.fill.a * 0.65 * alpha
) | python | {
"resource": ""
} |
q259915 | edge | validation | def edge(s, path, edge, alpha=1.0):
""" Visualization of a single edge between two nodes.
"""
path.moveto(edge.node1.x, edge.node1.y)
if edge.node2.style == BACK:
| python | {
"resource": ""
} |
q259916 | edge_label | validation | def edge_label(s, edge, alpha=1.0):
""" Visualization of the label accompanying an edge.
"""
if s.text and edge.label != "":
s._ctx.nostroke()
s._ctx.fill(
s.text.r,
s.text.g,
s.text.b,
s.text.a * alpha*0.75
)
s._ctx.lineheight(1)
s._ctx.font(s.font)
s._ctx.fontsize(s.fontsize*0.75)
# Cache an outlined label text and translate it.
# This enhances the speed and avoids wiggling text.
try: p = edge._textpath
except:
try: txt = unicode(edge.label)
except:
try: txt = edge.label.decode("utf-8")
except:
pass
edge._textpath = s._ctx.textpath(txt, s._ctx.textwidth(" "), 0, width=s.textwidth)
p = edge._textpath
# Position the label centrally along the edge line.
a = degrees( atan2(edge.node2.y-edge.node1.y, edge.node2.x-edge.node1.x) )
d = sqrt((edge.node2.x-edge.node1.x)**2 +(edge.node2.y-edge.node1.y)**2)
d = abs(d-s._ctx.textwidth(edge.label)) * 0.5
| python | {
"resource": ""
} |
q259917 | path | validation | def path(s, graph, path):
""" Visualization of a shortest path between two nodes.
"""
def end(n):
r = n.r * 0.35
s._ctx.oval(n.x-r, n.y-r, r*2, r*2)
if path and len(path) > 1 and s.stroke:
s._ctx.nofill()
s._ctx.stroke(
s.stroke.r,
s.stroke.g,
s.stroke.b,
s.stroke.a
)
if s.name != DEFAULT:
s._ctx.strokewidth(s.strokewidth)
else:
| python | {
"resource": ""
} |
q259918 | styles.create | validation | def create(self, stylename, **kwargs):
""" Creates a new style which inherits from the default style,
or any other style which name is supplied to the optional template parameter.
"""
if stylename == "default":
self[stylename] = style(stylename, self._ctx, **kwargs)
return self[stylename]
| python | {
"resource": ""
} |
q259919 | styles.copy | validation | def copy(self, graph):
""" Returns a copy of all styles and a copy of the styleguide.
"""
s = styles(graph)
| python | {
"resource": ""
} |
q259920 | styleguide.apply | validation | def apply(self):
""" Check the rules for each node in the graph and apply the style.
"""
sorted = self.order + self.keys()
unique = []; [unique.append(x) for x in sorted if x not in unique]
for node in self.graph.nodes:
| python | {
"resource": ""
} |
q259921 | styleguide.copy | validation | def copy(self, graph):
""" Returns a copy of the styleguide for the given graph.
"""
| python | {
"resource": ""
} |
q259922 | Tracking.open_socket | validation | def open_socket(self):
"""
Opens the socket and binds to the given host and port. Uses
SO_REUSEADDR to be as robust as possible.
"""
self.socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
| python | {
"resource": ""
} |
q259923 | Tracking.load_profiles | validation | def load_profiles(self):
"""
Loads all possible TUIO profiles and returns a dictionary with the
profile addresses as keys and an instance of a profile as the value
"""
_profiles = {}
for name, klass in inspect.getmembers(profiles):
if inspect.isclass(klass) and name.endswith('Profile') and name != 'TuioProfile':
# Adding profile to the self.profiles dictionary
profile = klass()
_profiles[profile.address] = profile
| python | {
"resource": ""
} |
q259924 | Tracking.update | validation | def update(self):
"""
Tells the connection manager to receive the next 1024 byte of messages
to analyze.
"""
try:
| python | {
"resource": ""
} |
q259925 | Tracking.callback | validation | def callback(self, *incoming):
"""
Gets called by the CallbackManager if a new message was received
"""
message = incoming[0]
if message:
address, command = message[0], message[2]
profile = self.get_profile(address)
| python | {
"resource": ""
} |
q259926 | copytree | validation | def copytree(src, dst, symlinks=False, ignore=None):
"""
copytree that works even if folder already exists
"""
# http://stackoverflow.com/questions/1868714/how-do-i-copy-an-entire-directory-of-files-into-an-existing-directory-using-pyth
if not os.path.exists(dst):
os.makedirs(dst)
shutil.copystat(src, dst)
lst = os.listdir(src)
if ignore:
excl = ignore(src, lst)
lst = [x for x in lst if x not in excl]
for item in lst:
s = os.path.join(src, item)
d = os.path.join(dst, item)
if symlinks and os.path.islink(s):
| python | {
"resource": ""
} |
q259927 | dumps | validation | def dumps(obj, skipkeys=False, ensure_ascii=True, check_circular=True,
allow_nan=True, cls=None, indent=None, separators=None,
encoding='utf-8', default=None, **kw):
"""
Serialize ``obj`` to a JSON formatted ``str``.
If ``skipkeys`` is ``True`` then ``dict`` keys that are not basic types
(``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)
will be skipped instead of raising a ``TypeError``.
If ``ensure_ascii`` is ``False``, then the return value will be a
``unicode`` instance subject to normal Python ``str`` to ``unicode``
coercion rules instead of being escaped to an ASCII ``str``.
If ``check_circular`` is ``False``, then the circular reference check
for container types will be skipped and a circular reference will
result in an ``OverflowError`` (or worse).
If ``allow_nan`` is ``False``, then it will be a ``ValueError`` to
serialize out of range ``float`` values (``nan``, ``inf``, ``-inf``) in
strict compliance of the JSON specification, instead of using the
JavaScript equivalents (``NaN``, ``Infinity``, ``-Infinity``).
If ``indent`` is a non-negative integer, then JSON array elements and
object members will be pretty-printed with that indent level. An indent
level of 0 will only insert newlines. ``None`` is the most compact
representation.
If ``separators`` is an ``(item_separator, dict_separator)`` tuple
then it will be used instead of the default ``(', ', ': ')`` separators.
``(',', ':')`` is the most compact JSON representation.
``encoding`` is the character encoding for str instances, default is UTF-8.
``default(obj)`` is a function that should return a serializable version
of obj or | python | {
"resource": ""
} |
q259928 | search | validation | def search(q, start=0, wait=10, asynchronous=False, cached=False):
""" Returns a Google web query formatted as a GoogleSearch list object.
"""
| python | {
"resource": ""
} |
q259929 | search_images | validation | def search_images(q, start=0, size="", wait=10, asynchronous=False, cached=False):
""" Returns a Google images query formatted as a GoogleSearch list object.
"""
| python | {
"resource": ""
} |
q259930 | search_news | validation | def search_news(q, start=0, wait=10, asynchronous=False, cached=False):
""" Returns a Google news query formatted as a GoogleSearch list object.
"""
| python | {
"resource": ""
} |
q259931 | search_blogs | validation | def search_blogs(q, start=0, wait=10, asynchronous=False, cached=False):
""" Returns a Google blogs query formatted as a GoogleSearch list object.
"""
| python | {
"resource": ""
} |
q259932 | Cache.hash | validation | def hash(self, id):
""" Creates a unique filename in the cache for the id.
"""
| python | {
"resource": ""
} |
q259933 | Cache.age | validation | def age(self, id):
""" Returns the age of the cache entry, in days.
"""
path = self.hash(id)
if os.path.exists(path):
modified = datetime.datetime.fromtimestamp(os.stat(path)[8])
| python | {
"resource": ""
} |
q259934 | angle | validation | def angle(x0, y0, x1, y1):
""" Returns the angle between two points.
"""
| python | {
"resource": ""
} |
q259935 | distance | validation | def distance(x0, y0, x1, y1):
""" Returns the distance between two points.
"""
| python | {
"resource": ""
} |
q259936 | line_line_intersection | validation | def line_line_intersection(x1, y1, x2, y2, x3, y3, x4, y4, infinite=False):
""" Determines the intersection point of two lines, or two finite line segments if infinite=False.
When the lines do not intersect, returns an empty list.
"""
# Based on: P. Bourke, http://local.wasp.uwa.edu.au/~pbourke/geometry/lineline2d/
ua = (x4 - x3) * (y1 - y3) - (y4 - y3) * (x1 - x3)
ub = (x2 - x1) * (y1 - y3) - (y2 - y1) * (x1 - x3)
d = (y4 - y3) * (x2 - x1) - (x4 - x3) * (y2 - y1)
if d == 0:
if ua == ub == 0:
| python | {
"resource": ""
} |
q259937 | circle_line_intersection | validation | def circle_line_intersection(cx, cy, radius, x1, y1, x2, y2, infinite=False):
""" Returns a list of points where the circle and the line intersect.
Returns an empty list when the circle and the line do not intersect.
"""
# Based on: http://www.vb-helper.com/howto_net_line_circle_intersections.html
dx = x2 - x1
dy = y2 - y1
A = dx * dx + dy * dy
B = 2 * (dx * (x1 - cx) + dy * (y1 - cy))
C = pow(x1 - cx, 2) + pow(y1 - cy, 2) - radius * radius
det = B * B - 4 * A * C
if A <= 0.0000001 or det < 0:
return []
elif det == 0:
# One point of intersection.
t = -B / (2 * A)
return [(x1 + t * dx, y1 + t * dy)]
else:
# Two points of intersection.
# A point of intersection lies on the line segment if 0 <= t <= 1,
# and on | python | {
"resource": ""
} |
q259938 | AffineTransform.invert | validation | def invert(self):
""" Multiplying a matrix by its inverse produces the identity matrix.
"""
m = self.matrix
d = m[0] * m[4] - m[1] * m[3]
self.matrix = [
m[4] / d, -m[1] / d, 0,
| python | {
"resource": ""
} |
q259939 | AffineTransform.transform_path | validation | def transform_path(self, path):
""" Returns a BezierPath object with the transformation applied.
"""
p = path.__class__() # Create a new BezierPath.
for pt in path:
if pt.cmd == "close":
p.closepath()
elif pt.cmd == "moveto":
p.moveto(*self.apply(pt.x, pt.y))
elif pt.cmd == "lineto":
p.lineto(*self.apply(pt.x, pt.y))
elif pt.cmd == "curveto":
| python | {
"resource": ""
} |
q259940 | Bounds.intersection | validation | def intersection(self, b):
""" Returns bounds that encompass the intersection of the two.
If there is no overlap between the two, None is returned.
"""
if not self.intersects(b):
return None
| python | {
"resource": ""
} |
q259941 | Bounds.union | validation | def union(self, b):
""" Returns bounds that encompass the union of the two.
"""
mx, my = min(self.x, b.x), min(self.y, b.y)
return Bounds(mx, my,
| python | {
"resource": ""
} |
q259942 | error | validation | def error(message):
'''Prints an error message, the help message and quits'''
global parser
| python | {
"resource": ""
} |
q259943 | DrawBot.textpath | validation | def textpath(self, txt, x, y, width=None, height=1000000, enableRendering=False, **kwargs):
'''
Draws an outlined path of the input text
'''
| python | {
"resource": ""
} |
q259944 | draw_cornu_flat | validation | def draw_cornu_flat(x0, y0, t0, t1, s0, c0, flip, cs, ss, cmd):
""" Raph Levien's code draws fast LINETO segments.
"""
for j in range(0, 100):
t = j * .01 | python | {
"resource": ""
} |
q259945 | draw_cornu_bezier | validation | def draw_cornu_bezier(x0, y0, t0, t1, s0, c0, flip, cs, ss, cmd, scale, rot):
""" Mark Meyer's code draws elegant CURVETO segments.
"""
s = None
for j in range(0, 5):
# travel along the function two points at a time (at time t and t2)
# the first time through we'll need to get both points
# after that we only need the second point because the old second point
# becomes the new first point
t = j * .2
t2 = t+ .2
curvetime = t0 + t * (t1 - t0)
curvetime2 = t0 + t2 * (t1 - t0)
Dt = (curvetime2 - curvetime) * scale
if not s:
# get first point
# avoid calling this again: the next time though x,y will equal x3, y3
s, c = eval_cornu(curvetime)
s *= flip
s -= s0
c -= c0
# calculate derivative of fresnel function at point to get tangent slope
# just take the integrand of the fresnel function
dx1 = cos(pow(curvetime, 2) + (flip * rot))
dy1 = flip * sin(pow(curvetime, 2) + (flip *rot))
# x,y = first point on function
x = ((c * cs - s * | python | {
"resource": ""
} |
q259946 | search | validation | def search(q, start=1, count=10, context=None, wait=10, asynchronous=False, cached=False):
""" Returns a Yahoo web query formatted as a YahooSearch list object.
"""
| python | {
"resource": ""
} |
q259947 | search_images | validation | def search_images(q, start=1, count=10, wait=10, asynchronous=False, cached=False):
""" Returns a Yahoo images query formatted as a YahooSearch list object.
"""
| python | {
"resource": ""
} |
q259948 | search_news | validation | def search_news(q, start=1, count=10, wait=10, asynchronous=False, cached=False):
""" Returns a Yahoo news query formatted as a YahooSearch list object.
"""
| python | {
"resource": ""
} |
q259949 | suggest_spelling | validation | def suggest_spelling(q, wait=10, asynchronous=False, cached=False):
""" Returns list of suggested spelling corrections for the given query. | python | {
"resource": ""
} |
q259950 | Canvas.layer | validation | def layer(self, img, x=0, y=0, name=""):
"""Creates a new layer from file, Layer, PIL Image.
If img is an image file or PIL Image object,
Creates a new layer with the given image file.
The image is positioned on the canvas at x, y.
If img is a Layer,
uses that layer's x and y position and name.
"""
from types import StringType
if isinstance(img, Image.Image):
img = img.convert("RGBA")
self.layers.append(Layer(self, img, x, y, name))
return len(self.layers)-1
| python | {
"resource": ""
} |
q259951 | Canvas.merge | validation | def merge(self, layers):
"""Flattens the given layers on the canvas.
Merges the given layers with the indices in the list
on the bottom layer in the list.
The other layers are discarded.
| python | {
"resource": ""
} |
q259952 | Canvas.export | validation | def export(self, filename):
"""Exports the flattened canvas.
Flattens the canvas.
PNG retains the alpha | python | {
"resource": ""
} |
q259953 | Layer.delete | validation | def delete(self):
"""Removes this layer from the canvas.
"""
| python | {
"resource": ""
} |
q259954 | Layer.up | validation | def up(self):
"""Moves the layer up in the stacking order.
"""
i = self.index()
if i != None:
del self.canvas.layers[i]
| python | {
"resource": ""
} |
q259955 | Layer.down | validation | def down(self):
"""Moves the layer down in the stacking order.
"""
i = self.index()
if i != None:
| python | {
"resource": ""
} |
q259956 | Layer.duplicate | validation | def duplicate(self):
"""Creates a copy of the current layer.
This copy becomes the top layer on the canvas.
"""
i = self.canvas.layer(self.img.copy(), self.x, self.y, self.name)
| python | {
"resource": ""
} |
q259957 | Layer.brightness | validation | def brightness(self, value=1.0):
"""Increases or decreases the brightness in the layer.
The given value is a percentage to increase
or decrease the image brightness,
| python | {
"resource": ""
} |
q259958 | Layer.contrast | validation | def contrast(self, value=1.0):
"""Increases or decreases the contrast in the layer.
The given value is a percentage to increase
or decrease the image contrast,
| python | {
"resource": ""
} |
q259959 | Layer.desaturate | validation | def desaturate(self):
"""Desaturates the layer, making it grayscale.
Instantly removes all color information from the layer,
while maintaing its alpha channel.
"""
| python | {
"resource": ""
} |
q259960 | Layer.invert | validation | def invert(self):
"""Inverts the layer.
"""
alpha = self.img.split()[3]
self.img = self.img.convert("RGB")
| python | {
"resource": ""
} |
q259961 | Layer.translate | validation | def translate(self, x, y):
"""Positions the layer at the given coordinates.
The x and y parameters define where to position
the top left corner of | python | {
"resource": ""
} |
q259962 | Layer.scale | validation | def scale(self, w=1.0, h=1.0):
"""Resizes the layer to the given width and height.
When width w or height h is a floating-point number,
scales percentual,
otherwise scales to the given size in pixels.
"""
from types import FloatType
| python | {
"resource": ""
} |
q259963 | Layer.rotate | validation | def rotate(self, angle):
"""Rotates the layer.
Rotates the layer by given angle.
Positive numbers rotate counter-clockwise,
negative numbers rotate clockwise.
Rotate commands are executed instantly,
so many subsequent rotates will distort the image.
"""
#When a layer rotates, its corners will fall outside
#of its defined width and height.
#Thus, its bounding box needs to be expanded.
#Calculate the diagonal width, and angle from the layer center.
#This way we can use the layers's corners
#to calculate the bounding box.
from math import sqrt, pow, sin, cos, degrees, radians, asin
w0, h0 = self.img.size
d = sqrt(pow(w0,2) + pow(h0,2))
d_angle = degrees(asin((w0*0.5) / (d*0.5)))
angle = angle % 360
if angle > 90 and angle <= 270: d_angle += 180
w = sin(radians(d_angle + angle)) * d
w = max(w, sin(radians(d_angle - angle)) * d)
w = int(abs(w))
h = cos(radians(d_angle + angle)) * d
h = max(h, cos(radians(d_angle - angle)) * d)
h = int(abs(h))
| python | {
"resource": ""
} |
q259964 | Layer.flip | validation | def flip(self, axis=HORIZONTAL):
"""Flips the layer, either HORIZONTAL or VERTICAL.
"""
if axis == HORIZONTAL:
self.img | python | {
"resource": ""
} |
q259965 | Layer.sharpen | validation | def sharpen(self, value=1.0):
"""Increases or decreases the sharpness in the layer.
The given value is a percentage to increase | python | {
"resource": ""
} |
q259966 | Layer.levels | validation | def levels(self):
"""Returns a histogram for each RGBA channel.
Returns a 4-tuple of lists, r, g, b, and a.
Each list has 255 items, a count for each pixel value.
"""
| python | {
"resource": ""
} |
q259967 | Blend.hue | validation | def hue(self, img1, img2):
"""Applies the hue blend mode.
Hues image img1 with image img2.
The hue filter replaces the hues of pixels in img1
with the hues of pixels in img2.
Returns a composite image with the alpha channel retained.
"""
import colorsys
p1 = list(img1.getdata())
p2 = list(img2.getdata())
for i in range(len(p1)):
r1, g1, b1, a1 = p1[i]
r1 = r1 / 255.0
g1 = g1 / 255.0
b1 = b1 / 255.0
h1, s1, v1 = colorsys.rgb_to_hsv(r1, g1, b1)
r2, g2, b2, a2 = p2[i]
r2 = r2 / 255.0
| python | {
"resource": ""
} |
q259968 | Grammar._load_namespace | validation | def _load_namespace(self, namespace, filename=None):
"""
Initialise bot namespace with info in shoebot.data
:param filename: Will be set to __file__ in the namespace
"""
from shoebot import data
for name in dir(data):
namespace[name] = getattr(data, name)
| python | {
"resource": ""
} |
q259969 | Grammar._should_run | validation | def _should_run(self, iteration, max_iterations):
''' Return False if bot should quit '''
if iteration == 0:
# First frame always runs
return True
if max_iterations:
if iteration < max_iterations:
return True
elif max_iterations is None:
if self._dynamic:
| python | {
"resource": ""
} |
q259970 | Grammar._frame_limit | validation | def _frame_limit(self, start_time):
"""
Limit to framerate, should be called after
rendering has completed
:param start_time: When execution started
"""
if self._speed:
completion_time = time()
| python | {
"resource": ""
} |
q259971 | Grammar._addvar | validation | def _addvar(self, v):
''' Sets a new accessible variable.
:param v: Variable.
'''
oldvar = self._oldvars.get(v.name)
if oldvar is not None:
if isinstance(oldvar, Variable):
if oldvar.compliesTo(v):
v.value = oldvar.value
else:
# Set from commandline
v.value | python | {
"resource": ""
} |
q259972 | hex_to_rgb | validation | def hex_to_rgb(hex):
""" Returns RGB values for a hex color string.
"""
hex = hex.lstrip("#")
if len(hex) < 6:
hex += hex[-1] * (6 - len(hex))
if len(hex) == 6:
r, g, b = hex[0:2], hex[2:4], hex[4:]
r, g, b = [int(n, 16) / 255.0 for n in (r, g, b)]
| python | {
"resource": ""
} |
q259973 | simple_traceback | validation | def simple_traceback(ex, source):
"""
Format traceback, showing line number and surrounding source.
"""
exc_type, exc_value, exc_tb = sys.exc_info()
exc = traceback.format_exception(exc_type, exc_value, exc_tb)
source_arr = source.splitlines()
# Defaults...
exc_location = exc[-2]
for i, err in enumerate(exc):
if 'exec source in ns' in err:
exc_location = exc[i + 1]
break
# extract line number from traceback
fn = exc_location.split(',')[0][8:-1]
line_number = int(exc_location.split(',')[1].replace('line', '').strip())
# Build error messages
err_msgs = []
# code around the error
err_where = ' '.join(exc[i - 1].split(',')[1:]).strip() # 'line 37 in blah"
err_msgs.append('Error in the Shoebot script at %s:' % err_where)
for i in xrange(max(0, line_number | python | {
"resource": ""
} |
q259974 | Database.create | validation | def create(self, name, overwrite=True):
"""Creates an SQLite database file.
Creates an SQLite database with the given name.
The .box file extension is added automatically.
Overwrites any existing database by | python | {
"resource": ""
} |
q259975 | Database.create_table | validation | def create_table(self, name, fields=[], key="id"):
"""Creates a new table.
Creates a table with the given name,
containing the list of given fields.
Since SQLite uses manifest typing, no data type need be supplied.
The primary key is "id" by default,
an integer that can be set or otherwise autoincrements.
"""
for f in fields:
if f == key: | python | {
"resource": ""
} |
q259976 | Database.create_index | validation | def create_index(self, table, field, unique=False, ascending=True):
"""Creates a table index.
Creates an index on the given table,
on the given field with unique values enforced or not,
in ascending or descending order.
"""
if unique: u = "unique "
else: u = ""
if ascending: | python | {
"resource": ""
} |
q259977 | Database.close | validation | def close(self):
"""Commits any pending transactions and closes the database.
"""
| python | {
"resource": ""
} |
q259978 | Database.sql | validation | def sql(self, sql):
""" Executes a raw SQL statement on the database.
"""
self._cur.execute(sql)
if sql.lower().find("select") >= 0:
| python | {
"resource": ""
} |
q259979 | Table.edit | validation | def edit(self, id, *args, **kw):
""" Edits the row with given id.
"""
if args and kw:
return
if args and type(args[0]) == dict:
fields = [k for k in args[0]]
v = [args[0][k] for k in args[0]]
if kw:
fields = [k for k in kw]
v = [kw[k] for k in kw]
sql = "update | python | {
"resource": ""
} |
q259980 | Table.remove | validation | def remove(self, id, operator="=", key=None):
""" Deletes the row with given id.
"""
if key == None: key = self._key
try: id = unicode(id)
except: pass
| python | {
"resource": ""
} |
q259981 | next_event | validation | def next_event(block=False, timeout=None):
"""
Get the next available event or None
:param block:
:param timeout:
:return: None or (event, data)
"""
| python | {
"resource": ""
} |
q259982 | publish_event | validation | def publish_event(event_t, data=None, extra_channels=None, wait=None):
"""
Publish an event ot any subscribers.
:param event_t: event type
:param data: event data
:param extra_channels:
:param wait:
:return:
"""
event = Event(event_t, data)
pubsub.publish("shoebot", event)
for channel_name | python | {
"resource": ""
} |
q259983 | Grob._set_mode | validation | def _set_mode(self, mode):
'''
Sets call_transform_mode to point to the
center_transform or corner_transform
'''
if mode == CENTER:
self._call_transform_mode = self._center_transform
elif mode == CORNER:
| python | {
"resource": ""
} |
q259984 | Grob.inheritFromContext | validation | def inheritFromContext(self, ignore=()):
"""
Doesn't store exactly the same items as Nodebox for ease of implementation,
it has enough to get the Nodebox Dentrite example working.
"""
for canvas_attr, grob_attr in STATES.items():
| python | {
"resource": ""
} |
q259985 | LiveExecution.load_edited_source | validation | def load_edited_source(self, source, good_cb=None, bad_cb=None, filename=None):
"""
Load changed code into the execution environment.
Until the code is executed correctly, it will be
in the 'tenuous' state.
"""
with LiveExecution.lock:
self.good_cb = good_cb
self.bad_cb = bad_cb
try:
# text compile
compile(source + '\n\n', filename or self.filename, "exec")
| python | {
"resource": ""
} |
q259986 | LiveExecution.reload_functions | validation | def reload_functions(self):
"""
Replace functions in namespace with functions from edited_source.
"""
with LiveExecution.lock:
if self.edited_source:
tree = ast.parse(self.edited_source)
for | python | {
"resource": ""
} |
q259987 | LiveExecution.run_tenuous | validation | def run_tenuous(self):
"""
Run edited source, if no exceptions occur then it
graduates to known good.
"""
with LiveExecution.lock:
ns_snapshot = copy.copy(self.ns)
try:
source = self.edited_source
self.edited_source = None
self.do_exec(source, ns_snapshot)
self.known_good = source
self.call_good_cb()
| python | {
"resource": ""
} |
q259988 | LiveExecution.run | validation | def run(self):
"""
Attempt to known good or tenuous source.
"""
with LiveExecution.lock:
if self.edited_source:
success, ex = self.run_tenuous()
| python | {
"resource": ""
} |
q259989 | LiveExecution.run_context | validation | def run_context(self):
"""
Context in which the user can run the source in a custom manner.
If no exceptions occur then the source will move from 'tenuous'
to 'known good'.
>>> with run_context() as (known_good, source, ns):
>>> ... exec source in ns
>>> ... ns['draw']()
"""
with LiveExecution.lock:
if self.edited_source is None:
yield True, self.known_good, self.ns
return
ns_snapshot = copy.copy(self.ns)
try:
| python | {
"resource": ""
} |
q259990 | Boid.separation | validation | def separation(self, r=10):
""" Boids keep a small distance from other boids.
Ensures that boids don't collide into each other,
in a smoothly accelerated motion.
"""
vx = vy = vz = 0
for b in self.boids:
if b != self:
| python | {
"resource": ""
} |
q259991 | Boid.alignment | validation | def alignment(self, d=5):
""" Boids match velocity with other boids.
"""
vx = vy = vz = 0
for b in self.boids:
if b != self:
vx, vy, vz = vx+b.vx, vy+b.vy, | python | {
"resource": ""
} |
q259992 | Boid.limit | validation | def limit(self, max=30):
""" The speed limit for a boid.
Boids can momentarily go very fast,
something that is impossible for real animals.
| python | {
"resource": ""
} |
q259993 | Boid._angle | validation | def _angle(self):
""" Returns the angle towards which the boid is steering.
"""
| python | {
"resource": ""
} |
q259994 | Boid.goal | validation | def goal(self, x, y, z, d=50.0):
""" Tendency towards a particular place.
"""
| python | {
"resource": ""
} |
q259995 | Boids.update | validation | def update(self,
shuffled=True,
cohesion=100,
separation=10,
alignment=5,
goal=20,
limit=30):
""" Calculates the next motion frame for the flock.
"""
# Shuffling the list of boids ensures fluid movement.
# If you need the boids to retain their position in the list
# each update, set the shuffled parameter to False.
from random import shuffle
if shuffled: shuffle(self)
m1 = 1.0 # cohesion
m2 = 1.0 # separation
m3 = 1.0 # alignment
m4 = 1.0 # goal
# The flock scatters randomly with a Boids.scatter chance.
# This means their cohesion (m1) is reversed,
# and their joint alignment (m3) is dimished,
# causing boids to oscillate in confusion.
# Setting Boids.scatter(chance=0) ensures they never scatter.
if not self.scattered and _ctx.random() < self._scatter:
self.scattered = True
if self.scattered:
m1 = -m1
m3 *= 0.25
self._scatter_i += 1
if self._scatter_i >= self._scatter_t:
self.scattered = False
self._scatter_i = 0
# A flock can have a goal defined with Boids.goal(x,y,z),
# a place of interest to flock around.
if not self.has_goal:
m4 = 0
if self.flee:
m4 = -m4
for b in self:
# A boid that is perching will continue to do so
# until Boid._perch_t reaches zero.
| python | {
"resource": ""
} |
q259996 | Scanner.iterscan | validation | def iterscan(self, string, idx=0, context=None):
"""
Yield match, end_idx for each match
"""
match = self.scanner.scanner(string, idx).match
actions = self.actions
lastend = idx
end = len(string)
while True:
m = match()
if m is None:
break
matchbegin, matchend = m.span()
if lastend == matchend:
break
action = actions[m.lastindex]
if action | python | {
"resource": ""
} |
q259997 | layout.copy | validation | def copy(self, graph):
""" Returns a copy of the layout for the given | python | {
"resource": ""
} |
q259998 | node.can_reach | validation | def can_reach(self, node, traversable=lambda node, edge: True):
""" Returns True if given node can be reached over traversable edges.
To enforce edge direction, use a node==edge.node1 traversable.
| python | {
"resource": ""
} |
q259999 | graph.clear | validation | def clear(self):
""" Remove nodes and edges and reset the layout.
"""
dict.clear(self)
self.nodes = []
self.edges = []
| python | {
"resource": ""
} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.