repo stringlengths 7 55 | path stringlengths 4 127 | func_name stringlengths 1 88 | original_string stringlengths 75 19.8k | language stringclasses 1
value | code stringlengths 75 19.8k | code_tokens list | docstring stringlengths 3 17.3k | docstring_tokens list | sha stringlengths 40 40 | url stringlengths 87 242 | partition stringclasses 1
value |
|---|---|---|---|---|---|---|---|---|---|---|---|
pydata/numexpr | numexpr/necompiler.py | setRegisterNumbersForTemporaries | def setRegisterNumbersForTemporaries(ast, start):
"""Assign register numbers for temporary registers, keeping track of
aliases and handling immediate operands.
"""
seen = 0
signature = ''
aliases = []
for node in ast.postorderWalk():
if node.astType == 'alias':
aliases.ap... | python | def setRegisterNumbersForTemporaries(ast, start):
"""Assign register numbers for temporary registers, keeping track of
aliases and handling immediate operands.
"""
seen = 0
signature = ''
aliases = []
for node in ast.postorderWalk():
if node.astType == 'alias':
aliases.ap... | [
"def",
"setRegisterNumbersForTemporaries",
"(",
"ast",
",",
"start",
")",
":",
"seen",
"=",
"0",
"signature",
"=",
"''",
"aliases",
"=",
"[",
"]",
"for",
"node",
"in",
"ast",
".",
"postorderWalk",
"(",
")",
":",
"if",
"node",
".",
"astType",
"==",
"'al... | Assign register numbers for temporary registers, keeping track of
aliases and handling immediate operands. | [
"Assign",
"register",
"numbers",
"for",
"temporary",
"registers",
"keeping",
"track",
"of",
"aliases",
"and",
"handling",
"immediate",
"operands",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L450-L471 | train |
pydata/numexpr | numexpr/necompiler.py | convertASTtoThreeAddrForm | def convertASTtoThreeAddrForm(ast):
"""Convert an AST to a three address form.
Three address form is (op, reg1, reg2, reg3), where reg1 is the
destination of the result of the instruction.
I suppose this should be called three register form, but three
address form is found in compiler theory.
... | python | def convertASTtoThreeAddrForm(ast):
"""Convert an AST to a three address form.
Three address form is (op, reg1, reg2, reg3), where reg1 is the
destination of the result of the instruction.
I suppose this should be called three register form, but three
address form is found in compiler theory.
... | [
"def",
"convertASTtoThreeAddrForm",
"(",
"ast",
")",
":",
"return",
"[",
"(",
"node",
".",
"value",
",",
"node",
".",
"reg",
")",
"+",
"tuple",
"(",
"[",
"c",
".",
"reg",
"for",
"c",
"in",
"node",
".",
"children",
"]",
")",
"for",
"node",
"in",
"... | Convert an AST to a three address form.
Three address form is (op, reg1, reg2, reg3), where reg1 is the
destination of the result of the instruction.
I suppose this should be called three register form, but three
address form is found in compiler theory. | [
"Convert",
"an",
"AST",
"to",
"a",
"three",
"address",
"form",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L474-L484 | train |
pydata/numexpr | numexpr/necompiler.py | compileThreeAddrForm | def compileThreeAddrForm(program):
"""Given a three address form of the program, compile it a string that
the VM understands.
"""
def nToChr(reg):
if reg is None:
return b'\xff'
elif reg.n < 0:
raise ValueError("negative value for register number %s" % reg.n)
... | python | def compileThreeAddrForm(program):
"""Given a three address form of the program, compile it a string that
the VM understands.
"""
def nToChr(reg):
if reg is None:
return b'\xff'
elif reg.n < 0:
raise ValueError("negative value for register number %s" % reg.n)
... | [
"def",
"compileThreeAddrForm",
"(",
"program",
")",
":",
"def",
"nToChr",
"(",
"reg",
")",
":",
"if",
"reg",
"is",
"None",
":",
"return",
"b'\\xff'",
"elif",
"reg",
".",
"n",
"<",
"0",
":",
"raise",
"ValueError",
"(",
"\"negative value for register number %s... | Given a three address form of the program, compile it a string that
the VM understands. | [
"Given",
"a",
"three",
"address",
"form",
"of",
"the",
"program",
"compile",
"it",
"a",
"string",
"that",
"the",
"VM",
"understands",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L487-L526 | train |
pydata/numexpr | numexpr/necompiler.py | precompile | def precompile(ex, signature=(), context={}):
"""Compile the expression to an intermediate form.
"""
types = dict(signature)
input_order = [name for (name, type_) in signature]
if isinstance(ex, (str, unicode)):
ex = stringToExpression(ex, types, context)
# the AST is like the expressi... | python | def precompile(ex, signature=(), context={}):
"""Compile the expression to an intermediate form.
"""
types = dict(signature)
input_order = [name for (name, type_) in signature]
if isinstance(ex, (str, unicode)):
ex = stringToExpression(ex, types, context)
# the AST is like the expressi... | [
"def",
"precompile",
"(",
"ex",
",",
"signature",
"=",
"(",
")",
",",
"context",
"=",
"{",
"}",
")",
":",
"types",
"=",
"dict",
"(",
"signature",
")",
"input_order",
"=",
"[",
"name",
"for",
"(",
"name",
",",
"type_",
")",
"in",
"signature",
"]",
... | Compile the expression to an intermediate form. | [
"Compile",
"the",
"expression",
"to",
"an",
"intermediate",
"form",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L554-L604 | train |
pydata/numexpr | numexpr/necompiler.py | disassemble | def disassemble(nex):
"""
Given a NumExpr object, return a list which is the program disassembled.
"""
rev_opcodes = {}
for op in interpreter.opcodes:
rev_opcodes[interpreter.opcodes[op]] = op
r_constants = 1 + len(nex.signature)
r_temps = r_constants + len(nex.constants)
def ge... | python | def disassemble(nex):
"""
Given a NumExpr object, return a list which is the program disassembled.
"""
rev_opcodes = {}
for op in interpreter.opcodes:
rev_opcodes[interpreter.opcodes[op]] = op
r_constants = 1 + len(nex.signature)
r_temps = r_constants + len(nex.constants)
def ge... | [
"def",
"disassemble",
"(",
"nex",
")",
":",
"rev_opcodes",
"=",
"{",
"}",
"for",
"op",
"in",
"interpreter",
".",
"opcodes",
":",
"rev_opcodes",
"[",
"interpreter",
".",
"opcodes",
"[",
"op",
"]",
"]",
"=",
"op",
"r_constants",
"=",
"1",
"+",
"len",
"... | Given a NumExpr object, return a list which is the program disassembled. | [
"Given",
"a",
"NumExpr",
"object",
"return",
"a",
"list",
"which",
"is",
"the",
"program",
"disassembled",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L633-L682 | train |
pydata/numexpr | numexpr/necompiler.py | getArguments | def getArguments(names, local_dict=None, global_dict=None):
"""Get the arguments based on the names."""
call_frame = sys._getframe(2)
clear_local_dict = False
if local_dict is None:
local_dict = call_frame.f_locals
clear_local_dict = True
try:
frame_globals = call_frame.f_gl... | python | def getArguments(names, local_dict=None, global_dict=None):
"""Get the arguments based on the names."""
call_frame = sys._getframe(2)
clear_local_dict = False
if local_dict is None:
local_dict = call_frame.f_locals
clear_local_dict = True
try:
frame_globals = call_frame.f_gl... | [
"def",
"getArguments",
"(",
"names",
",",
"local_dict",
"=",
"None",
",",
"global_dict",
"=",
"None",
")",
":",
"call_frame",
"=",
"sys",
".",
"_getframe",
"(",
"2",
")",
"clear_local_dict",
"=",
"False",
"if",
"local_dict",
"is",
"None",
":",
"local_dict"... | Get the arguments based on the names. | [
"Get",
"the",
"arguments",
"based",
"on",
"the",
"names",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L724-L755 | train |
pydata/numexpr | numexpr/necompiler.py | evaluate | def evaluate(ex, local_dict=None, global_dict=None,
out=None, order='K', casting='safe', **kwargs):
"""Evaluate a simple array expression element-wise, using the new iterator.
ex is a string forming an expression, like "2*a+3*b". The values for "a"
and "b" will by default be taken from the cal... | python | def evaluate(ex, local_dict=None, global_dict=None,
out=None, order='K', casting='safe', **kwargs):
"""Evaluate a simple array expression element-wise, using the new iterator.
ex is a string forming an expression, like "2*a+3*b". The values for "a"
and "b" will by default be taken from the cal... | [
"def",
"evaluate",
"(",
"ex",
",",
"local_dict",
"=",
"None",
",",
"global_dict",
"=",
"None",
",",
"out",
"=",
"None",
",",
"order",
"=",
"'K'",
",",
"casting",
"=",
"'safe'",
",",
"**",
"kwargs",
")",
":",
"global",
"_numexpr_last",
"if",
"not",
"i... | Evaluate a simple array expression element-wise, using the new iterator.
ex is a string forming an expression, like "2*a+3*b". The values for "a"
and "b" will by default be taken from the calling function's frame
(through use of sys._getframe()). Alternatively, they can be specifed
using the 'local_dic... | [
"Evaluate",
"a",
"simple",
"array",
"expression",
"element",
"-",
"wise",
"using",
"the",
"new",
"iterator",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L765-L834 | train |
pydata/numexpr | numexpr/necompiler.py | re_evaluate | def re_evaluate(local_dict=None):
"""Re-evaluate the previous executed array expression without any check.
This is meant for accelerating loops that are re-evaluating the same
expression repeatedly without changing anything else than the operands.
If unsure, use evaluate() which is safer.
Paramete... | python | def re_evaluate(local_dict=None):
"""Re-evaluate the previous executed array expression without any check.
This is meant for accelerating loops that are re-evaluating the same
expression repeatedly without changing anything else than the operands.
If unsure, use evaluate() which is safer.
Paramete... | [
"def",
"re_evaluate",
"(",
"local_dict",
"=",
"None",
")",
":",
"try",
":",
"compiled_ex",
"=",
"_numexpr_last",
"[",
"'ex'",
"]",
"except",
"KeyError",
":",
"raise",
"RuntimeError",
"(",
"\"not a previous evaluate() execution found\"",
")",
"argnames",
"=",
"_num... | Re-evaluate the previous executed array expression without any check.
This is meant for accelerating loops that are re-evaluating the same
expression repeatedly without changing anything else than the operands.
If unsure, use evaluate() which is safer.
Parameters
----------
local_dict : dicti... | [
"Re",
"-",
"evaluate",
"the",
"previous",
"executed",
"array",
"expression",
"without",
"any",
"check",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/numexpr/necompiler.py#L837-L859 | train |
pydata/numexpr | bench/poly.py | compute | def compute():
"""Compute the polynomial."""
if what == "numpy":
y = eval(expr)
else:
y = ne.evaluate(expr)
return len(y) | python | def compute():
"""Compute the polynomial."""
if what == "numpy":
y = eval(expr)
else:
y = ne.evaluate(expr)
return len(y) | [
"def",
"compute",
"(",
")",
":",
"if",
"what",
"==",
"\"numpy\"",
":",
"y",
"=",
"eval",
"(",
"expr",
")",
"else",
":",
"y",
"=",
"ne",
".",
"evaluate",
"(",
"expr",
")",
"return",
"len",
"(",
"y",
")"
] | Compute the polynomial. | [
"Compute",
"the",
"polynomial",
"."
] | 364bac13d84524e0e01db892301b2959d822dcff | https://github.com/pydata/numexpr/blob/364bac13d84524e0e01db892301b2959d822dcff/bench/poly.py#L34-L40 | train |
MaxHalford/prince | prince/mfa.py | MFA.partial_row_coordinates | def partial_row_coordinates(self, X):
"""Returns the row coordinates for each group."""
utils.validation.check_is_fitted(self, 's_')
# Check input
if self.check_input:
utils.check_array(X, dtype=[str, np.number])
# Prepare input
X = self._prepare_input(X)
... | python | def partial_row_coordinates(self, X):
"""Returns the row coordinates for each group."""
utils.validation.check_is_fitted(self, 's_')
# Check input
if self.check_input:
utils.check_array(X, dtype=[str, np.number])
# Prepare input
X = self._prepare_input(X)
... | [
"def",
"partial_row_coordinates",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"if",
"self",
".",
"check_input",
":",
"utils",
".",
"check_array",
"(",
"X",
",",
"dtype",
"=",
"[",
... | Returns the row coordinates for each group. | [
"Returns",
"the",
"row",
"coordinates",
"for",
"each",
"group",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/mfa.py#L158-L190 | train |
MaxHalford/prince | prince/mfa.py | MFA.column_correlations | def column_correlations(self, X):
"""Returns the column correlations."""
utils.validation.check_is_fitted(self, 's_')
X_global = self._build_X_global(X)
row_pc = self._row_coordinates_from_global(X_global)
return pd.DataFrame({
component: {
feature: ... | python | def column_correlations(self, X):
"""Returns the column correlations."""
utils.validation.check_is_fitted(self, 's_')
X_global = self._build_X_global(X)
row_pc = self._row_coordinates_from_global(X_global)
return pd.DataFrame({
component: {
feature: ... | [
"def",
"column_correlations",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"X_global",
"=",
"self",
".",
"_build_X_global",
"(",
"X",
")",
"row_pc",
"=",
"self",
".",
"_row_coordinates_... | Returns the column correlations. | [
"Returns",
"the",
"column",
"correlations",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/mfa.py#L192-L205 | train |
MaxHalford/prince | prince/ca.py | CA.eigenvalues_ | def eigenvalues_(self):
"""The eigenvalues associated with each principal component."""
utils.validation.check_is_fitted(self, 's_')
return np.square(self.s_).tolist() | python | def eigenvalues_(self):
"""The eigenvalues associated with each principal component."""
utils.validation.check_is_fitted(self, 's_')
return np.square(self.s_).tolist() | [
"def",
"eigenvalues_",
"(",
"self",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"return",
"np",
".",
"square",
"(",
"self",
".",
"s_",
")",
".",
"tolist",
"(",
")"
] | The eigenvalues associated with each principal component. | [
"The",
"eigenvalues",
"associated",
"with",
"each",
"principal",
"component",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/ca.py#L82-L85 | train |
MaxHalford/prince | prince/ca.py | CA.explained_inertia_ | def explained_inertia_(self):
"""The percentage of explained inertia per principal component."""
utils.validation.check_is_fitted(self, 'total_inertia_')
return [eig / self.total_inertia_ for eig in self.eigenvalues_] | python | def explained_inertia_(self):
"""The percentage of explained inertia per principal component."""
utils.validation.check_is_fitted(self, 'total_inertia_')
return [eig / self.total_inertia_ for eig in self.eigenvalues_] | [
"def",
"explained_inertia_",
"(",
"self",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'total_inertia_'",
")",
"return",
"[",
"eig",
"/",
"self",
".",
"total_inertia_",
"for",
"eig",
"in",
"self",
".",
"eigenvalues_",
"]"
... | The percentage of explained inertia per principal component. | [
"The",
"percentage",
"of",
"explained",
"inertia",
"per",
"principal",
"component",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/ca.py#L88-L91 | train |
MaxHalford/prince | prince/ca.py | CA.row_coordinates | def row_coordinates(self, X):
"""The row principal coordinates."""
utils.validation.check_is_fitted(self, 'V_')
_, row_names, _, _ = util.make_labels_and_names(X)
if isinstance(X, pd.SparseDataFrame):
X = X.to_coo().astype(float)
elif isinstance(X, pd.DataFrame):
... | python | def row_coordinates(self, X):
"""The row principal coordinates."""
utils.validation.check_is_fitted(self, 'V_')
_, row_names, _, _ = util.make_labels_and_names(X)
if isinstance(X, pd.SparseDataFrame):
X = X.to_coo().astype(float)
elif isinstance(X, pd.DataFrame):
... | [
"def",
"row_coordinates",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'V_'",
")",
"_",
",",
"row_names",
",",
"_",
",",
"_",
"=",
"util",
".",
"make_labels_and_names",
"(",
"X",
")",
"if",
"... | The row principal coordinates. | [
"The",
"row",
"principal",
"coordinates",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/ca.py#L93-L116 | train |
MaxHalford/prince | prince/ca.py | CA.column_coordinates | def column_coordinates(self, X):
"""The column principal coordinates."""
utils.validation.check_is_fitted(self, 'V_')
_, _, _, col_names = util.make_labels_and_names(X)
if isinstance(X, pd.SparseDataFrame):
X = X.to_coo()
elif isinstance(X, pd.DataFrame):
... | python | def column_coordinates(self, X):
"""The column principal coordinates."""
utils.validation.check_is_fitted(self, 'V_')
_, _, _, col_names = util.make_labels_and_names(X)
if isinstance(X, pd.SparseDataFrame):
X = X.to_coo()
elif isinstance(X, pd.DataFrame):
... | [
"def",
"column_coordinates",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'V_'",
")",
"_",
",",
"_",
",",
"_",
",",
"col_names",
"=",
"util",
".",
"make_labels_and_names",
"(",
"X",
")",
"if",
... | The column principal coordinates. | [
"The",
"column",
"principal",
"coordinates",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/ca.py#L118-L141 | train |
MaxHalford/prince | prince/ca.py | CA.plot_coordinates | def plot_coordinates(self, X, ax=None, figsize=(6, 6), x_component=0, y_component=1,
show_row_labels=True, show_col_labels=True, **kwargs):
"""Plot the principal coordinates."""
utils.validation.check_is_fitted(self, 's_')
if ax is None:
fig, ax =... | python | def plot_coordinates(self, X, ax=None, figsize=(6, 6), x_component=0, y_component=1,
show_row_labels=True, show_col_labels=True, **kwargs):
"""Plot the principal coordinates."""
utils.validation.check_is_fitted(self, 's_')
if ax is None:
fig, ax =... | [
"def",
"plot_coordinates",
"(",
"self",
",",
"X",
",",
"ax",
"=",
"None",
",",
"figsize",
"=",
"(",
"6",
",",
"6",
")",
",",
"x_component",
"=",
"0",
",",
"y_component",
"=",
"1",
",",
"show_row_labels",
"=",
"True",
",",
"show_col_labels",
"=",
"Tru... | Plot the principal coordinates. | [
"Plot",
"the",
"principal",
"coordinates",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/ca.py#L143-L199 | train |
MaxHalford/prince | prince/mca.py | MCA.plot_coordinates | def plot_coordinates(self, X, ax=None, figsize=(6, 6), x_component=0, y_component=1,
show_row_points=True, row_points_size=10, show_row_labels=False,
show_column_points=True, column_points_size=30,
show_column_label... | python | def plot_coordinates(self, X, ax=None, figsize=(6, 6), x_component=0, y_component=1,
show_row_points=True, row_points_size=10, show_row_labels=False,
show_column_points=True, column_points_size=30,
show_column_label... | [
"def",
"plot_coordinates",
"(",
"self",
",",
"X",
",",
"ax",
"=",
"None",
",",
"figsize",
"=",
"(",
"6",
",",
"6",
")",
",",
"x_component",
"=",
"0",
",",
"y_component",
"=",
"1",
",",
"show_row_points",
"=",
"True",
",",
"row_points_size",
"=",
"10"... | Plot row and column principal coordinates.
Args:
ax (matplotlib.Axis): A fresh one will be created and returned if not provided.
figsize ((float, float)): The desired figure size if `ax` is not provided.
x_component (int): Number of the component used for the x-axis.
... | [
"Plot",
"row",
"and",
"column",
"principal",
"coordinates",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/mca.py#L49-L126 | train |
MaxHalford/prince | prince/svd.py | compute_svd | def compute_svd(X, n_components, n_iter, random_state, engine):
"""Computes an SVD with k components."""
# Determine what SVD engine to use
if engine == 'auto':
engine = 'sklearn'
# Compute the SVD
if engine == 'fbpca':
if FBPCA_INSTALLED:
U, s, V = fbpca.pca(X, k=n_com... | python | def compute_svd(X, n_components, n_iter, random_state, engine):
"""Computes an SVD with k components."""
# Determine what SVD engine to use
if engine == 'auto':
engine = 'sklearn'
# Compute the SVD
if engine == 'fbpca':
if FBPCA_INSTALLED:
U, s, V = fbpca.pca(X, k=n_com... | [
"def",
"compute_svd",
"(",
"X",
",",
"n_components",
",",
"n_iter",
",",
"random_state",
",",
"engine",
")",
":",
"if",
"engine",
"==",
"'auto'",
":",
"engine",
"=",
"'sklearn'",
"if",
"engine",
"==",
"'fbpca'",
":",
"if",
"FBPCA_INSTALLED",
":",
"U",
",... | Computes an SVD with k components. | [
"Computes",
"an",
"SVD",
"with",
"k",
"components",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/svd.py#L10-L35 | train |
MaxHalford/prince | prince/pca.py | PCA.row_standard_coordinates | def row_standard_coordinates(self, X):
"""Returns the row standard coordinates.
The row standard coordinates are obtained by dividing each row principal coordinate by it's
associated eigenvalue.
"""
utils.validation.check_is_fitted(self, 's_')
return self.row_coordinates... | python | def row_standard_coordinates(self, X):
"""Returns the row standard coordinates.
The row standard coordinates are obtained by dividing each row principal coordinate by it's
associated eigenvalue.
"""
utils.validation.check_is_fitted(self, 's_')
return self.row_coordinates... | [
"def",
"row_standard_coordinates",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"return",
"self",
".",
"row_coordinates",
"(",
"X",
")",
".",
"div",
"(",
"self",
".",
"eigenvalues_",
... | Returns the row standard coordinates.
The row standard coordinates are obtained by dividing each row principal coordinate by it's
associated eigenvalue. | [
"Returns",
"the",
"row",
"standard",
"coordinates",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/pca.py#L106-L113 | train |
MaxHalford/prince | prince/pca.py | PCA.row_cosine_similarities | def row_cosine_similarities(self, X):
"""Returns the cosine similarities between the rows and their principal components.
The row cosine similarities are obtained by calculating the cosine of the angle shaped by
the row principal coordinates and the row principal components. This is calculated ... | python | def row_cosine_similarities(self, X):
"""Returns the cosine similarities between the rows and their principal components.
The row cosine similarities are obtained by calculating the cosine of the angle shaped by
the row principal coordinates and the row principal components. This is calculated ... | [
"def",
"row_cosine_similarities",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"squared_coordinates",
"=",
"np",
".",
"square",
"(",
"self",
".",
"row_coordinates",
"(",
"X",
")",
")",
... | Returns the cosine similarities between the rows and their principal components.
The row cosine similarities are obtained by calculating the cosine of the angle shaped by
the row principal coordinates and the row principal components. This is calculated by
squaring each row projection coordinat... | [
"Returns",
"the",
"cosine",
"similarities",
"between",
"the",
"rows",
"and",
"their",
"principal",
"components",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/pca.py#L125-L137 | train |
MaxHalford/prince | prince/pca.py | PCA.column_correlations | def column_correlations(self, X):
"""Returns the column correlations with each principal component."""
utils.validation.check_is_fitted(self, 's_')
# Convert numpy array to pandas DataFrame
if isinstance(X, np.ndarray):
X = pd.DataFrame(X)
row_pc = self.row_coordina... | python | def column_correlations(self, X):
"""Returns the column correlations with each principal component."""
utils.validation.check_is_fitted(self, 's_')
# Convert numpy array to pandas DataFrame
if isinstance(X, np.ndarray):
X = pd.DataFrame(X)
row_pc = self.row_coordina... | [
"def",
"column_correlations",
"(",
"self",
",",
"X",
")",
":",
"utils",
".",
"validation",
".",
"check_is_fitted",
"(",
"self",
",",
"'s_'",
")",
"if",
"isinstance",
"(",
"X",
",",
"np",
".",
"ndarray",
")",
":",
"X",
"=",
"pd",
".",
"DataFrame",
"("... | Returns the column correlations with each principal component. | [
"Returns",
"the",
"column",
"correlations",
"with",
"each",
"principal",
"component",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/pca.py#L139-L155 | train |
MaxHalford/prince | prince/plot.py | build_ellipse | def build_ellipse(X, Y):
"""Construct ellipse coordinates from two arrays of numbers.
Args:
X (1D array_like)
Y (1D array_like)
Returns:
float: The mean of `X`.
float: The mean of `Y`.
float: The width of the ellipse.
float: The height of the ellipse.
... | python | def build_ellipse(X, Y):
"""Construct ellipse coordinates from two arrays of numbers.
Args:
X (1D array_like)
Y (1D array_like)
Returns:
float: The mean of `X`.
float: The mean of `Y`.
float: The width of the ellipse.
float: The height of the ellipse.
... | [
"def",
"build_ellipse",
"(",
"X",
",",
"Y",
")",
":",
"x_mean",
"=",
"np",
".",
"mean",
"(",
"X",
")",
"y_mean",
"=",
"np",
".",
"mean",
"(",
"Y",
")",
"cov_matrix",
"=",
"np",
".",
"cov",
"(",
"np",
".",
"vstack",
"(",
"(",
"X",
",",
"Y",
... | Construct ellipse coordinates from two arrays of numbers.
Args:
X (1D array_like)
Y (1D array_like)
Returns:
float: The mean of `X`.
float: The mean of `Y`.
float: The width of the ellipse.
float: The height of the ellipse.
float: The angle of orientatio... | [
"Construct",
"ellipse",
"coordinates",
"from",
"two",
"arrays",
"of",
"numbers",
"."
] | 714c9cdfc4d9f8823eabf550a23ad01fe87c50d7 | https://github.com/MaxHalford/prince/blob/714c9cdfc4d9f8823eabf550a23ad01fe87c50d7/prince/plot.py#L27-L55 | train |
projecthamster/hamster | src/hamster/widgets/timeinput.py | TimeInput.set_start_time | def set_start_time(self, start_time):
""" set the start time. when start time is set, drop down list
will start from start time and duration will be displayed in
brackets
"""
start_time = start_time or dt.time()
if isinstance(start_time, dt.time): # ensure that we... | python | def set_start_time(self, start_time):
""" set the start time. when start time is set, drop down list
will start from start time and duration will be displayed in
brackets
"""
start_time = start_time or dt.time()
if isinstance(start_time, dt.time): # ensure that we... | [
"def",
"set_start_time",
"(",
"self",
",",
"start_time",
")",
":",
"start_time",
"=",
"start_time",
"or",
"dt",
".",
"time",
"(",
")",
"if",
"isinstance",
"(",
"start_time",
",",
"dt",
".",
"time",
")",
":",
"self",
".",
"start_time",
"=",
"dt",
".",
... | set the start time. when start time is set, drop down list
will start from start time and duration will be displayed in
brackets | [
"set",
"the",
"start",
"time",
".",
"when",
"start",
"time",
"is",
"set",
"drop",
"down",
"list",
"will",
"start",
"from",
"start",
"time",
"and",
"duration",
"will",
"be",
"displayed",
"in",
"brackets"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/widgets/timeinput.py#L85-L94 | train |
projecthamster/hamster | src/hamster/lib/__init__.py | extract_time | def extract_time(match):
"""extract time from a time_re match."""
hour = int(match.group('hour'))
minute = int(match.group('minute'))
return dt.time(hour, minute) | python | def extract_time(match):
"""extract time from a time_re match."""
hour = int(match.group('hour'))
minute = int(match.group('minute'))
return dt.time(hour, minute) | [
"def",
"extract_time",
"(",
"match",
")",
":",
"hour",
"=",
"int",
"(",
"match",
".",
"group",
"(",
"'hour'",
")",
")",
"minute",
"=",
"int",
"(",
"match",
".",
"group",
"(",
"'minute'",
")",
")",
"return",
"dt",
".",
"time",
"(",
"hour",
",",
"m... | extract time from a time_re match. | [
"extract",
"time",
"from",
"a",
"time_re",
"match",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/__init__.py#L40-L44 | train |
projecthamster/hamster | src/hamster/lib/__init__.py | default_logger | def default_logger(name):
"""Return a toplevel logger.
This should be used only in the toplevel file.
Files deeper in the hierarchy should use
``logger = logging.getLogger(__name__)``,
in order to considered as children of the toplevel logger.
Beware that without a setLevel() somewhere,
th... | python | def default_logger(name):
"""Return a toplevel logger.
This should be used only in the toplevel file.
Files deeper in the hierarchy should use
``logger = logging.getLogger(__name__)``,
in order to considered as children of the toplevel logger.
Beware that without a setLevel() somewhere,
th... | [
"def",
"default_logger",
"(",
"name",
")",
":",
"logger",
"=",
"logging",
".",
"getLogger",
"(",
"name",
")",
"logger_handler",
"=",
"logging",
".",
"StreamHandler",
"(",
")",
"formatter",
"=",
"logging",
".",
"Formatter",
"(",
"'%(name)s - %(levelname)s - %(mes... | Return a toplevel logger.
This should be used only in the toplevel file.
Files deeper in the hierarchy should use
``logger = logging.getLogger(__name__)``,
in order to considered as children of the toplevel logger.
Beware that without a setLevel() somewhere,
the default value (warning) will be... | [
"Return",
"a",
"toplevel",
"logger",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/__init__.py#L355-L381 | train |
projecthamster/hamster | src/hamster/lib/__init__.py | Fact.serialized | def serialized(self, prepend_date=True):
"""Return a string fully representing the fact."""
name = self.serialized_name()
datetime = self.serialized_time(prepend_date)
return "%s %s" % (datetime, name) | python | def serialized(self, prepend_date=True):
"""Return a string fully representing the fact."""
name = self.serialized_name()
datetime = self.serialized_time(prepend_date)
return "%s %s" % (datetime, name) | [
"def",
"serialized",
"(",
"self",
",",
"prepend_date",
"=",
"True",
")",
":",
"name",
"=",
"self",
".",
"serialized_name",
"(",
")",
"datetime",
"=",
"self",
".",
"serialized_time",
"(",
"prepend_date",
")",
"return",
"\"%s %s\"",
"%",
"(",
"datetime",
","... | Return a string fully representing the fact. | [
"Return",
"a",
"string",
"fully",
"representing",
"the",
"fact",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/__init__.py#L200-L204 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget._with_rotation | def _with_rotation(self, w, h):
"""calculate the actual dimensions after rotation"""
res_w = abs(w * math.cos(self.rotation) + h * math.sin(self.rotation))
res_h = abs(h * math.cos(self.rotation) + w * math.sin(self.rotation))
return res_w, res_h | python | def _with_rotation(self, w, h):
"""calculate the actual dimensions after rotation"""
res_w = abs(w * math.cos(self.rotation) + h * math.sin(self.rotation))
res_h = abs(h * math.cos(self.rotation) + w * math.sin(self.rotation))
return res_w, res_h | [
"def",
"_with_rotation",
"(",
"self",
",",
"w",
",",
"h",
")",
":",
"res_w",
"=",
"abs",
"(",
"w",
"*",
"math",
".",
"cos",
"(",
"self",
".",
"rotation",
")",
"+",
"h",
"*",
"math",
".",
"sin",
"(",
"self",
".",
"rotation",
")",
")",
"res_h",
... | calculate the actual dimensions after rotation | [
"calculate",
"the",
"actual",
"dimensions",
"after",
"rotation"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L195-L199 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.queue_resize | def queue_resize(self):
"""request the element to re-check it's child sprite sizes"""
self._children_resize_queued = True
parent = getattr(self, "parent", None)
if parent and isinstance(parent, graphics.Sprite) and hasattr(parent, "queue_resize"):
parent.queue_resize() | python | def queue_resize(self):
"""request the element to re-check it's child sprite sizes"""
self._children_resize_queued = True
parent = getattr(self, "parent", None)
if parent and isinstance(parent, graphics.Sprite) and hasattr(parent, "queue_resize"):
parent.queue_resize() | [
"def",
"queue_resize",
"(",
"self",
")",
":",
"self",
".",
"_children_resize_queued",
"=",
"True",
"parent",
"=",
"getattr",
"(",
"self",
",",
"\"parent\"",
",",
"None",
")",
"if",
"parent",
"and",
"isinstance",
"(",
"parent",
",",
"graphics",
".",
"Sprite... | request the element to re-check it's child sprite sizes | [
"request",
"the",
"element",
"to",
"re",
"-",
"check",
"it",
"s",
"child",
"sprite",
"sizes"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L241-L246 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.get_min_size | def get_min_size(self):
"""returns size required by the widget"""
if self.visible == False:
return 0, 0
else:
return ((self.min_width or 0) + self.horizontal_padding + self.margin_left + self.margin_right,
(self.min_height or 0) + self.vertical_padding... | python | def get_min_size(self):
"""returns size required by the widget"""
if self.visible == False:
return 0, 0
else:
return ((self.min_width or 0) + self.horizontal_padding + self.margin_left + self.margin_right,
(self.min_height or 0) + self.vertical_padding... | [
"def",
"get_min_size",
"(",
"self",
")",
":",
"if",
"self",
".",
"visible",
"==",
"False",
":",
"return",
"0",
",",
"0",
"else",
":",
"return",
"(",
"(",
"self",
".",
"min_width",
"or",
"0",
")",
"+",
"self",
".",
"horizontal_padding",
"+",
"self",
... | returns size required by the widget | [
"returns",
"size",
"required",
"by",
"the",
"widget"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L249-L255 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.insert | def insert(self, index = 0, *widgets):
"""insert widget in the sprites list at the given index.
by default will prepend."""
for widget in widgets:
self._add(widget, index)
index +=1 # as we are moving forwards
self._sort() | python | def insert(self, index = 0, *widgets):
"""insert widget in the sprites list at the given index.
by default will prepend."""
for widget in widgets:
self._add(widget, index)
index +=1 # as we are moving forwards
self._sort() | [
"def",
"insert",
"(",
"self",
",",
"index",
"=",
"0",
",",
"*",
"widgets",
")",
":",
"for",
"widget",
"in",
"widgets",
":",
"self",
".",
"_add",
"(",
"widget",
",",
"index",
")",
"index",
"+=",
"1",
"self",
".",
"_sort",
"(",
")"
] | insert widget in the sprites list at the given index.
by default will prepend. | [
"insert",
"widget",
"in",
"the",
"sprites",
"list",
"at",
"the",
"given",
"index",
".",
"by",
"default",
"will",
"prepend",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L259-L265 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.insert_before | def insert_before(self, target):
"""insert this widget into the targets parent before the target"""
if not target.parent:
return
target.parent.insert(target.parent.sprites.index(target), self) | python | def insert_before(self, target):
"""insert this widget into the targets parent before the target"""
if not target.parent:
return
target.parent.insert(target.parent.sprites.index(target), self) | [
"def",
"insert_before",
"(",
"self",
",",
"target",
")",
":",
"if",
"not",
"target",
".",
"parent",
":",
"return",
"target",
".",
"parent",
".",
"insert",
"(",
"target",
".",
"parent",
".",
"sprites",
".",
"index",
"(",
"target",
")",
",",
"self",
")... | insert this widget into the targets parent before the target | [
"insert",
"this",
"widget",
"into",
"the",
"targets",
"parent",
"before",
"the",
"target"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L268-L272 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.insert_after | def insert_after(self, target):
"""insert this widget into the targets parent container after the target"""
if not target.parent:
return
target.parent.insert(target.parent.sprites.index(target) + 1, self) | python | def insert_after(self, target):
"""insert this widget into the targets parent container after the target"""
if not target.parent:
return
target.parent.insert(target.parent.sprites.index(target) + 1, self) | [
"def",
"insert_after",
"(",
"self",
",",
"target",
")",
":",
"if",
"not",
"target",
".",
"parent",
":",
"return",
"target",
".",
"parent",
".",
"insert",
"(",
"target",
".",
"parent",
".",
"sprites",
".",
"index",
"(",
"target",
")",
"+",
"1",
",",
... | insert this widget into the targets parent container after the target | [
"insert",
"this",
"widget",
"into",
"the",
"targets",
"parent",
"container",
"after",
"the",
"target"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L274-L278 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.width | def width(self):
"""width in pixels"""
alloc_w = self.alloc_w
if self.parent and isinstance(self.parent, graphics.Scene):
alloc_w = self.parent.width
def res(scene, event):
if self.parent:
self.queue_resize()
else:
... | python | def width(self):
"""width in pixels"""
alloc_w = self.alloc_w
if self.parent and isinstance(self.parent, graphics.Scene):
alloc_w = self.parent.width
def res(scene, event):
if self.parent:
self.queue_resize()
else:
... | [
"def",
"width",
"(",
"self",
")",
":",
"alloc_w",
"=",
"self",
".",
"alloc_w",
"if",
"self",
".",
"parent",
"and",
"isinstance",
"(",
"self",
".",
"parent",
",",
"graphics",
".",
"Scene",
")",
":",
"alloc_w",
"=",
"self",
".",
"parent",
".",
"width",... | width in pixels | [
"width",
"in",
"pixels"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L282-L305 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.height | def height(self):
"""height in pixels"""
alloc_h = self.alloc_h
if self.parent and isinstance(self.parent, graphics.Scene):
alloc_h = self.parent.height
min_height = (self.min_height or 0) + self.margin_top + self.margin_bottom
h = alloc_h if alloc_h is not None and... | python | def height(self):
"""height in pixels"""
alloc_h = self.alloc_h
if self.parent and isinstance(self.parent, graphics.Scene):
alloc_h = self.parent.height
min_height = (self.min_height or 0) + self.margin_top + self.margin_bottom
h = alloc_h if alloc_h is not None and... | [
"def",
"height",
"(",
"self",
")",
":",
"alloc_h",
"=",
"self",
".",
"alloc_h",
"if",
"self",
".",
"parent",
"and",
"isinstance",
"(",
"self",
".",
"parent",
",",
"graphics",
".",
"Scene",
")",
":",
"alloc_h",
"=",
"self",
".",
"parent",
".",
"height... | height in pixels | [
"height",
"in",
"pixels"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L308-L318 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Widget.enabled | def enabled(self):
"""whether the user is allowed to interact with the
widget. Item is enabled only if all it's parent elements are"""
enabled = self._enabled
if not enabled:
return False
if self.parent and isinstance(self.parent, Widget):
if self.parent.... | python | def enabled(self):
"""whether the user is allowed to interact with the
widget. Item is enabled only if all it's parent elements are"""
enabled = self._enabled
if not enabled:
return False
if self.parent and isinstance(self.parent, Widget):
if self.parent.... | [
"def",
"enabled",
"(",
"self",
")",
":",
"enabled",
"=",
"self",
".",
"_enabled",
"if",
"not",
"enabled",
":",
"return",
"False",
"if",
"self",
".",
"parent",
"and",
"isinstance",
"(",
"self",
".",
"parent",
",",
"Widget",
")",
":",
"if",
"self",
"."... | whether the user is allowed to interact with the
widget. Item is enabled only if all it's parent elements are | [
"whether",
"the",
"user",
"is",
"allowed",
"to",
"interact",
"with",
"the",
"widget",
".",
"Item",
"is",
"enabled",
"only",
"if",
"all",
"it",
"s",
"parent",
"elements",
"are"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L321-L332 | train |
projecthamster/hamster | src/hamster/lib/layout.py | Container.resize_children | def resize_children(self):
"""default container alignment is to pile stuff just up, respecting only
padding, margin and element's alignment properties"""
width = self.width - self.horizontal_padding
height = self.height - self.vertical_padding
for sprite, props in (get_props(spr... | python | def resize_children(self):
"""default container alignment is to pile stuff just up, respecting only
padding, margin and element's alignment properties"""
width = self.width - self.horizontal_padding
height = self.height - self.vertical_padding
for sprite, props in (get_props(spr... | [
"def",
"resize_children",
"(",
"self",
")",
":",
"width",
"=",
"self",
".",
"width",
"-",
"self",
".",
"horizontal_padding",
"height",
"=",
"self",
".",
"height",
"-",
"self",
".",
"vertical_padding",
"for",
"sprite",
",",
"props",
"in",
"(",
"get_props",
... | default container alignment is to pile stuff just up, respecting only
padding, margin and element's alignment properties | [
"default",
"container",
"alignment",
"is",
"to",
"pile",
"stuff",
"just",
"up",
"respecting",
"only",
"padding",
"margin",
"and",
"element",
"s",
"alignment",
"properties"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/layout.py#L474-L496 | train |
projecthamster/hamster | src/hamster/lib/desktop.py | DesktopIntegrations.check_hamster | def check_hamster(self):
"""refresh hamster every x secs - load today, check last activity etc."""
try:
# can't use the client because then we end up in a dbus loop
# as this is initiated in storage
todays_facts = self.storage._Storage__get_todays_facts()
... | python | def check_hamster(self):
"""refresh hamster every x secs - load today, check last activity etc."""
try:
# can't use the client because then we end up in a dbus loop
# as this is initiated in storage
todays_facts = self.storage._Storage__get_todays_facts()
... | [
"def",
"check_hamster",
"(",
"self",
")",
":",
"try",
":",
"todays_facts",
"=",
"self",
".",
"storage",
".",
"_Storage__get_todays_facts",
"(",
")",
"self",
".",
"check_user",
"(",
"todays_facts",
")",
"except",
"Exception",
"as",
"e",
":",
"logger",
".",
... | refresh hamster every x secs - load today, check last activity etc. | [
"refresh",
"hamster",
"every",
"x",
"secs",
"-",
"load",
"today",
"check",
"last",
"activity",
"etc",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/desktop.py#L52-L62 | train |
projecthamster/hamster | src/hamster/lib/desktop.py | DesktopIntegrations.check_user | def check_user(self, todays_facts):
"""check if we need to notify user perhaps"""
interval = self.conf_notify_interval
if interval <= 0 or interval >= 121:
return
now = dt.datetime.now()
message = None
last_activity = todays_facts[-1] if todays_facts else No... | python | def check_user(self, todays_facts):
"""check if we need to notify user perhaps"""
interval = self.conf_notify_interval
if interval <= 0 or interval >= 121:
return
now = dt.datetime.now()
message = None
last_activity = todays_facts[-1] if todays_facts else No... | [
"def",
"check_user",
"(",
"self",
",",
"todays_facts",
")",
":",
"interval",
"=",
"self",
".",
"conf_notify_interval",
"if",
"interval",
"<=",
"0",
"or",
"interval",
">=",
"121",
":",
"return",
"now",
"=",
"dt",
".",
"datetime",
".",
"now",
"(",
")",
"... | check if we need to notify user perhaps | [
"check",
"if",
"we",
"need",
"to",
"notify",
"user",
"perhaps"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/desktop.py#L65-L88 | train |
projecthamster/hamster | src/hamster/storage/storage.py | Storage.stop_tracking | def stop_tracking(self, end_time):
"""Stops tracking the current activity"""
facts = self.__get_todays_facts()
if facts and not facts[-1]['end_time']:
self.__touch_fact(facts[-1], end_time)
self.facts_changed() | python | def stop_tracking(self, end_time):
"""Stops tracking the current activity"""
facts = self.__get_todays_facts()
if facts and not facts[-1]['end_time']:
self.__touch_fact(facts[-1], end_time)
self.facts_changed() | [
"def",
"stop_tracking",
"(",
"self",
",",
"end_time",
")",
":",
"facts",
"=",
"self",
".",
"__get_todays_facts",
"(",
")",
"if",
"facts",
"and",
"not",
"facts",
"[",
"-",
"1",
"]",
"[",
"'end_time'",
"]",
":",
"self",
".",
"__touch_fact",
"(",
"facts",... | Stops tracking the current activity | [
"Stops",
"tracking",
"the",
"current",
"activity"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/storage.py#L67-L72 | train |
projecthamster/hamster | src/hamster/storage/storage.py | Storage.remove_fact | def remove_fact(self, fact_id):
"""Remove fact from storage by it's ID"""
self.start_transaction()
fact = self.__get_fact(fact_id)
if fact:
self.__remove_fact(fact_id)
self.facts_changed()
self.end_transaction() | python | def remove_fact(self, fact_id):
"""Remove fact from storage by it's ID"""
self.start_transaction()
fact = self.__get_fact(fact_id)
if fact:
self.__remove_fact(fact_id)
self.facts_changed()
self.end_transaction() | [
"def",
"remove_fact",
"(",
"self",
",",
"fact_id",
")",
":",
"self",
".",
"start_transaction",
"(",
")",
"fact",
"=",
"self",
".",
"__get_fact",
"(",
"fact_id",
")",
"if",
"fact",
":",
"self",
".",
"__remove_fact",
"(",
"fact_id",
")",
"self",
".",
"fa... | Remove fact from storage by it's ID | [
"Remove",
"fact",
"from",
"storage",
"by",
"it",
"s",
"ID"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/storage.py#L75-L82 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | load_ui_file | def load_ui_file(name):
"""loads interface from the glade file; sorts out the path business"""
ui = gtk.Builder()
ui.add_from_file(os.path.join(runtime.data_dir, name))
return ui | python | def load_ui_file(name):
"""loads interface from the glade file; sorts out the path business"""
ui = gtk.Builder()
ui.add_from_file(os.path.join(runtime.data_dir, name))
return ui | [
"def",
"load_ui_file",
"(",
"name",
")",
":",
"ui",
"=",
"gtk",
".",
"Builder",
"(",
")",
"ui",
".",
"add_from_file",
"(",
"os",
".",
"path",
".",
"join",
"(",
"runtime",
".",
"data_dir",
",",
"name",
")",
")",
"return",
"ui"
] | loads interface from the glade file; sorts out the path business | [
"loads",
"interface",
"from",
"the",
"glade",
"file",
";",
"sorts",
"out",
"the",
"path",
"business"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L87-L91 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore._fix_key | def _fix_key(self, key):
"""
Appends the GCONF_PREFIX to the key if needed
@param key: The key to check
@type key: C{string}
@returns: The fixed key
@rtype: C{string}
"""
if not key.startswith(self.GCONF_DIR):
return self.GCONF_DIR + key
... | python | def _fix_key(self, key):
"""
Appends the GCONF_PREFIX to the key if needed
@param key: The key to check
@type key: C{string}
@returns: The fixed key
@rtype: C{string}
"""
if not key.startswith(self.GCONF_DIR):
return self.GCONF_DIR + key
... | [
"def",
"_fix_key",
"(",
"self",
",",
"key",
")",
":",
"if",
"not",
"key",
".",
"startswith",
"(",
"self",
".",
"GCONF_DIR",
")",
":",
"return",
"self",
".",
"GCONF_DIR",
"+",
"key",
"else",
":",
"return",
"key"
] | Appends the GCONF_PREFIX to the key if needed
@param key: The key to check
@type key: C{string}
@returns: The fixed key
@rtype: C{string} | [
"Appends",
"the",
"GCONF_PREFIX",
"to",
"the",
"key",
"if",
"needed"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L224-L236 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore._key_changed | def _key_changed(self, client, cnxn_id, entry, data=None):
"""
Callback when a gconf key changes
"""
key = self._fix_key(entry.key)[len(self.GCONF_DIR):]
value = self._get_value(entry.value, self.DEFAULTS[key])
self.emit('conf-changed', key, value) | python | def _key_changed(self, client, cnxn_id, entry, data=None):
"""
Callback when a gconf key changes
"""
key = self._fix_key(entry.key)[len(self.GCONF_DIR):]
value = self._get_value(entry.value, self.DEFAULTS[key])
self.emit('conf-changed', key, value) | [
"def",
"_key_changed",
"(",
"self",
",",
"client",
",",
"cnxn_id",
",",
"entry",
",",
"data",
"=",
"None",
")",
":",
"key",
"=",
"self",
".",
"_fix_key",
"(",
"entry",
".",
"key",
")",
"[",
"len",
"(",
"self",
".",
"GCONF_DIR",
")",
":",
"]",
"va... | Callback when a gconf key changes | [
"Callback",
"when",
"a",
"gconf",
"key",
"changes"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L238-L245 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore._get_value | def _get_value(self, value, default):
"""calls appropriate gconf function by the default value"""
vtype = type(default)
if vtype is bool:
return value.get_bool()
elif vtype is str:
return value.get_string()
elif vtype is int:
return value.get_... | python | def _get_value(self, value, default):
"""calls appropriate gconf function by the default value"""
vtype = type(default)
if vtype is bool:
return value.get_bool()
elif vtype is str:
return value.get_string()
elif vtype is int:
return value.get_... | [
"def",
"_get_value",
"(",
"self",
",",
"value",
",",
"default",
")",
":",
"vtype",
"=",
"type",
"(",
"default",
")",
"if",
"vtype",
"is",
"bool",
":",
"return",
"value",
".",
"get_bool",
"(",
")",
"elif",
"vtype",
"is",
"str",
":",
"return",
"value",... | calls appropriate gconf function by the default value | [
"calls",
"appropriate",
"gconf",
"function",
"by",
"the",
"default",
"value"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L248-L264 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore.get | def get(self, key, default=None):
"""
Returns the value of the key or the default value if the key is
not yet in gconf
"""
#function arguments override defaults
if default is None:
default = self.DEFAULTS.get(key, None)
vtype = type(default)
... | python | def get(self, key, default=None):
"""
Returns the value of the key or the default value if the key is
not yet in gconf
"""
#function arguments override defaults
if default is None:
default = self.DEFAULTS.get(key, None)
vtype = type(default)
... | [
"def",
"get",
"(",
"self",
",",
"key",
",",
"default",
"=",
"None",
")",
":",
"if",
"default",
"is",
"None",
":",
"default",
"=",
"self",
".",
"DEFAULTS",
".",
"get",
"(",
"key",
",",
"None",
")",
"vtype",
"=",
"type",
"(",
"default",
")",
"if",
... | Returns the value of the key or the default value if the key is
not yet in gconf | [
"Returns",
"the",
"value",
"of",
"the",
"key",
"or",
"the",
"default",
"value",
"if",
"the",
"key",
"is",
"not",
"yet",
"in",
"gconf"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L266-L303 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore.set | def set(self, key, value):
"""
Sets the key value in gconf and connects adds a signal
which is fired if the key changes
"""
logger.debug("Settings %s -> %s" % (key, value))
if key in self.DEFAULTS:
vtype = type(self.DEFAULTS[key])
else:
vty... | python | def set(self, key, value):
"""
Sets the key value in gconf and connects adds a signal
which is fired if the key changes
"""
logger.debug("Settings %s -> %s" % (key, value))
if key in self.DEFAULTS:
vtype = type(self.DEFAULTS[key])
else:
vty... | [
"def",
"set",
"(",
"self",
",",
"key",
",",
"value",
")",
":",
"logger",
".",
"debug",
"(",
"\"Settings %s -> %s\"",
"%",
"(",
"key",
",",
"value",
")",
")",
"if",
"key",
"in",
"self",
".",
"DEFAULTS",
":",
"vtype",
"=",
"type",
"(",
"self",
".",
... | Sets the key value in gconf and connects adds a signal
which is fired if the key changes | [
"Sets",
"the",
"key",
"value",
"in",
"gconf",
"and",
"connects",
"adds",
"a",
"signal",
"which",
"is",
"fired",
"if",
"the",
"key",
"changes"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L305-L334 | train |
projecthamster/hamster | src/hamster/lib/configuration.py | GConfStore.day_start | def day_start(self):
"""Start of the hamster day."""
day_start_minutes = self.get("day_start_minutes")
hours, minutes = divmod(day_start_minutes, 60)
return dt.time(hours, minutes) | python | def day_start(self):
"""Start of the hamster day."""
day_start_minutes = self.get("day_start_minutes")
hours, minutes = divmod(day_start_minutes, 60)
return dt.time(hours, minutes) | [
"def",
"day_start",
"(",
"self",
")",
":",
"day_start_minutes",
"=",
"self",
".",
"get",
"(",
"\"day_start_minutes\"",
")",
"hours",
",",
"minutes",
"=",
"divmod",
"(",
"day_start_minutes",
",",
"60",
")",
"return",
"dt",
".",
"time",
"(",
"hours",
",",
... | Start of the hamster day. | [
"Start",
"of",
"the",
"hamster",
"day",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/configuration.py#L337-L341 | train |
projecthamster/hamster | src/hamster/edit_activity.py | CustomFactController.localized_fact | def localized_fact(self):
"""Make sure fact has the correct start_time."""
fact = Fact(self.activity.get_text())
if fact.start_time:
fact.date = self.date
else:
fact.start_time = dt.datetime.now()
return fact | python | def localized_fact(self):
"""Make sure fact has the correct start_time."""
fact = Fact(self.activity.get_text())
if fact.start_time:
fact.date = self.date
else:
fact.start_time = dt.datetime.now()
return fact | [
"def",
"localized_fact",
"(",
"self",
")",
":",
"fact",
"=",
"Fact",
"(",
"self",
".",
"activity",
".",
"get_text",
"(",
")",
")",
"if",
"fact",
".",
"start_time",
":",
"fact",
".",
"date",
"=",
"self",
".",
"date",
"else",
":",
"fact",
".",
"start... | Make sure fact has the correct start_time. | [
"Make",
"sure",
"fact",
"has",
"the",
"correct",
"start_time",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/edit_activity.py#L124-L131 | train |
projecthamster/hamster | src/hamster/widgets/activityentry.py | CompleteTree.set_row_positions | def set_row_positions(self):
"""creates a list of row positions for simpler manipulation"""
self.row_positions = [i * self.row_height for i in range(len(self.rows))]
self.set_size_request(0, self.row_positions[-1] + self.row_height if self.row_positions else 0) | python | def set_row_positions(self):
"""creates a list of row positions for simpler manipulation"""
self.row_positions = [i * self.row_height for i in range(len(self.rows))]
self.set_size_request(0, self.row_positions[-1] + self.row_height if self.row_positions else 0) | [
"def",
"set_row_positions",
"(",
"self",
")",
":",
"self",
".",
"row_positions",
"=",
"[",
"i",
"*",
"self",
".",
"row_height",
"for",
"i",
"in",
"range",
"(",
"len",
"(",
"self",
".",
"rows",
")",
")",
"]",
"self",
".",
"set_size_request",
"(",
"0",... | creates a list of row positions for simpler manipulation | [
"creates",
"a",
"list",
"of",
"row",
"positions",
"for",
"simpler",
"manipulation"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/widgets/activityentry.py#L157-L160 | train |
projecthamster/hamster | src/hamster/client.py | from_dbus_fact | def from_dbus_fact(fact):
"""unpack the struct into a proper dict"""
return Fact(fact[4],
start_time = dt.datetime.utcfromtimestamp(fact[1]),
end_time = dt.datetime.utcfromtimestamp(fact[2]) if fact[2] else None,
description = fact[3],
activity_id... | python | def from_dbus_fact(fact):
"""unpack the struct into a proper dict"""
return Fact(fact[4],
start_time = dt.datetime.utcfromtimestamp(fact[1]),
end_time = dt.datetime.utcfromtimestamp(fact[2]) if fact[2] else None,
description = fact[3],
activity_id... | [
"def",
"from_dbus_fact",
"(",
"fact",
")",
":",
"return",
"Fact",
"(",
"fact",
"[",
"4",
"]",
",",
"start_time",
"=",
"dt",
".",
"datetime",
".",
"utcfromtimestamp",
"(",
"fact",
"[",
"1",
"]",
")",
",",
"end_time",
"=",
"dt",
".",
"datetime",
".",
... | unpack the struct into a proper dict | [
"unpack",
"the",
"struct",
"into",
"a",
"proper",
"dict"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/client.py#L28-L39 | train |
projecthamster/hamster | src/hamster/client.py | Storage.get_tags | def get_tags(self, only_autocomplete = False):
"""returns list of all tags. by default only those that have been set for autocomplete"""
return self._to_dict(('id', 'name', 'autocomplete'), self.conn.GetTags(only_autocomplete)) | python | def get_tags(self, only_autocomplete = False):
"""returns list of all tags. by default only those that have been set for autocomplete"""
return self._to_dict(('id', 'name', 'autocomplete'), self.conn.GetTags(only_autocomplete)) | [
"def",
"get_tags",
"(",
"self",
",",
"only_autocomplete",
"=",
"False",
")",
":",
"return",
"self",
".",
"_to_dict",
"(",
"(",
"'id'",
",",
"'name'",
",",
"'autocomplete'",
")",
",",
"self",
".",
"conn",
".",
"GetTags",
"(",
"only_autocomplete",
")",
")"... | returns list of all tags. by default only those that have been set for autocomplete | [
"returns",
"list",
"of",
"all",
"tags",
".",
"by",
"default",
"only",
"those",
"that",
"have",
"been",
"set",
"for",
"autocomplete"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/client.py#L151-L153 | train |
projecthamster/hamster | src/hamster/client.py | Storage.stop_tracking | def stop_tracking(self, end_time = None):
"""Stop tracking current activity. end_time can be passed in if the
activity should have other end time than the current moment"""
end_time = timegm((end_time or dt.datetime.now()).timetuple())
return self.conn.StopTracking(end_time) | python | def stop_tracking(self, end_time = None):
"""Stop tracking current activity. end_time can be passed in if the
activity should have other end time than the current moment"""
end_time = timegm((end_time or dt.datetime.now()).timetuple())
return self.conn.StopTracking(end_time) | [
"def",
"stop_tracking",
"(",
"self",
",",
"end_time",
"=",
"None",
")",
":",
"end_time",
"=",
"timegm",
"(",
"(",
"end_time",
"or",
"dt",
".",
"datetime",
".",
"now",
"(",
")",
")",
".",
"timetuple",
"(",
")",
")",
"return",
"self",
".",
"conn",
".... | Stop tracking current activity. end_time can be passed in if the
activity should have other end time than the current moment | [
"Stop",
"tracking",
"current",
"activity",
".",
"end_time",
"can",
"be",
"passed",
"in",
"if",
"the",
"activity",
"should",
"have",
"other",
"end",
"time",
"than",
"the",
"current",
"moment"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/client.py#L201-L205 | train |
projecthamster/hamster | src/hamster/client.py | Storage.get_category_activities | def get_category_activities(self, category_id = None):
"""Return activities for category. If category is not specified, will
return activities that have no category"""
category_id = category_id or -1
return self._to_dict(('id', 'name', 'category_id', 'category'), self.conn.GetCategoryAct... | python | def get_category_activities(self, category_id = None):
"""Return activities for category. If category is not specified, will
return activities that have no category"""
category_id = category_id or -1
return self._to_dict(('id', 'name', 'category_id', 'category'), self.conn.GetCategoryAct... | [
"def",
"get_category_activities",
"(",
"self",
",",
"category_id",
"=",
"None",
")",
":",
"category_id",
"=",
"category_id",
"or",
"-",
"1",
"return",
"self",
".",
"_to_dict",
"(",
"(",
"'id'",
",",
"'name'",
",",
"'category_id'",
",",
"'category'",
")",
"... | Return activities for category. If category is not specified, will
return activities that have no category | [
"Return",
"activities",
"for",
"category",
".",
"If",
"category",
"is",
"not",
"specified",
"will",
"return",
"activities",
"that",
"have",
"no",
"category"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/client.py#L232-L236 | train |
projecthamster/hamster | src/hamster/client.py | Storage.get_activity_by_name | def get_activity_by_name(self, activity, category_id = None, resurrect = True):
"""returns activity dict by name and optionally filtering by category.
if activity is found but is marked as deleted, it will be resurrected
unless told otherwise in the resurrect param
"""
cate... | python | def get_activity_by_name(self, activity, category_id = None, resurrect = True):
"""returns activity dict by name and optionally filtering by category.
if activity is found but is marked as deleted, it will be resurrected
unless told otherwise in the resurrect param
"""
cate... | [
"def",
"get_activity_by_name",
"(",
"self",
",",
"activity",
",",
"category_id",
"=",
"None",
",",
"resurrect",
"=",
"True",
")",
":",
"category_id",
"=",
"category_id",
"or",
"0",
"return",
"self",
".",
"conn",
".",
"GetActivityByName",
"(",
"activity",
","... | returns activity dict by name and optionally filtering by category.
if activity is found but is marked as deleted, it will be resurrected
unless told otherwise in the resurrect param | [
"returns",
"activity",
"dict",
"by",
"name",
"and",
"optionally",
"filtering",
"by",
"category",
".",
"if",
"activity",
"is",
"found",
"but",
"is",
"marked",
"as",
"deleted",
"it",
"will",
"be",
"resurrected",
"unless",
"told",
"otherwise",
"in",
"the",
"res... | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/client.py#L242-L248 | train |
projecthamster/hamster | src/hamster/idle.py | DbusIdleListener.bus_inspector | def bus_inspector(self, bus, message):
"""
Inspect the bus for screensaver messages of interest
"""
# We only care about stuff on this interface. We did filter
# for it above, but even so we still hear from ourselves
# (hamster messages).
if message.get_interfac... | python | def bus_inspector(self, bus, message):
"""
Inspect the bus for screensaver messages of interest
"""
# We only care about stuff on this interface. We did filter
# for it above, but even so we still hear from ourselves
# (hamster messages).
if message.get_interfac... | [
"def",
"bus_inspector",
"(",
"self",
",",
"bus",
",",
"message",
")",
":",
"if",
"message",
".",
"get_interface",
"(",
")",
"!=",
"self",
".",
"screensaver_uri",
":",
"return",
"True",
"member",
"=",
"message",
".",
"get_member",
"(",
")",
"if",
"member"... | Inspect the bus for screensaver messages of interest | [
"Inspect",
"the",
"bus",
"for",
"screensaver",
"messages",
"of",
"interest"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/idle.py#L77-L134 | train |
projecthamster/hamster | src/hamster/lib/i18n.py | C_ | def C_(ctx, s):
"""Provide qualified translatable strings via context.
Taken from gnome-games.
"""
translated = gettext.gettext('%s\x04%s' % (ctx, s))
if '\x04' in translated:
# no translation found, return input string
return s
return translated | python | def C_(ctx, s):
"""Provide qualified translatable strings via context.
Taken from gnome-games.
"""
translated = gettext.gettext('%s\x04%s' % (ctx, s))
if '\x04' in translated:
# no translation found, return input string
return s
return translated | [
"def",
"C_",
"(",
"ctx",
",",
"s",
")",
":",
"translated",
"=",
"gettext",
".",
"gettext",
"(",
"'%s\\x04%s'",
"%",
"(",
"ctx",
",",
"s",
")",
")",
"if",
"'\\x04'",
"in",
"translated",
":",
"return",
"s",
"return",
"translated"
] | Provide qualified translatable strings via context.
Taken from gnome-games. | [
"Provide",
"qualified",
"translatable",
"strings",
"via",
"context",
".",
"Taken",
"from",
"gnome",
"-",
"games",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/i18n.py#L34-L42 | train |
projecthamster/hamster | wafadmin/Scripting.py | clean | def clean(bld):
'''removes the build files'''
try:
proj=Environment.Environment(Options.lockfile)
except IOError:
raise Utils.WafError('Nothing to clean (project not configured)')
bld.load_dirs(proj[SRCDIR],proj[BLDDIR])
bld.load_envs()
bld.is_install=0
bld.add_subdirs([os.path.split(Utils.g_module.root_path... | python | def clean(bld):
'''removes the build files'''
try:
proj=Environment.Environment(Options.lockfile)
except IOError:
raise Utils.WafError('Nothing to clean (project not configured)')
bld.load_dirs(proj[SRCDIR],proj[BLDDIR])
bld.load_envs()
bld.is_install=0
bld.add_subdirs([os.path.split(Utils.g_module.root_path... | [
"def",
"clean",
"(",
"bld",
")",
":",
"try",
":",
"proj",
"=",
"Environment",
".",
"Environment",
"(",
"Options",
".",
"lockfile",
")",
"except",
"IOError",
":",
"raise",
"Utils",
".",
"WafError",
"(",
"'Nothing to clean (project not configured)'",
")",
"bld",... | removes the build files | [
"removes",
"the",
"build",
"files"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/wafadmin/Scripting.py#L188-L201 | train |
projecthamster/hamster | wafadmin/Scripting.py | install | def install(bld):
'''installs the build files'''
bld=check_configured(bld)
Options.commands['install']=True
Options.commands['uninstall']=False
Options.is_install=True
bld.is_install=INSTALL
build_impl(bld)
bld.install() | python | def install(bld):
'''installs the build files'''
bld=check_configured(bld)
Options.commands['install']=True
Options.commands['uninstall']=False
Options.is_install=True
bld.is_install=INSTALL
build_impl(bld)
bld.install() | [
"def",
"install",
"(",
"bld",
")",
":",
"bld",
"=",
"check_configured",
"(",
"bld",
")",
"Options",
".",
"commands",
"[",
"'install'",
"]",
"=",
"True",
"Options",
".",
"commands",
"[",
"'uninstall'",
"]",
"=",
"False",
"Options",
".",
"is_install",
"=",... | installs the build files | [
"installs",
"the",
"build",
"files"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/wafadmin/Scripting.py#L248-L256 | train |
projecthamster/hamster | wafadmin/Scripting.py | uninstall | def uninstall(bld):
'''removes the installed files'''
Options.commands['install']=False
Options.commands['uninstall']=True
Options.is_install=True
bld.is_install=UNINSTALL
try:
def runnable_status(self):
return SKIP_ME
setattr(Task.Task,'runnable_status_back',Task.Task.runnable_status)
setattr(Task.Task,... | python | def uninstall(bld):
'''removes the installed files'''
Options.commands['install']=False
Options.commands['uninstall']=True
Options.is_install=True
bld.is_install=UNINSTALL
try:
def runnable_status(self):
return SKIP_ME
setattr(Task.Task,'runnable_status_back',Task.Task.runnable_status)
setattr(Task.Task,... | [
"def",
"uninstall",
"(",
"bld",
")",
":",
"Options",
".",
"commands",
"[",
"'install'",
"]",
"=",
"False",
"Options",
".",
"commands",
"[",
"'uninstall'",
"]",
"=",
"True",
"Options",
".",
"is_install",
"=",
"True",
"bld",
".",
"is_install",
"=",
"UNINST... | removes the installed files | [
"removes",
"the",
"installed",
"files"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/wafadmin/Scripting.py#L257-L271 | train |
projecthamster/hamster | wafadmin/Scripting.py | distclean | def distclean(ctx=None):
'''removes the build directory'''
global commands
lst=os.listdir('.')
for f in lst:
if f==Options.lockfile:
try:
proj=Environment.Environment(f)
except:
Logs.warn('could not read %r'%f)
continue
try:
shutil.rmtree(proj[BLDDIR])
except IOError:
pass
excep... | python | def distclean(ctx=None):
'''removes the build directory'''
global commands
lst=os.listdir('.')
for f in lst:
if f==Options.lockfile:
try:
proj=Environment.Environment(f)
except:
Logs.warn('could not read %r'%f)
continue
try:
shutil.rmtree(proj[BLDDIR])
except IOError:
pass
excep... | [
"def",
"distclean",
"(",
"ctx",
"=",
"None",
")",
":",
"global",
"commands",
"lst",
"=",
"os",
".",
"listdir",
"(",
"'.'",
")",
"for",
"f",
"in",
"lst",
":",
"if",
"f",
"==",
"Options",
".",
"lockfile",
":",
"try",
":",
"proj",
"=",
"Environment",
... | removes the build directory | [
"removes",
"the",
"build",
"directory"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/wafadmin/Scripting.py#L318-L342 | train |
projecthamster/hamster | wafadmin/Scripting.py | dist | def dist(appname='',version=''):
'''makes a tarball for redistributing the sources'''
import tarfile
if not appname:appname=Utils.g_module.APPNAME
if not version:version=Utils.g_module.VERSION
tmp_folder=appname+'-'+version
if g_gz in['gz','bz2']:
arch_name=tmp_folder+'.tar.'+g_gz
else:
arch_name=tmp_folder+... | python | def dist(appname='',version=''):
'''makes a tarball for redistributing the sources'''
import tarfile
if not appname:appname=Utils.g_module.APPNAME
if not version:version=Utils.g_module.VERSION
tmp_folder=appname+'-'+version
if g_gz in['gz','bz2']:
arch_name=tmp_folder+'.tar.'+g_gz
else:
arch_name=tmp_folder+... | [
"def",
"dist",
"(",
"appname",
"=",
"''",
",",
"version",
"=",
"''",
")",
":",
"import",
"tarfile",
"if",
"not",
"appname",
":",
"appname",
"=",
"Utils",
".",
"g_module",
".",
"APPNAME",
"if",
"not",
"version",
":",
"version",
"=",
"Utils",
".",
"g_m... | makes a tarball for redistributing the sources | [
"makes",
"a",
"tarball",
"for",
"redistributing",
"the",
"sources"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/wafadmin/Scripting.py#L343-L387 | train |
projecthamster/hamster | src/hamster/widgets/reportchooserdialog.py | ReportChooserDialog.show | def show(self, start_date, end_date):
"""setting suggested name to something readable, replace backslashes
with dots so the name is valid in linux"""
# title in the report file name
vars = {"title": _("Time track"),
"start": start_date.strftime("%x").replace("/", ".")... | python | def show(self, start_date, end_date):
"""setting suggested name to something readable, replace backslashes
with dots so the name is valid in linux"""
# title in the report file name
vars = {"title": _("Time track"),
"start": start_date.strftime("%x").replace("/", ".")... | [
"def",
"show",
"(",
"self",
",",
"start_date",
",",
"end_date",
")",
":",
"vars",
"=",
"{",
"\"title\"",
":",
"_",
"(",
"\"Time track\"",
")",
",",
"\"start\"",
":",
"start_date",
".",
"strftime",
"(",
"\"%x\"",
")",
".",
"replace",
"(",
"\"/\"",
",",
... | setting suggested name to something readable, replace backslashes
with dots so the name is valid in linux | [
"setting",
"suggested",
"name",
"to",
"something",
"readable",
"replace",
"backslashes",
"with",
"dots",
"so",
"the",
"name",
"is",
"valid",
"in",
"linux"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/widgets/reportchooserdialog.py#L90-L112 | train |
projecthamster/hamster | src/hamster/lib/pytweener.py | Tweener.kill_tweens | def kill_tweens(self, obj = None):
"""Stop tweening an object, without completing the motion or firing the
on_complete"""
if obj is not None:
try:
del self.current_tweens[obj]
except:
pass
else:
self.current_tweens = col... | python | def kill_tweens(self, obj = None):
"""Stop tweening an object, without completing the motion or firing the
on_complete"""
if obj is not None:
try:
del self.current_tweens[obj]
except:
pass
else:
self.current_tweens = col... | [
"def",
"kill_tweens",
"(",
"self",
",",
"obj",
"=",
"None",
")",
":",
"if",
"obj",
"is",
"not",
"None",
":",
"try",
":",
"del",
"self",
".",
"current_tweens",
"[",
"obj",
"]",
"except",
":",
"pass",
"else",
":",
"self",
".",
"current_tweens",
"=",
... | Stop tweening an object, without completing the motion or firing the
on_complete | [
"Stop",
"tweening",
"an",
"object",
"without",
"completing",
"the",
"motion",
"or",
"firing",
"the",
"on_complete"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/pytweener.py#L72-L81 | train |
projecthamster/hamster | src/hamster/lib/pytweener.py | Tweener.remove_tween | def remove_tween(self, tween):
""""remove given tween without completing the motion or firing the on_complete"""
if tween.target in self.current_tweens and tween in self.current_tweens[tween.target]:
self.current_tweens[tween.target].remove(tween)
if not self.current_tweens[tween... | python | def remove_tween(self, tween):
""""remove given tween without completing the motion or firing the on_complete"""
if tween.target in self.current_tweens and tween in self.current_tweens[tween.target]:
self.current_tweens[tween.target].remove(tween)
if not self.current_tweens[tween... | [
"def",
"remove_tween",
"(",
"self",
",",
"tween",
")",
":",
"if",
"tween",
".",
"target",
"in",
"self",
".",
"current_tweens",
"and",
"tween",
"in",
"self",
".",
"current_tweens",
"[",
"tween",
".",
"target",
"]",
":",
"self",
".",
"current_tweens",
"[",... | remove given tween without completing the motion or firing the on_complete | [
"remove",
"given",
"tween",
"without",
"completing",
"the",
"motion",
"or",
"firing",
"the",
"on_complete"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/pytweener.py#L83-L88 | train |
projecthamster/hamster | src/hamster/lib/pytweener.py | Tweener.finish | def finish(self):
"""jump the the last frame of all tweens"""
for obj in self.current_tweens:
for tween in self.current_tweens[obj]:
tween.finish()
self.current_tweens = {} | python | def finish(self):
"""jump the the last frame of all tweens"""
for obj in self.current_tweens:
for tween in self.current_tweens[obj]:
tween.finish()
self.current_tweens = {} | [
"def",
"finish",
"(",
"self",
")",
":",
"for",
"obj",
"in",
"self",
".",
"current_tweens",
":",
"for",
"tween",
"in",
"self",
".",
"current_tweens",
"[",
"obj",
"]",
":",
"tween",
".",
"finish",
"(",
")",
"self",
".",
"current_tweens",
"=",
"{",
"}"
... | jump the the last frame of all tweens | [
"jump",
"the",
"the",
"last",
"frame",
"of",
"all",
"tweens"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/pytweener.py#L90-L95 | train |
projecthamster/hamster | src/hamster/lib/pytweener.py | Tweener.update | def update(self, delta_seconds):
"""update tweeners. delta_seconds is time in seconds since last frame"""
for obj in tuple(self.current_tweens):
for tween in tuple(self.current_tweens[obj]):
done = tween.update(delta_seconds)
if done:
self... | python | def update(self, delta_seconds):
"""update tweeners. delta_seconds is time in seconds since last frame"""
for obj in tuple(self.current_tweens):
for tween in tuple(self.current_tweens[obj]):
done = tween.update(delta_seconds)
if done:
self... | [
"def",
"update",
"(",
"self",
",",
"delta_seconds",
")",
":",
"for",
"obj",
"in",
"tuple",
"(",
"self",
".",
"current_tweens",
")",
":",
"for",
"tween",
"in",
"tuple",
"(",
"self",
".",
"current_tweens",
"[",
"obj",
"]",
")",
":",
"done",
"=",
"tween... | update tweeners. delta_seconds is time in seconds since last frame | [
"update",
"tweeners",
".",
"delta_seconds",
"is",
"time",
"in",
"seconds",
"since",
"last",
"frame"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/pytweener.py#L97-L110 | train |
projecthamster/hamster | src/hamster/lib/pytweener.py | Tween.update | def update(self, ptime):
"""Update tween with the time since the last frame"""
delta = self.delta + ptime
total_duration = self.delay + self.duration
if delta > total_duration:
delta = total_duration
if delta < self.delay:
pass
elif delta == tota... | python | def update(self, ptime):
"""Update tween with the time since the last frame"""
delta = self.delta + ptime
total_duration = self.delay + self.duration
if delta > total_duration:
delta = total_duration
if delta < self.delay:
pass
elif delta == tota... | [
"def",
"update",
"(",
"self",
",",
"ptime",
")",
":",
"delta",
"=",
"self",
".",
"delta",
"+",
"ptime",
"total_duration",
"=",
"self",
".",
"delay",
"+",
"self",
".",
"duration",
"if",
"delta",
">",
"total_duration",
":",
"delta",
"=",
"total_duration",
... | Update tween with the time since the last frame | [
"Update",
"tween",
"with",
"the",
"time",
"since",
"the",
"last",
"frame"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/pytweener.py#L154-L184 | train |
projecthamster/hamster | src/hamster/overview.py | StackedBar.set_items | def set_items(self, items):
"""expects a list of key, value to work with"""
res = []
max_value = max(sum((rec[1] for rec in items)), 1)
for key, val in items:
res.append((key, val, val * 1.0 / max_value))
self._items = res | python | def set_items(self, items):
"""expects a list of key, value to work with"""
res = []
max_value = max(sum((rec[1] for rec in items)), 1)
for key, val in items:
res.append((key, val, val * 1.0 / max_value))
self._items = res | [
"def",
"set_items",
"(",
"self",
",",
"items",
")",
":",
"res",
"=",
"[",
"]",
"max_value",
"=",
"max",
"(",
"sum",
"(",
"(",
"rec",
"[",
"1",
"]",
"for",
"rec",
"in",
"items",
")",
")",
",",
"1",
")",
"for",
"key",
",",
"val",
"in",
"items",... | expects a list of key, value to work with | [
"expects",
"a",
"list",
"of",
"key",
"value",
"to",
"work",
"with"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/overview.py#L138-L144 | train |
projecthamster/hamster | src/hamster/overview.py | HorizontalBarChart.set_values | def set_values(self, values):
"""expects a list of 2-tuples"""
self.values = values
self.height = len(self.values) * 14
self._max = max(rec[1] for rec in values) if values else dt.timedelta(0) | python | def set_values(self, values):
"""expects a list of 2-tuples"""
self.values = values
self.height = len(self.values) * 14
self._max = max(rec[1] for rec in values) if values else dt.timedelta(0) | [
"def",
"set_values",
"(",
"self",
",",
"values",
")",
":",
"self",
".",
"values",
"=",
"values",
"self",
".",
"height",
"=",
"len",
"(",
"self",
".",
"values",
")",
"*",
"14",
"self",
".",
"_max",
"=",
"max",
"(",
"rec",
"[",
"1",
"]",
"for",
"... | expects a list of 2-tuples | [
"expects",
"a",
"list",
"of",
"2",
"-",
"tuples"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/overview.py#L221-L225 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | datetime_to_hamsterday | def datetime_to_hamsterday(civil_date_time):
"""Return the hamster day corresponding to a given civil datetime.
The hamster day start is taken into account.
"""
# work around cyclic imports
from hamster.lib.configuration import conf
if civil_date_time.time() < conf.day_start:
# early ... | python | def datetime_to_hamsterday(civil_date_time):
"""Return the hamster day corresponding to a given civil datetime.
The hamster day start is taken into account.
"""
# work around cyclic imports
from hamster.lib.configuration import conf
if civil_date_time.time() < conf.day_start:
# early ... | [
"def",
"datetime_to_hamsterday",
"(",
"civil_date_time",
")",
":",
"from",
"hamster",
".",
"lib",
".",
"configuration",
"import",
"conf",
"if",
"civil_date_time",
".",
"time",
"(",
")",
"<",
"conf",
".",
"day_start",
":",
"hamster_date_time",
"=",
"civil_date_ti... | Return the hamster day corresponding to a given civil datetime.
The hamster day start is taken into account. | [
"Return",
"the",
"hamster",
"day",
"corresponding",
"to",
"a",
"given",
"civil",
"datetime",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L43-L59 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | hamsterday_time_to_datetime | def hamsterday_time_to_datetime(hamsterday, time):
"""Return the civil datetime corresponding to a given hamster day and time.
The hamster day start is taken into account.
"""
# work around cyclic imports
from hamster.lib.configuration import conf
if time < conf.day_start:
# early mor... | python | def hamsterday_time_to_datetime(hamsterday, time):
"""Return the civil datetime corresponding to a given hamster day and time.
The hamster day start is taken into account.
"""
# work around cyclic imports
from hamster.lib.configuration import conf
if time < conf.day_start:
# early mor... | [
"def",
"hamsterday_time_to_datetime",
"(",
"hamsterday",
",",
"time",
")",
":",
"from",
"hamster",
".",
"lib",
".",
"configuration",
"import",
"conf",
"if",
"time",
"<",
"conf",
".",
"day_start",
":",
"civil_date",
"=",
"hamsterday",
"+",
"dt",
".",
"timedel... | Return the civil datetime corresponding to a given hamster day and time.
The hamster day start is taken into account. | [
"Return",
"the",
"civil",
"datetime",
"corresponding",
"to",
"a",
"given",
"hamster",
"day",
"and",
"time",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L67-L82 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | format_duration | def format_duration(minutes, human = True):
"""formats duration in a human readable format.
accepts either minutes or timedelta"""
if isinstance(minutes, dt.timedelta):
minutes = duration_minutes(minutes)
if not minutes:
if human:
return ""
else:
return ... | python | def format_duration(minutes, human = True):
"""formats duration in a human readable format.
accepts either minutes or timedelta"""
if isinstance(minutes, dt.timedelta):
minutes = duration_minutes(minutes)
if not minutes:
if human:
return ""
else:
return ... | [
"def",
"format_duration",
"(",
"minutes",
",",
"human",
"=",
"True",
")",
":",
"if",
"isinstance",
"(",
"minutes",
",",
"dt",
".",
"timedelta",
")",
":",
"minutes",
"=",
"duration_minutes",
"(",
"minutes",
")",
"if",
"not",
"minutes",
":",
"if",
"human",... | formats duration in a human readable format.
accepts either minutes or timedelta | [
"formats",
"duration",
"in",
"a",
"human",
"readable",
"format",
".",
"accepts",
"either",
"minutes",
"or",
"timedelta"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L85-L121 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | duration_minutes | def duration_minutes(duration):
"""returns minutes from duration, otherwise we keep bashing in same math"""
if isinstance(duration, list):
res = dt.timedelta()
for entry in duration:
res += entry
return duration_minutes(res)
elif isinstance(duration, dt.timedelta):
... | python | def duration_minutes(duration):
"""returns minutes from duration, otherwise we keep bashing in same math"""
if isinstance(duration, list):
res = dt.timedelta()
for entry in duration:
res += entry
return duration_minutes(res)
elif isinstance(duration, dt.timedelta):
... | [
"def",
"duration_minutes",
"(",
"duration",
")",
":",
"if",
"isinstance",
"(",
"duration",
",",
"list",
")",
":",
"res",
"=",
"dt",
".",
"timedelta",
"(",
")",
"for",
"entry",
"in",
"duration",
":",
"res",
"+=",
"entry",
"return",
"duration_minutes",
"("... | returns minutes from duration, otherwise we keep bashing in same math | [
"returns",
"minutes",
"from",
"duration",
"otherwise",
"we",
"keep",
"bashing",
"in",
"same",
"math"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L172-L183 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | locale_first_weekday | def locale_first_weekday():
"""figure if week starts on monday or sunday"""
first_weekday = 6 #by default settle on monday
try:
process = os.popen("locale first_weekday week-1stday")
week_offset, week_start = process.read().split('\n')[:2]
process.close()
week_start = dt.dat... | python | def locale_first_weekday():
"""figure if week starts on monday or sunday"""
first_weekday = 6 #by default settle on monday
try:
process = os.popen("locale first_weekday week-1stday")
week_offset, week_start = process.read().split('\n')[:2]
process.close()
week_start = dt.dat... | [
"def",
"locale_first_weekday",
"(",
")",
":",
"first_weekday",
"=",
"6",
"try",
":",
"process",
"=",
"os",
".",
"popen",
"(",
"\"locale first_weekday week-1stday\"",
")",
"week_offset",
",",
"week_start",
"=",
"process",
".",
"read",
"(",
")",
".",
"split",
... | figure if week starts on monday or sunday | [
"figure",
"if",
"week",
"starts",
"on",
"monday",
"or",
"sunday"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L206-L221 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | totals | def totals(iter, keyfunc, sumfunc):
"""groups items by field described in keyfunc and counts totals using value
from sumfunc
"""
data = sorted(iter, key=keyfunc)
res = {}
for k, group in groupby(data, keyfunc):
res[k] = sum([sumfunc(entry) for entry in group])
return res | python | def totals(iter, keyfunc, sumfunc):
"""groups items by field described in keyfunc and counts totals using value
from sumfunc
"""
data = sorted(iter, key=keyfunc)
res = {}
for k, group in groupby(data, keyfunc):
res[k] = sum([sumfunc(entry) for entry in group])
return res | [
"def",
"totals",
"(",
"iter",
",",
"keyfunc",
",",
"sumfunc",
")",
":",
"data",
"=",
"sorted",
"(",
"iter",
",",
"key",
"=",
"keyfunc",
")",
"res",
"=",
"{",
"}",
"for",
"k",
",",
"group",
"in",
"groupby",
"(",
"data",
",",
"keyfunc",
")",
":",
... | groups items by field described in keyfunc and counts totals using value
from sumfunc | [
"groups",
"items",
"by",
"field",
"described",
"in",
"keyfunc",
"and",
"counts",
"totals",
"using",
"value",
"from",
"sumfunc"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L224-L234 | train |
projecthamster/hamster | src/hamster/lib/stuff.py | dateDict | def dateDict(date, prefix = ""):
"""converts date into dictionary, having prefix for all the keys"""
res = {}
res[prefix+"a"] = date.strftime("%a")
res[prefix+"A"] = date.strftime("%A")
res[prefix+"b"] = date.strftime("%b")
res[prefix+"B"] = date.strftime("%B")
res[prefix+"c"] = date.strfti... | python | def dateDict(date, prefix = ""):
"""converts date into dictionary, having prefix for all the keys"""
res = {}
res[prefix+"a"] = date.strftime("%a")
res[prefix+"A"] = date.strftime("%A")
res[prefix+"b"] = date.strftime("%b")
res[prefix+"B"] = date.strftime("%B")
res[prefix+"c"] = date.strfti... | [
"def",
"dateDict",
"(",
"date",
",",
"prefix",
"=",
"\"\"",
")",
":",
"res",
"=",
"{",
"}",
"res",
"[",
"prefix",
"+",
"\"a\"",
"]",
"=",
"date",
".",
"strftime",
"(",
"\"%a\"",
")",
"res",
"[",
"prefix",
"+",
"\"A\"",
"]",
"=",
"date",
".",
"s... | converts date into dictionary, having prefix for all the keys | [
"converts",
"date",
"into",
"dictionary",
"having",
"prefix",
"for",
"all",
"the",
"keys"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/stuff.py#L237-L266 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__get_tag_ids | def __get_tag_ids(self, tags):
"""look up tags by their name. create if not found"""
db_tags = self.fetchall("select * from tags where name in (%s)"
% ",".join(["?"] * len(tags)), tags) # bit of magic here - using sqlites bind variables
changes = Fal... | python | def __get_tag_ids(self, tags):
"""look up tags by their name. create if not found"""
db_tags = self.fetchall("select * from tags where name in (%s)"
% ",".join(["?"] * len(tags)), tags) # bit of magic here - using sqlites bind variables
changes = Fal... | [
"def",
"__get_tag_ids",
"(",
"self",
",",
"tags",
")",
":",
"db_tags",
"=",
"self",
".",
"fetchall",
"(",
"\"select * from tags where name in (%s)\"",
"%",
"\",\"",
".",
"join",
"(",
"[",
"\"?\"",
"]",
"*",
"len",
"(",
"tags",
")",
")",
",",
"tags",
")",... | look up tags by their name. create if not found | [
"look",
"up",
"tags",
"by",
"their",
"name",
".",
"create",
"if",
"not",
"found"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L161-L186 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__get_activity_by_name | def __get_activity_by_name(self, name, category_id = None, resurrect = True):
"""get most recent, preferably not deleted activity by it's name"""
if category_id:
query = """
SELECT a.id, a.name, a.deleted, coalesce(b.name, ?) as category
FROM ... | python | def __get_activity_by_name(self, name, category_id = None, resurrect = True):
"""get most recent, preferably not deleted activity by it's name"""
if category_id:
query = """
SELECT a.id, a.name, a.deleted, coalesce(b.name, ?) as category
FROM ... | [
"def",
"__get_activity_by_name",
"(",
"self",
",",
"name",
",",
"category_id",
"=",
"None",
",",
"resurrect",
"=",
"True",
")",
":",
"if",
"category_id",
":",
"query",
"=",
"res",
"=",
"self",
".",
"fetchone",
"(",
"query",
",",
"(",
"self",
".",
"_uns... | get most recent, preferably not deleted activity by it's name | [
"get",
"most",
"recent",
"preferably",
"not",
"deleted",
"activity",
"by",
"it",
"s",
"name"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L297-L340 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__get_category_id | def __get_category_id(self, name):
"""returns category by it's name"""
query = """
SELECT id from categories
WHERE lower(name) = lower(?)
ORDER BY id desc
LIMIT 1
"""
res = self.fetchone(query, (name, ))
... | python | def __get_category_id(self, name):
"""returns category by it's name"""
query = """
SELECT id from categories
WHERE lower(name) = lower(?)
ORDER BY id desc
LIMIT 1
"""
res = self.fetchone(query, (name, ))
... | [
"def",
"__get_category_id",
"(",
"self",
",",
"name",
")",
":",
"query",
"=",
"res",
"=",
"self",
".",
"fetchone",
"(",
"query",
",",
"(",
"name",
",",
")",
")",
"if",
"res",
":",
"return",
"res",
"[",
"'id'",
"]",
"return",
"None"
] | returns category by it's name | [
"returns",
"category",
"by",
"it",
"s",
"name"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L342-L357 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__group_tags | def __group_tags(self, facts):
"""put the fact back together and move all the unique tags to an array"""
if not facts: return facts #be it None or whatever
grouped_facts = []
for fact_id, fact_tags in itertools.groupby(facts, lambda f: f["id"]):
fact_tags = list(fact_tags)
... | python | def __group_tags(self, facts):
"""put the fact back together and move all the unique tags to an array"""
if not facts: return facts #be it None or whatever
grouped_facts = []
for fact_id, fact_tags in itertools.groupby(facts, lambda f: f["id"]):
fact_tags = list(fact_tags)
... | [
"def",
"__group_tags",
"(",
"self",
",",
"facts",
")",
":",
"if",
"not",
"facts",
":",
"return",
"facts",
"grouped_facts",
"=",
"[",
"]",
"for",
"fact_id",
",",
"fact_tags",
"in",
"itertools",
".",
"groupby",
"(",
"facts",
",",
"lambda",
"f",
":",
"f",... | put the fact back together and move all the unique tags to an array | [
"put",
"the",
"fact",
"back",
"together",
"and",
"move",
"all",
"the",
"unique",
"tags",
"to",
"an",
"array"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L379-L398 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__squeeze_in | def __squeeze_in(self, start_time):
""" tries to put task in the given date
if there are conflicts, we will only truncate the ongoing task
and replace it's end part with our activity """
# we are checking if our start time is in the middle of anything
# or maybe there is... | python | def __squeeze_in(self, start_time):
""" tries to put task in the given date
if there are conflicts, we will only truncate the ongoing task
and replace it's end part with our activity """
# we are checking if our start time is in the middle of anything
# or maybe there is... | [
"def",
"__squeeze_in",
"(",
"self",
",",
"start_time",
")",
":",
"query",
"=",
"fact",
"=",
"self",
".",
"fetchone",
"(",
"query",
",",
"(",
"start_time",
",",
"start_time",
",",
"start_time",
"-",
"dt",
".",
"timedelta",
"(",
"hours",
"=",
"12",
")",
... | tries to put task in the given date
if there are conflicts, we will only truncate the ongoing task
and replace it's end part with our activity | [
"tries",
"to",
"put",
"task",
"in",
"the",
"given",
"date",
"if",
"there",
"are",
"conflicts",
"we",
"will",
"only",
"truncate",
"the",
"ongoing",
"task",
"and",
"replace",
"it",
"s",
"end",
"part",
"with",
"our",
"activity"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L415-L447 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__get_activities | def __get_activities(self, search):
"""returns list of activities for autocomplete,
activity names converted to lowercase"""
query = """
SELECT a.name AS name, b.name AS category
FROM activities a
LEFT JOIN categories b ON coalesce(b.id... | python | def __get_activities(self, search):
"""returns list of activities for autocomplete,
activity names converted to lowercase"""
query = """
SELECT a.name AS name, b.name AS category
FROM activities a
LEFT JOIN categories b ON coalesce(b.id... | [
"def",
"__get_activities",
"(",
"self",
",",
"search",
")",
":",
"query",
"=",
"search",
"=",
"search",
".",
"lower",
"(",
")",
"search",
"=",
"search",
".",
"replace",
"(",
"'\\\\'",
",",
"'\\\\\\\\'",
")",
".",
"replace",
"(",
"'%'",
",",
"'\\\\%'",
... | returns list of activities for autocomplete,
activity names converted to lowercase | [
"returns",
"list",
"of",
"activities",
"for",
"autocomplete",
"activity",
"names",
"converted",
"to",
"lowercase"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L760-L779 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__remove_activity | def __remove_activity(self, id):
""" check if we have any facts with this activity and behave accordingly
if there are facts - sets activity to deleted = True
else, just remove it"""
query = "select count(*) as count from facts where activity_id = ?"
bound_facts = self.f... | python | def __remove_activity(self, id):
""" check if we have any facts with this activity and behave accordingly
if there are facts - sets activity to deleted = True
else, just remove it"""
query = "select count(*) as count from facts where activity_id = ?"
bound_facts = self.f... | [
"def",
"__remove_activity",
"(",
"self",
",",
"id",
")",
":",
"query",
"=",
"\"select count(*) as count from facts where activity_id = ?\"",
"bound_facts",
"=",
"self",
".",
"fetchone",
"(",
"query",
",",
"(",
"id",
",",
")",
")",
"[",
"'count'",
"]",
"if",
"b... | check if we have any facts with this activity and behave accordingly
if there are facts - sets activity to deleted = True
else, just remove it | [
"check",
"if",
"we",
"have",
"any",
"facts",
"with",
"this",
"activity",
"and",
"behave",
"accordingly",
"if",
"there",
"are",
"facts",
"-",
"sets",
"activity",
"to",
"deleted",
"=",
"True",
"else",
"just",
"remove",
"it"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L781-L792 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__remove_category | def __remove_category(self, id):
"""move all activities to unsorted and remove category"""
affected_query = """
SELECT id
FROM facts
WHERE activity_id in (SELECT id FROM activities where category_id=?)
"""
affected_ids = [res[0] for res in self.fet... | python | def __remove_category(self, id):
"""move all activities to unsorted and remove category"""
affected_query = """
SELECT id
FROM facts
WHERE activity_id in (SELECT id FROM activities where category_id=?)
"""
affected_ids = [res[0] for res in self.fet... | [
"def",
"__remove_category",
"(",
"self",
",",
"id",
")",
":",
"affected_query",
"=",
"affected_ids",
"=",
"[",
"res",
"[",
"0",
"]",
"for",
"res",
"in",
"self",
".",
"fetchall",
"(",
"affected_query",
",",
"(",
"id",
",",
")",
")",
"]",
"update",
"="... | move all activities to unsorted and remove category | [
"move",
"all",
"activities",
"to",
"unsorted",
"and",
"remove",
"category"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L795-L810 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.__remove_index | def __remove_index(self, ids):
"""remove affected ids from the index"""
if not ids:
return
ids = ",".join((str(id) for id in ids))
self.execute("DELETE FROM fact_index where id in (%s)" % ids) | python | def __remove_index(self, ids):
"""remove affected ids from the index"""
if not ids:
return
ids = ",".join((str(id) for id in ids))
self.execute("DELETE FROM fact_index where id in (%s)" % ids) | [
"def",
"__remove_index",
"(",
"self",
",",
"ids",
")",
":",
"if",
"not",
"ids",
":",
"return",
"ids",
"=",
"\",\"",
".",
"join",
"(",
"(",
"str",
"(",
"id",
")",
"for",
"id",
"in",
"ids",
")",
")",
"self",
".",
"execute",
"(",
"\"DELETE FROM fact_i... | remove affected ids from the index | [
"remove",
"affected",
"ids",
"from",
"the",
"index"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L834-L840 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.execute | def execute(self, statement, params = ()):
"""
execute sql statement. optionally you can give multiple statements
to save on cursor creation and closure
"""
con = self.__con or self.connection
cur = self.__cur or con.cursor()
if isinstance(statement, list) == Fal... | python | def execute(self, statement, params = ()):
"""
execute sql statement. optionally you can give multiple statements
to save on cursor creation and closure
"""
con = self.__con or self.connection
cur = self.__cur or con.cursor()
if isinstance(statement, list) == Fal... | [
"def",
"execute",
"(",
"self",
",",
"statement",
",",
"params",
"=",
"(",
")",
")",
":",
"con",
"=",
"self",
".",
"__con",
"or",
"self",
".",
"connection",
"cur",
"=",
"self",
".",
"__cur",
"or",
"con",
".",
"cursor",
"(",
")",
"if",
"isinstance",
... | execute sql statement. optionally you can give multiple statements
to save on cursor creation and closure | [
"execute",
"sql",
"statement",
".",
"optionally",
"you",
"can",
"give",
"multiple",
"statements",
"to",
"save",
"on",
"cursor",
"creation",
"and",
"closure"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L913-L932 | train |
projecthamster/hamster | src/hamster/storage/db.py | Storage.run_fixtures | def run_fixtures(self):
self.start_transaction()
"""upgrade DB to hamster version"""
version = self.fetchone("SELECT version FROM version")["version"]
current_version = 9
if version < 8:
# working around sqlite's utf-f case sensitivity (bug 624438)
# mor... | python | def run_fixtures(self):
self.start_transaction()
"""upgrade DB to hamster version"""
version = self.fetchone("SELECT version FROM version")["version"]
current_version = 9
if version < 8:
# working around sqlite's utf-f case sensitivity (bug 624438)
# mor... | [
"def",
"run_fixtures",
"(",
"self",
")",
":",
"self",
".",
"start_transaction",
"(",
")",
"version",
"=",
"self",
".",
"fetchone",
"(",
"\"SELECT version FROM version\"",
")",
"[",
"\"version\"",
"]",
"current_version",
"=",
"9",
"if",
"version",
"<",
"8",
"... | upgrade DB to hamster version | [
"upgrade",
"DB",
"to",
"hamster",
"version"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/storage/db.py#L959-L995 | train |
projecthamster/hamster | src/hamster/widgets/facttree.py | FactTree.current_fact_index | def current_fact_index(self):
"""Current fact index in the self.facts list."""
facts_ids = [fact.id for fact in self.facts]
return facts_ids.index(self.current_fact.id) | python | def current_fact_index(self):
"""Current fact index in the self.facts list."""
facts_ids = [fact.id for fact in self.facts]
return facts_ids.index(self.current_fact.id) | [
"def",
"current_fact_index",
"(",
"self",
")",
":",
"facts_ids",
"=",
"[",
"fact",
".",
"id",
"for",
"fact",
"in",
"self",
".",
"facts",
"]",
"return",
"facts_ids",
".",
"index",
"(",
"self",
".",
"current_fact",
".",
"id",
")"
] | Current fact index in the self.facts list. | [
"Current",
"fact",
"index",
"in",
"the",
"self",
".",
"facts",
"list",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/widgets/facttree.py#L258-L261 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | chain | def chain(*steps):
"""chains the given list of functions and object animations into a callback string.
Expects an interlaced list of object and params, something like:
object, {params},
callable, {params},
object, {},
object, {params}
Assumes that all cal... | python | def chain(*steps):
"""chains the given list of functions and object animations into a callback string.
Expects an interlaced list of object and params, something like:
object, {params},
callable, {params},
object, {},
object, {params}
Assumes that all cal... | [
"def",
"chain",
"(",
"*",
"steps",
")",
":",
"if",
"not",
"steps",
":",
"return",
"def",
"on_done",
"(",
"sprite",
"=",
"None",
")",
":",
"chain",
"(",
"*",
"steps",
"[",
"2",
":",
"]",
")",
"obj",
",",
"params",
"=",
"steps",
"[",
":",
"2",
... | chains the given list of functions and object animations into a callback string.
Expects an interlaced list of object and params, something like:
object, {params},
callable, {params},
object, {},
object, {params}
Assumes that all callees accept on_complete na... | [
"chains",
"the",
"given",
"list",
"of",
"functions",
"and",
"object",
"animations",
"into",
"a",
"callback",
"string",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L160-L185 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | full_pixels | def full_pixels(space, data, gap_pixels=1):
"""returns the given data distributed in the space ensuring it's full pixels
and with the given gap.
this will result in minor sub-pixel inaccuracies.
XXX - figure out where to place these guys as they are quite useful
"""
available = space - (len(data... | python | def full_pixels(space, data, gap_pixels=1):
"""returns the given data distributed in the space ensuring it's full pixels
and with the given gap.
this will result in minor sub-pixel inaccuracies.
XXX - figure out where to place these guys as they are quite useful
"""
available = space - (len(data... | [
"def",
"full_pixels",
"(",
"space",
",",
"data",
",",
"gap_pixels",
"=",
"1",
")",
":",
"available",
"=",
"space",
"-",
"(",
"len",
"(",
"data",
")",
"-",
"1",
")",
"*",
"gap_pixels",
"res",
"=",
"[",
"]",
"for",
"i",
",",
"val",
"in",
"enumerate... | returns the given data distributed in the space ensuring it's full pixels
and with the given gap.
this will result in minor sub-pixel inaccuracies.
XXX - figure out where to place these guys as they are quite useful | [
"returns",
"the",
"given",
"data",
"distributed",
"in",
"the",
"space",
"ensuring",
"it",
"s",
"full",
"pixels",
"and",
"with",
"the",
"given",
"gap",
".",
"this",
"will",
"result",
"in",
"minor",
"sub",
"-",
"pixel",
"inaccuracies",
".",
"XXX",
"-",
"fi... | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L187-L205 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | ColorUtils.gdk | def gdk(self, color):
"""returns gdk.Color object of the given color"""
c = self.parse(color)
return gdk.Color.from_floats(c) | python | def gdk(self, color):
"""returns gdk.Color object of the given color"""
c = self.parse(color)
return gdk.Color.from_floats(c) | [
"def",
"gdk",
"(",
"self",
",",
"color",
")",
":",
"c",
"=",
"self",
".",
"parse",
"(",
"color",
")",
"return",
"gdk",
".",
"Color",
".",
"from_floats",
"(",
"c",
")"
] | returns gdk.Color object of the given color | [
"returns",
"gdk",
".",
"Color",
"object",
"of",
"the",
"given",
"color"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L95-L98 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | ColorUtils.contrast | def contrast(self, color, step):
"""if color is dark, will return a lighter one, otherwise darker"""
hls = colorsys.rgb_to_hls(*self.rgb(color))
if self.is_light(color):
return colorsys.hls_to_rgb(hls[0], hls[1] - step, hls[2])
else:
return colorsys.hls_to_rgb(hls... | python | def contrast(self, color, step):
"""if color is dark, will return a lighter one, otherwise darker"""
hls = colorsys.rgb_to_hls(*self.rgb(color))
if self.is_light(color):
return colorsys.hls_to_rgb(hls[0], hls[1] - step, hls[2])
else:
return colorsys.hls_to_rgb(hls... | [
"def",
"contrast",
"(",
"self",
",",
"color",
",",
"step",
")",
":",
"hls",
"=",
"colorsys",
".",
"rgb_to_hls",
"(",
"*",
"self",
".",
"rgb",
"(",
"color",
")",
")",
"if",
"self",
".",
"is_light",
"(",
"color",
")",
":",
"return",
"colorsys",
".",
... | if color is dark, will return a lighter one, otherwise darker | [
"if",
"color",
"is",
"dark",
"will",
"return",
"a",
"lighter",
"one",
"otherwise",
"darker"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L121-L127 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | ColorUtils.mix | def mix(self, ca, cb, xb):
"""Mix colors.
Args:
ca (gdk.RGBA): first color
cb (gdk.RGBA): second color
xb (float): between 0.0 and 1.0
Return:
gdk.RGBA: linear interpolation between ca and cb,
0 or 1 return the unaltered 1st... | python | def mix(self, ca, cb, xb):
"""Mix colors.
Args:
ca (gdk.RGBA): first color
cb (gdk.RGBA): second color
xb (float): between 0.0 and 1.0
Return:
gdk.RGBA: linear interpolation between ca and cb,
0 or 1 return the unaltered 1st... | [
"def",
"mix",
"(",
"self",
",",
"ca",
",",
"cb",
",",
"xb",
")",
":",
"r",
"=",
"(",
"1",
"-",
"xb",
")",
"*",
"ca",
".",
"red",
"+",
"xb",
"*",
"cb",
".",
"red",
"g",
"=",
"(",
"1",
"-",
"xb",
")",
"*",
"ca",
".",
"green",
"+",
"xb",... | Mix colors.
Args:
ca (gdk.RGBA): first color
cb (gdk.RGBA): second color
xb (float): between 0.0 and 1.0
Return:
gdk.RGBA: linear interpolation between ca and cb,
0 or 1 return the unaltered 1st or 2nd color respectively,
... | [
"Mix",
"colors",
"."
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L130-L147 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.set_line_style | def set_line_style(self, width = None, dash = None, dash_offset = 0):
"""change width and dash of a line"""
if width is not None:
self._add_instruction("set_line_width", width)
if dash is not None:
self._add_instruction("set_dash", dash, dash_offset) | python | def set_line_style(self, width = None, dash = None, dash_offset = 0):
"""change width and dash of a line"""
if width is not None:
self._add_instruction("set_line_width", width)
if dash is not None:
self._add_instruction("set_dash", dash, dash_offset) | [
"def",
"set_line_style",
"(",
"self",
",",
"width",
"=",
"None",
",",
"dash",
"=",
"None",
",",
"dash_offset",
"=",
"0",
")",
":",
"if",
"width",
"is",
"not",
"None",
":",
"self",
".",
"_add_instruction",
"(",
"\"set_line_width\"",
",",
"width",
")",
"... | change width and dash of a line | [
"change",
"width",
"and",
"dash",
"of",
"a",
"line"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L328-L334 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics._set_color | def _set_color(self, context, r, g, b, a):
"""the alpha has to changed based on the parent, so that happens at the
time of drawing"""
if a < 1:
context.set_source_rgba(r, g, b, a)
else:
context.set_source_rgb(r, g, b) | python | def _set_color(self, context, r, g, b, a):
"""the alpha has to changed based on the parent, so that happens at the
time of drawing"""
if a < 1:
context.set_source_rgba(r, g, b, a)
else:
context.set_source_rgb(r, g, b) | [
"def",
"_set_color",
"(",
"self",
",",
"context",
",",
"r",
",",
"g",
",",
"b",
",",
"a",
")",
":",
"if",
"a",
"<",
"1",
":",
"context",
".",
"set_source_rgba",
"(",
"r",
",",
"g",
",",
"b",
",",
"a",
")",
"else",
":",
"context",
".",
"set_so... | the alpha has to changed based on the parent, so that happens at the
time of drawing | [
"the",
"alpha",
"has",
"to",
"changed",
"based",
"on",
"the",
"parent",
"so",
"that",
"happens",
"at",
"the",
"time",
"of",
"drawing"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L338-L344 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.arc | def arc(self, x, y, radius, start_angle, end_angle):
"""draw arc going counter-clockwise from start_angle to end_angle"""
self._add_instruction("arc", x, y, radius, start_angle, end_angle) | python | def arc(self, x, y, radius, start_angle, end_angle):
"""draw arc going counter-clockwise from start_angle to end_angle"""
self._add_instruction("arc", x, y, radius, start_angle, end_angle) | [
"def",
"arc",
"(",
"self",
",",
"x",
",",
"y",
",",
"radius",
",",
"start_angle",
",",
"end_angle",
")",
":",
"self",
".",
"_add_instruction",
"(",
"\"arc\"",
",",
"x",
",",
"y",
",",
"radius",
",",
"start_angle",
",",
"end_angle",
")"
] | draw arc going counter-clockwise from start_angle to end_angle | [
"draw",
"arc",
"going",
"counter",
"-",
"clockwise",
"from",
"start_angle",
"to",
"end_angle"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L360-L362 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.ellipse | def ellipse(self, x, y, width, height, edges = None):
"""draw 'perfect' ellipse, opposed to squashed circle. works also for
equilateral polygons"""
# the automatic edge case is somewhat arbitrary
steps = edges or max((32, width, height)) / 2
angle = 0
step = math.pi *... | python | def ellipse(self, x, y, width, height, edges = None):
"""draw 'perfect' ellipse, opposed to squashed circle. works also for
equilateral polygons"""
# the automatic edge case is somewhat arbitrary
steps = edges or max((32, width, height)) / 2
angle = 0
step = math.pi *... | [
"def",
"ellipse",
"(",
"self",
",",
"x",
",",
"y",
",",
"width",
",",
"height",
",",
"edges",
"=",
"None",
")",
":",
"steps",
"=",
"edges",
"or",
"max",
"(",
"(",
"32",
",",
"width",
",",
"height",
")",
")",
"/",
"2",
"angle",
"=",
"0",
"step... | draw 'perfect' ellipse, opposed to squashed circle. works also for
equilateral polygons | [
"draw",
"perfect",
"ellipse",
"opposed",
"to",
"squashed",
"circle",
".",
"works",
"also",
"for",
"equilateral",
"polygons"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L368-L388 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.arc_negative | def arc_negative(self, x, y, radius, start_angle, end_angle):
"""draw arc going clockwise from start_angle to end_angle"""
self._add_instruction("arc_negative", x, y, radius, start_angle, end_angle) | python | def arc_negative(self, x, y, radius, start_angle, end_angle):
"""draw arc going clockwise from start_angle to end_angle"""
self._add_instruction("arc_negative", x, y, radius, start_angle, end_angle) | [
"def",
"arc_negative",
"(",
"self",
",",
"x",
",",
"y",
",",
"radius",
",",
"start_angle",
",",
"end_angle",
")",
":",
"self",
".",
"_add_instruction",
"(",
"\"arc_negative\"",
",",
"x",
",",
"y",
",",
"radius",
",",
"start_angle",
",",
"end_angle",
")"
... | draw arc going clockwise from start_angle to end_angle | [
"draw",
"arc",
"going",
"clockwise",
"from",
"start_angle",
"to",
"end_angle"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L390-L392 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.rectangle | def rectangle(self, x, y, width, height, corner_radius = 0):
"""draw a rectangle. if corner_radius is specified, will draw
rounded corners. corner_radius can be either a number or a tuple of
four items to specify individually each corner, starting from top-left
and going clockwise"""
... | python | def rectangle(self, x, y, width, height, corner_radius = 0):
"""draw a rectangle. if corner_radius is specified, will draw
rounded corners. corner_radius can be either a number or a tuple of
four items to specify individually each corner, starting from top-left
and going clockwise"""
... | [
"def",
"rectangle",
"(",
"self",
",",
"x",
",",
"y",
",",
"width",
",",
"height",
",",
"corner_radius",
"=",
"0",
")",
":",
"if",
"corner_radius",
"<=",
"0",
":",
"self",
".",
"_add_instruction",
"(",
"\"rectangle\"",
",",
"x",
",",
"y",
",",
"width"... | draw a rectangle. if corner_radius is specified, will draw
rounded corners. corner_radius can be either a number or a tuple of
four items to specify individually each corner, starting from top-left
and going clockwise | [
"draw",
"a",
"rectangle",
".",
"if",
"corner_radius",
"is",
"specified",
"will",
"draw",
"rounded",
"corners",
".",
"corner_radius",
"can",
"be",
"either",
"a",
"number",
"or",
"a",
"tuple",
"of",
"four",
"items",
"to",
"specify",
"individually",
"each",
"co... | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L400-L415 | train |
projecthamster/hamster | src/hamster/lib/graphics.py | Graphics.fill_area | def fill_area(self, x, y, width, height, color, opacity = 1):
"""fill rectangular area with specified color"""
self.save_context()
self.rectangle(x, y, width, height)
self._add_instruction("clip")
self.rectangle(x, y, width, height)
self.fill(color, opacity)
self.... | python | def fill_area(self, x, y, width, height, color, opacity = 1):
"""fill rectangular area with specified color"""
self.save_context()
self.rectangle(x, y, width, height)
self._add_instruction("clip")
self.rectangle(x, y, width, height)
self.fill(color, opacity)
self.... | [
"def",
"fill_area",
"(",
"self",
",",
"x",
",",
"y",
",",
"width",
",",
"height",
",",
"color",
",",
"opacity",
"=",
"1",
")",
":",
"self",
".",
"save_context",
"(",
")",
"self",
".",
"rectangle",
"(",
"x",
",",
"y",
",",
"width",
",",
"height",
... | fill rectangular area with specified color | [
"fill",
"rectangular",
"area",
"with",
"specified",
"color"
] | ca5254eff53172796ddafc72226c394ed1858245 | https://github.com/projecthamster/hamster/blob/ca5254eff53172796ddafc72226c394ed1858245/src/hamster/lib/graphics.py#L444-L451 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.